473,383 Members | 1,855 Online
Bytes | Software Development & Data Engineering Community
Post Job

Home Posts Topics Members FAQ

Join Bytes to post your question to a community of 473,383 software developers and data experts.

Formatting Number With Thousands Separator

Gday,
How would I format a number so that:

TheValue = 32500

Displays in the TextBox as: $32,500.00

Thanks a lot :)
-Douglas
Jul 23 '05 #1
16 25832
Douglas wrote:
Gday,
How would I format a number so that:

TheValue = 32500

Displays in the TextBox as: $32,500.00


And if the person viewing the page uses . as a separator instead of ,
and uses , instead of . for the decimal?

But, for a hint, convert your number to a String, reverse the String,
then insert the separators, then reverse it back. And then read the FAQ
to find out how to add the 00 on the end (Its in there).

--
Randy
Chance Favors The Prepared Mind
comp.lang.javascript FAQ - http://jibbering.com/faq/
Jul 23 '05 #2
JRS: In article <da********************@comcast.com>, seen in
news:comp.lang.javascript, Randy Webb <hi************@aol.com> posted at
Wed, 7 Apr 2004 12:45:08 :
Douglas wrote:
How would I format a number so that:

TheValue = 32500

Displays in the TextBox as: $32,500.00


And if the person viewing the page uses . as a separator instead of ,
and uses , instead of . for the decimal?


Does any form of javascript recognise the possibility of a different
decimal separator or the possibility of a thousands separator (except by
added code, of course)?

If so, converting the number 12345.6 to string will allow then to be
determined.

But, for a hint, convert your number to a String, reverse the String,
then insert the separators, then reverse it back. And then read the FAQ
to find out how to add the 00 on the end (Its in there).


There's no need to reverse the string.
<URL:http://www.merlyn.demon.co.uk/js-maths.htm#OutComma>

--
© John Stockton, Surrey, UK. ?@merlyn.demon.co.uk Turnpike v4.00 IE 4 ©
<URL:http://jibbering.com/faq/> Jim Ley's FAQ for news:comp.lang.javascript
<URL:http://www.merlyn.demon.co.uk/js-index.htm> jscr maths, dates, sources.
<URL:http://www.merlyn.demon.co.uk/> TP/BP/Delphi/jscr/&c, FAQ items, links.
Jul 23 '05 #3
Dr John Stockton <sp**@merlyn.demon.co.uk> writes:
Does any form of javascript recognise the possibility of a different
decimal separator or the possibility of a thousands separator (except by
added code, of course)?
I can't say that there isn't some application of ECMAScript that doesn't
contain utility functions, but it's not part of ECMAScript, and it's not
in the usual clients.
There's no need to reverse the string.
<URL:http://www.merlyn.demon.co.uk/js-maths.htm#OutComma>


I notice the result -,123 :)

If one only cares about recent versions of Javascript, regular
expressions with lokahead can be used to make it easier:
---
function tsep(n,swap) {
var ts=",", ds="."; // thousands and decimal separators
if (swap) { ts=","; ts="."; } // swap if requested

var ns = String(n),ps=ns,ss=""; // numString, prefixString, suffixString
var i = ns.indexOf(".");
if (i!=-1) { // if ".", then split:
ps = ns.substring(0,i);
ss = ds+ns.substring(i+1);
}
return ps.replace(/(\d)(?=(\d{3})+([.]|$))/g,"$1"+ts)+ss;
}
---

/L
--
Lasse Reichstein Nielsen - lr*@hotpop.com
DHTML Death Colors: <URL:http://www.infimum.dk/HTML/rasterTriangleDOM.html>
'Faith without judgement merely degrades the spirit divine.'
Jul 23 '05 #4
In article <40***********************@news.syd.swiftdsl.com.a u>,
Douglas <po***************@so.everyone.can.learn.com.au> wrote:
Gday,
How would I format a number so that:

TheValue = 32500

Displays in the TextBox as: $32,500.00

Thanks a lot :)
-Douglas

I took the challenge and wrote the following. If you find an error, let
me know.

<script type="text/javascript">

/// This script will format positive money values. Pass it a number
with or without decimal digits. It will be formatted with the currency,
thousands, and decimal symbols passed to it.
/// PASSED PARAMETERS
/// theNumber - the number to be formatted
/// theCurrency - the currency symbol
/// theThousands - the thousands separator
/// theDecimal - the decimal separator

function isThousands(position) {
if (Math.floor(position/3)*3==position) return true;
return false;
};

function formatMoney (theNumber,theCurrency,theThousands,theDecimal) {
var theDecimalDigits =
Math.round((theNumber*100)-(Math.floor(theNumber)*100));
theDecimalDigits= ""+ (theDecimalDigits + "0").substring(0,2);
theNumber = ""+Math.floor(theNumber);
var theOutput = theCurrency;
for (x=0; x<theNumber.length; x++) {
theOutput += theNumber.substring(x,x+1);
if (isThousands(theNumber.length-x-1) && (theNumber.length-x-1
!=0)) {
theOutput += theThousands;
};
};
theOutput += theDecimal + theDecimalDigits;
return theOutput;
};
alert(formatMoney(12345.67,"$",",","."))
alert(formatMoney(123456,"£",".",","))

</script>

--
Dennis M. Marks
http://www.dcs-chico.com/~denmarks/
Replace domain.invalid with dcsi.net
-----= Posted via Newsfeeds.Com, Uncensored Usenet News =-----
http://www.newsfeeds.com - The #1 Newsgroup Service in the World!
-----== Over 100,000 Newsgroups - 19 Different Servers! =-----
Jul 23 '05 #5
Gday Dennis :)

thanks very much for your efforts...

While I'm not new to programming, this is probably my first attempt to
modify my own JavaScript.

I have made a couple of minor additions to the code you supplied, and
honestly, didnt have the faintest idea where to start because the syntax /
object model / typing etc are so vastly different from the code I am used to
writing.

Here 'tis... prolly a bit longhand and I'm sure theres more 'efficient' ways
to do the same thing but lets face it its prolly only a couple of cpu cycles
and additionally, those cpu cycles are not run on /my/ server :))

Thanks Again.
-Douglas
/// ///
/// JavaScript FormatCurrency Function - FormatCurrency.js ///
/// ///

/// This script will format positive money values. Pass it a number
/// with or without decimal digits. It will be formatted with the currency,
/// thousands, and decimal symbols passed to it.

/// PASSED PARAMETERS
/// theNumber - the number to be formatted
/// theCurrency - the currency symbol
/// theThousands - the thousands separator
/// theDecimal - the decimal separator

function isThousands(position)
{
if (Math.floor(position/3)*3==position) return true;
return false;
};
function formatMoney (theNumber,theCurrency,theThousands,theDecimal)
{

if (theDecimal==undefined)
{
var theDecimalDigits = "";

} else {

var theDecimalDigits =
Math.round((theNumber*100)-(Math.floor(theNumber)*100));
}

theDecimalDigits= "" + (theDecimalDigits + "0").substring(0,2);

theNumber = "" + Math.floor(theNumber);

var theOutput = theCurrency;

for (x=0; x<theNumber.length; x++)
{

theOutput += theNumber.substring(x, x+1);

if (isThousands(theNumber.length-x-1) && (theNumber.length-x-1!=0))
{
theOutput += theThousands;
};
};

if (theDecimal!=undefined)
{
theOutput += theDecimal + theDecimalDigits;
}

return theOutput;
};




----- Original Message -----
From: "Dennis M. Marks" <de******@domain.invalid>
Newsgroups: comp.lang.javascript
Sent: Thursday, April 08, 2004 9:03 AM
Subject: Re: Formatting Number With Thousands Separator

In article <40***********************@news.syd.swiftdsl.com.a u>,
Douglas <po***************@so.everyone.can.learn.com.au> wrote:
Gday,
How would I format a number so that:

TheValue = 32500

Displays in the TextBox as: $32,500.00

Thanks a lot :)
-Douglas

I took the challenge and wrote the following. If you find an error, let
me know.

<script type="text/javascript">

/// This script will format positive money values. Pass it a number
with or without decimal digits. It will be formatted with the currency,
thousands, and decimal symbols passed to it.
/// PASSED PARAMETERS
/// theNumber - the number to be formatted
/// theCurrency - the currency symbol
/// theThousands - the thousands separator
/// theDecimal - the decimal separator

function isThousands(position) {
if (Math.floor(position/3)*3==position) return true;
return false;
};

function formatMoney (theNumber,theCurrency,theThousands,theDecimal) {
var theDecimalDigits =
Math.round((theNumber*100)-(Math.floor(theNumber)*100));
theDecimalDigits= ""+ (theDecimalDigits + "0").substring(0,2);
theNumber = ""+Math.floor(theNumber);
var theOutput = theCurrency;
for (x=0; x<theNumber.length; x++) {
theOutput += theNumber.substring(x,x+1);
if (isThousands(theNumber.length-x-1) && (theNumber.length-x-1
!=0)) {
theOutput += theThousands;
};
};
theOutput += theDecimal + theDecimalDigits;
return theOutput;
};
alert(formatMoney(12345.67,"$",",","."))
alert(formatMoney(123456,"£",".",","))

</script>

--
Dennis M. Marks
http://www.dcs-chico.com/~denmarks/
Replace domain.invalid with dcsi.net
-----= Posted via Newsfeeds.Com, Uncensored Usenet News =-----
http://www.newsfeeds.com - The #1 Newsgroup Service in the World!
-----== Over 100,000 Newsgroups - 19 Different Servers! =-----

Jul 23 '05 #6
JRS: In article <3c**********@hotpop.com>, seen in
news:comp.lang.javascript, Lasse Reichstein Nielsen <lr*@hotpop.com>
posted at Thu, 8 Apr 2004 02:08:30 :
There's no need to reverse the string.
<URL:http://www.merlyn.demon.co.uk/js-maths.htm#OutComma>


I notice the result -,123 :)


In a section which starts "Note that ThouS is for non-negative integers,
and Comma is for integers.", from function ThouS, the first line of
which was

function ThouS(SS) { var X = "", S = String(SS), L // SS >= 0

so that result demonstrates that the comment is significant.

That line of the results is now marked as comment.

--
© John Stockton, Surrey, UK. ?@merlyn.demon.co.uk Turnpike v4.00 IE 4 ©
<URL:http://jibbering.com/faq/> Jim Ley's FAQ for news:comp.lang.javascript
<URL:http://www.merlyn.demon.co.uk/js-index.htm> jscr maths, dates, sources.
<URL:http://www.merlyn.demon.co.uk/> TP/BP/Delphi/jscr/&c, FAQ items, links.
Jul 23 '05 #7
JRS: In article <07*************************@domain.invalid>, seen in
news:comp.lang.javascript, Dennis M. Marks <de******@domain.invalid>
posted at Wed, 7 Apr 2004 18:03:45 :
I took the challenge and wrote the following. If you find an error, let
me know. /// This script will format positive money values. Pass it a number


/* !!! */ alert(formatMoney(0.07, "£", ".", ",")) // -> 0.70
FAQ 4.6, IIRC, used that underlying method up to 2001-01-22. It was
replaced. The FAQ section cites a page which includes a section
"Testing" which recommends numbers to try : St Luke: Chapter 10, Verse
37, tail, applies.

Your method degrades badly at sums of $1e21 and up, too.

BTW, the X-Comments line of your header is defective.

Familiarising oneself with a newsgroup FAQ before posting protects
against unnecessary embarrassment.

--
© John Stockton, Surrey, UK. ?@merlyn.demon.co.uk Turnpike v4.00 IE 4 ©
<URL:http://jibbering.com/faq/> Jim Ley's FAQ for news:comp.lang.javascript
<URL:http://www.merlyn.demon.co.uk/js-index.htm> jscr maths, dates, sources.
<URL:http://www.merlyn.demon.co.uk/> TP/BP/Delphi/jscr/&c, FAQ items, links.
Jul 23 '05 #8
rh
Lasse Reichstein Nielsen wrote:
<snip>
If one only cares about recent versions of Javascript, regular
expressions with lokahead can be used to make it easier:
---
function tsep(n,swap) {
var ts=",", ds="."; // thousands and decimal separators
if (swap) { ts=","; ts="."; } // swap if requested

var ns = String(n),ps=ns,ss=""; // numString, prefixString, suffixString
var i = ns.indexOf(".");
if (i!=-1) { // if ".", then split:
ps = ns.substring(0,i);
ss = ds+ns.substring(i+1);
}
return ps.replace(/(\d)(?=(\d{3})+([.]|$))/g,"$1"+ts)+ss;
}
---

/L


An alternative that doesn't rely on lookahead, and includes
(truncated) $ formatting requested by the OP:

function tsep(n,swap) {
var ns = String(n), seps = [".",","];
if(swap) seps.reverse();
while(/^([^.,]*\d)(\d{3}([.,]|$))/.test(ns)) {
ns = ns.replace(/^([^.,]*\d)(\d{3}([.,]|$))/,"$1"+seps[1]+"$2");
}
ns += ((ns.indexOf(seps[0]) < 0) ? seps[0] : "") +"00";
return "$"+ns.replace(/(\d{2})\d*$/i,"$1");
}

Note that e-formatted n is not checked/handled.

../rh
Jul 23 '05 #9
In article <40***********************@news.syd.swiftdsl.com.a u>,
Douglas <po***************@so.everyone.can.learn.com.au> wrote:
Gday Dennis :)

thanks very much for your efforts...

While I'm not new to programming, this is probably my first attempt to
modify my own JavaScript.

I have made a couple of minor additions to the code you supplied, and
honestly, didnt have the faintest idea where to start because the syntax /
object model / typing etc are so vastly different from the code I am used to
writing.

Here 'tis... prolly a bit longhand and I'm sure theres more 'efficient' ways
to do the same thing but lets face it its prolly only a couple of cpu cycles
and additionally, those cpu cycles are not run on /my/ server :))

Thanks Again.
-Douglas
/// ///
/// JavaScript FormatCurrency Function - FormatCurrency.js ///
/// ///

/// This script will format positive money values. Pass it a number
/// with or without decimal digits. It will be formatted with the currency,
/// thousands, and decimal symbols passed to it.

/// PASSED PARAMETERS
/// theNumber - the number to be formatted
/// theCurrency - the currency symbol
/// theThousands - the thousands separator
/// theDecimal - the decimal separator

function isThousands(position)
{
if (Math.floor(position/3)*3==position) return true;
return false;
};
function formatMoney (theNumber,theCurrency,theThousands,theDecimal)
{

if (theDecimal==undefined)
{
var theDecimalDigits = "";

} else {

var theDecimalDigits =
Math.round((theNumber*100)-(Math.floor(theNumber)*100));
}

theDecimalDigits= "" + (theDecimalDigits + "0").substring(0,2);

theNumber = "" + Math.floor(theNumber);

var theOutput = theCurrency;

for (x=0; x<theNumber.length; x++)
{

theOutput += theNumber.substring(x, x+1);

if (isThousands(theNumber.length-x-1) && (theNumber.length-x-1!=0))
{
theOutput += theThousands;
};
};

if (theDecimal!=undefined)
{
theOutput += theDecimal + theDecimalDigits;
}

return theOutput;
};




----- Original Message -----
From: "Dennis M. Marks" <de******@domain.invalid>
Newsgroups: comp.lang.javascript
Sent: Thursday, April 08, 2004 9:03 AM
Subject: Re: Formatting Number With Thousands Separator

In article <40***********************@news.syd.swiftdsl.com.a u>,
Douglas <po***************@so.everyone.can.learn.com.au> wrote:
Gday,
How would I format a number so that:

TheValue = 32500

Displays in the TextBox as: $32,500.00

Thanks a lot :)
-Douglas

I took the challenge and wrote the following. If you find an error, let
me know.

<script type="text/javascript">

/// This script will format positive money values. Pass it a number
with or without decimal digits. It will be formatted with the currency,
thousands, and decimal symbols passed to it.
/// PASSED PARAMETERS
/// theNumber - the number to be formatted
/// theCurrency - the currency symbol
/// theThousands - the thousands separator
/// theDecimal - the decimal separator

function isThousands(position) {
if (Math.floor(position/3)*3==position) return true;
return false;
};

function formatMoney (theNumber,theCurrency,theThousands,theDecimal) {
var theDecimalDigits =
Math.round((theNumber*100)-(Math.floor(theNumber)*100));
theDecimalDigits= ""+ (theDecimalDigits + "0").substring(0,2);
theNumber = ""+Math.floor(theNumber);
var theOutput = theCurrency;
for (x=0; x<theNumber.length; x++) {
theOutput += theNumber.substring(x,x+1);
if (isThousands(theNumber.length-x-1) && (theNumber.length-x-1
!=0)) {
theOutput += theThousands;
};
};
theOutput += theDecimal + theDecimalDigits;
return theOutput;
};
alert(formatMoney(12345.67,"$",",","."))
alert(formatMoney(123456,"£",".",","))

</script>

--
Dennis M. Marks
http://www.dcs-chico.com/~denmarks/
Replace domain.invalid with dcsi.net
-----= Posted via Newsfeeds.Com, Uncensored Usenet News =-----
http://www.newsfeeds.com - The #1 Newsgroup Service in the World!
-----== Over 100,000 Newsgroups - 19 Different Servers! =-----


There is a bug that I am checking into. If the first digit after the
decimal is zero it drops it.

--
Dennis M. Marks
http://www.dcs-chico.com/~denmarks/
Replace domain.invalid with dcsi.net
-----= Posted via Newsfeeds.Com, Uncensored Usenet News =-----
http://www.newsfeeds.com - The #1 Newsgroup Service in the World!
-----== Over 100,000 Newsgroups - 19 Different Servers! =-----
Jul 23 '05 #10
Corrected Script
if (theDecimalDigits < 10) {theDecimalDigits = "0"+theDecimalDigits};
ADDED
<script type="text/javascript">

/// This script will format positive money values. Pass it a number
with or without decimal digits. It will be formatted with the currency,
thousands, and decimal symbols passed to it.
/// PASSED PARAMETERS
/// theNumber - the number to be formatted
/// theCurrency - the currency symbol
/// theThousands - the thousands separator
/// theDecimal - the decimal separator

function isThousands(position) {
if (Math.floor(position/3)*3==position) return true;
return false;
};

function formatMoney (theNumber,theCurrency,theThousands,theDecimal) {
var theDecimalDigits =
Math.round((theNumber*100)-(Math.floor(theNumber)*100));
if (theDecimalDigits < 10) {theDecimalDigits = "0"+theDecimalDigits};
theDecimalDigits= ""+ (theDecimalDigits + "0").substring(0,2);
theNumber = ""+Math.floor(theNumber);
var theOutput = theCurrency;
for (x=0; x<theNumber.length; x++) {
theOutput += theNumber.substring(x,x+1);
if (isThousands(theNumber.length-x-1) && (theNumber.length-x-1 !=
0)) {
theOutput += theThousands;
};
};
theOutput += theDecimal + theDecimalDigits;
return theOutput;
};

</script>

--
Dennis M. Marks
http://www.dcs-chico.com/~denmarks/
Replace domain.invalid with dcsi.net
-----= Posted via Newsfeeds.Com, Uncensored Usenet News =-----
http://www.newsfeeds.com - The #1 Newsgroup Service in the World!
-----== Over 100,000 Newsgroups - 19 Different Servers! =-----
Jul 23 '05 #11
ok cool

didnt actually notice that problem but thanks for the bugfix :)

what i was trying to do with my addition was (in pseudocode):

if no decimal parameter is passed,
dont display the decimal value
(i suppose it /should/ round at this point? =P)
otherwise
go the whole hog
end if

sometimes i need to call the full formula

ie:
cost per m² = $13.65

but the end result will usually be something like:

overall cost = cost per m² * area = $136,500

so in that case i dont want to include the decimal.

on a second issue, consider the following:

--------------------------------
area cost/m² total
--------------------------------
area1 100 $13.65 $1,365
area2 1000 $14.52 $14,520
area3 10000 $17.49 $174,900
--------------------------------
grand total: $190,785
--------------------------------

the grand total now comes up with NaN (not a number i assume?)

even though the formula reads:

gtotal = parseFloat(area1) + parseFloat(area2) + parseFloat(area3);

not sure if i should be using parseFloat or ParseInt...

as I mentioned i dont have a c/jscript background so some of this is a
little unclear to me.

thanks again for your help :)
-Douglas


----- Original Message -----
From: "Dennis M. Marks" <de******@domain.invalid>
Newsgroups: comp.lang.javascript
Sent: Friday, April 09, 2004 6:02 AM
Subject: Re: Formatting Number With Thousands Separator - corrected

Corrected Script
if (theDecimalDigits < 10) {theDecimalDigits = "0"+theDecimalDigits};
ADDED
<script type="text/javascript">

/// This script will format positive money values. Pass it a number
with or without decimal digits. It will be formatted with the currency,
thousands, and decimal symbols passed to it.
/// PASSED PARAMETERS
/// theNumber - the number to be formatted
/// theCurrency - the currency symbol
/// theThousands - the thousands separator
/// theDecimal - the decimal separator

function isThousands(position) {
if (Math.floor(position/3)*3==position) return true;
return false;
};

function formatMoney (theNumber,theCurrency,theThousands,theDecimal) {
var theDecimalDigits =
Math.round((theNumber*100)-(Math.floor(theNumber)*100));
if (theDecimalDigits < 10) {theDecimalDigits = "0"+theDecimalDigits};
theDecimalDigits= ""+ (theDecimalDigits + "0").substring(0,2);
theNumber = ""+Math.floor(theNumber);
var theOutput = theCurrency;
for (x=0; x<theNumber.length; x++) {
theOutput += theNumber.substring(x,x+1);
if (isThousands(theNumber.length-x-1) && (theNumber.length-x-1 !=
0)) {
theOutput += theThousands;
};
};
theOutput += theDecimal + theDecimalDigits;
return theOutput;
};

</script>

--
Dennis M. Marks
http://www.dcs-chico.com/~denmarks/
Replace domain.invalid with dcsi.net
-----= Posted via Newsfeeds.Com, Uncensored Usenet News =-----
http://www.newsfeeds.com - The #1 Newsgroup Service in the World!
-----== Over 100,000 Newsgroups - 19 Different Servers! =-----

Jul 23 '05 #12
In article <40***********************@news.syd.swiftdsl.com.a u>,
Douglas <po***************@so.everyone.can.learn.com.au> wrote:

<snip>
on a second issue, consider the following:

--------------------------------
area cost/m² total
--------------------------------
area1 100 $13.65 $1,365
area2 1000 $14.52 $14,520
area3 10000 $17.49 $174,900
--------------------------------
grand total: $190,785
--------------------------------

the grand total now comes up with NaN (not a number i assume?)

even though the formula reads:

gtotal = parseFloat(area1) + parseFloat(area2) + parseFloat(area3);

not sure if i should be using parseFloat or ParseInt...

as I mentioned i dont have a c/jscript background so some of this is a
little unclear to me.

thanks again for your help :)
-Douglas

Parsing seems to stop at the first non numeric character which is the
dollar sign. You may need to display formatted numbers after
calculations. Maybe keep 2 sets, one formatted and one not. I hope
someone has a better answer. I have never used parseInt or parseFloat
until I just tested it now.

BTW: Post responses at the bottom rather than the top.

--
Dennis M. Marks
http://www.dcs-chico.com/~denmarks/
Replace domain.invalid with dcsi.net
-----= Posted via Newsfeeds.Com, Uncensored Usenet News =-----
http://www.newsfeeds.com - The #1 Newsgroup Service in the World!
-----== Over 100,000 Newsgroups - 19 Different Servers! =-----
Jul 23 '05 #13

"Dennis M. Marks" <de******@domain.invalid> wrote in message
news:090420040723038633%de******@domain.invalid...
In article <40***********************@news.syd.swiftdsl.com.a u>,
Douglas <po***************@so.everyone.can.learn.com.au> wrote:

<snip>
on a second issue, consider the following:

--------------------------------
area cost/m² total
--------------------------------
area1 100 $13.65 $1,365
area2 1000 $14.52 $14,520
area3 10000 $17.49 $174,900
--------------------------------
grand total: $190,785
--------------------------------

the grand total now comes up with NaN (not a number i assume?)

even though the formula reads:

gtotal = parseFloat(area1) + parseFloat(area2) + parseFloat(area3);

not sure if i should be using parseFloat or ParseInt...

as I mentioned i dont have a c/jscript background so some of this is a
little unclear to me.

thanks again for your help :)
-Douglas

Parsing seems to stop at the first non numeric character which is the
dollar sign. You may need to display formatted numbers after
calculations. Maybe keep 2 sets, one formatted and one not. I hope
someone has a better answer. I have never used parseInt or parseFloat
until I just tested it now.

BTW: Post responses at the bottom rather than the top.

--
Dennis M. Marks
http://www.dcs-chico.com/~denmarks/
Replace domain.invalid with dcsi.net
-----= Posted via Newsfeeds.Com, Uncensored Usenet News =-----
http://www.newsfeeds.com - The #1 Newsgroup Service in the World!
-----== Over 100,000 Newsgroups - 19 Different Servers! =-----


No worries :)

upon further consideration, i realised i should probably make the grandtotal
formula like this:

gtotal = (area1 * cost1) + (area2 * cost2) + (area3 * cost3);

rather than summing the results of the calculated fields.

-Douglas


Jul 23 '05 #14
JRS: In article <08*************************@domain.invalid>, seen in
news:comp.lang.javascript, Dennis M. Marks <de******@domain.invalid>
posted at Thu, 8 Apr 2004 14:57:48 :
Lines: 183
... ... ...
There is a bug that I am checking into. If the first digit after the
decimal is zero it drops it.
...


You've been posting here long enough to have learnt how follow-up posts
should be formatted; it's explained in the FAQ.

Answer after what needs to be quoted; signatures almost never need be
reproduced.

See also via below.

--
© John Stockton, Surrey, UK. ?@merlyn.demon.co.uk Turnpike v4.00 MIME ©
Web <URL:http://www.uwasa.fi/~ts/http/tsfaq.html> -> Timo Salmi: Usenet Q&A.
Web <URL:http://www.merlyn.demon.co.uk/news-use.htm> : about usage of News.
No Encoding. Quotes before replies. Snip well. Write clearly. Don't Mail News.
Jul 23 '05 #15
JRS: In article <29*************************@posting.google.com> , seen
in news:comp.lang.javascript, rh <co********@yahoo.ca> posted at Thu, 8
Apr 2004 10:54:13 :

An alternative that doesn't rely on lookahead, and includes
(truncated) $ formatting requested by the OP:

function tsep(n,swap) {
var ns = String(n), seps = [".",","];
if(swap) seps.reverse();
while(/^([^.,]*\d)(\d{3}([.,]|$))/.test(ns)) {
ns = ns.replace(/^([^.,]*\d)(\d{3}([.,]|$))/,"$1"+seps[1]+"$2");
}
ns += ((ns.indexOf(seps[0]) < 0) ? seps[0] : "") +"00";
return "$"+ns.replace(/(\d{2})\d*$/i,"$1");
}

Note that e-formatted n is not checked/handled.


The OP did not state that the value would always be integer.

tsep(0.07, true) -> $0.07,00
tsep(2.07, true) -> $2.07,00

If you must re-invent the wheel, please test it adequately; otherwise,
read the FAQ.

--
© John Stockton, Surrey, UK. ?@merlyn.demon.co.uk Turnpike v4.00 IE 4 ©
<URL:http://jibbering.com/faq/> Jim Ley's FAQ for news:comp.lang.javascript
<URL:http://www.merlyn.demon.co.uk/js-index.htm> jscr maths, dates, sources.
<URL:http://www.merlyn.demon.co.uk/> TP/BP/Delphi/jscr/&c, FAQ items, links.
Jul 23 '05 #16
rh
Dr John Stockton wrote:
JRS: In article <29*************************@posting.google.com> , seen
in news:comp.lang.javascript, rh <co********@yahoo.ca> posted at Thu, 8
Apr 2004 10:54:13 :

An alternative that doesn't rely on lookahead, and includes
(truncated) $ formatting requested by the OP:

function tsep(n,swap) {
var ns = String(n), seps = [".",","];
if(swap) seps.reverse();
while(/^([^.,]*\d)(\d{3}([.,]|$))/.test(ns)) {
ns = ns.replace(/^([^.,]*\d)(\d{3}([.,]|$))/,"$1"+seps[1]+"$2");
}
ns += ((ns.indexOf(seps[0]) < 0) ? seps[0] : "") +"00";
return "$"+ns.replace(/(\d{2})\d*$/i,"$1");
}

Note that e-formatted n is not checked/handled.


The OP did not state that the value would always be integer.

tsep(0.07, true) -> $0.07,00
tsep(2.07, true) -> $2.07,00

If you must re-invent the wheel, please test it adequately; otherwise,
read the FAQ.


My, I gather we're the sensitive sort ... that must have been your
sandpail I was touching? And I'm sorry that Lasse got you all upset.
:(

Actually, if you understood the body of the code (or had adequately
tested prior to becoming all frosty frothy) you might find that there
was no underlying assumption that the "value would always be
integer.".

I did mistakenly conjecture that there could be internationalization
that would produce a string from a number that had "," as the decimal
separator. Well off the mark, I suppose -- and, yes, I should have
known better -- but I note that your referenced page is prepared to
dynamically adjust to precisely such eventuality.

As to attitude -- try referring to me as "pointy head", as you've
presumed to do to a respondent elsewhere, and a suitably qualified
"foreignicator", or something in that ilk, is highly likely to be
embedded in the response text. All in jest, of course! ;)

../rh
Jul 23 '05 #17

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

3
by: Alain Dhaene | last post by:
Hi Can sombody tell me the best way to format a number in this way. 456.45657 must be 456,46 So the point becoms a comma and I would have 2 digits i.pv. 5 thanks,
2
by: Sebastien de Menten | last post by:
Hi, I need to output numbers to a csv file and use the new csv module in python2.3: " import csv data = ,] w = csv.writer(file("out.csv","w")) w.writerows(data)
3
by: Tim Osborne | last post by:
I want to know if a call to Convert.Int32 can handle a Culture specific string. I have the following code: string sText = "111,111,111"; int i; i = Convert.Int32(...
0
by: Josh Harris | last post by:
Here is my issue: I have a datagrid that is populated with a datatable. I want the columns of the datagrid to be sortable. I also want to format the numeric columns such as two decimal places...
1
by: staeri | last post by:
When I print the value returned from a web service in a label I format it with '<%# Eval("Number", "{0:#,###}") %>'. If the value returned is 0 it is shown as blank in the label. How can I...
1
by: pebelund | last post by:
Hi I got an .aspx that got the following code (example) <td width="120"> <% = row %> </td> row takes a value from a SQL db, that is a string of numbers. On the webbsite I want this to show...
0
by: =?Utf-8?B?RGV2ZXJz?= | last post by:
I'm trying to display formatted numeric values with various masks, such as ##,###,##0.0000, but I'm having a terrible time with the MaskedTextBox control. Even though I've bound it to a numeric...
0
by: Rob Weir | last post by:
On 13 Aug 2008, rkmr wrote: http://mail.python.org/pipermail/python-list/1999-December/018519.html is a good start - just need to change the table to something like:: _abbrevs = (and add a...
2
by: =?Utf-8?B?anAybXNmdA==?= | last post by:
I know how to format a string to use decimal places: Code: Console.WriteLine(string.Format("$ {0:0.00}", 4)); Output: $ 4.00 How would I format a string to use the Thousands Separator? ...
1
by: CloudSolutions | last post by:
Introduction: For many beginners and individual users, requiring a credit card and email registration may pose a barrier when starting to use cloud servers. However, some cloud server providers now...
0
by: Faith0G | last post by:
I am starting a new it consulting business and it's been a while since I setup a new website. Is wordpress still the best web based software for hosting a 5 page website? The webpages will be...
0
by: taylorcarr | last post by:
A Canon printer is a smart device known for being advanced, efficient, and reliable. It is designed for home, office, and hybrid workspace use and can also be used for a variety of purposes. However,...
0
by: Charles Arthur | last post by:
How do i turn on java script on a villaon, callus and itel keypad mobile phone
0
by: aa123db | last post by:
Variable and constants Use var or let for variables and const fror constants. Var foo ='bar'; Let foo ='bar';const baz ='bar'; Functions function $name$ ($parameters$) { } ...
0
by: ryjfgjl | last post by:
If we have dozens or hundreds of excel to import into the database, if we use the excel import function provided by database editors such as navicat, it will be extremely tedious and time-consuming...
0
by: ryjfgjl | last post by:
In our work, we often receive Excel tables with data in the same format. If we want to analyze these data, it can be difficult to analyze them because the data is spread across multiple Excel files...
0
by: emmanuelkatto | last post by:
Hi All, I am Emmanuel katto from Uganda. I want to ask what challenges you've faced while migrating a website to cloud. Please let me know. Thanks! Emmanuel
0
BarryA
by: BarryA | last post by:
What are the essential steps and strategies outlined in the Data Structures and Algorithms (DSA) roadmap for aspiring data scientists? How can individuals effectively utilize this roadmap to progress...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.