9

在我的数据库中,我有类似的值

256.23、200.33、89.33、133.45、

我必须将这些值乘以千,然后将结果格式化为价格(逗号分隔)

256.23 x 1000 = 256230 我想显示为 256,230

200.33 x 1000 = 200330 我想要这个为 200,330

89.33 x 1000 = 89330 我想要这个为 89,330

目前我正在使用公式

echo "Price is : $".$price*1000;

但是如何格式化,我不知道。

4

6 回答 6

27

您正在寻找number_format函数。

$price=123456;
echo number_format($price);
// output: 123,456

此函数接受一个、两个或四个参数(不是三个):

如果只给出一个参数,数字将被格式化为不带小数,但在每组千位之间使用逗号 (",")。

如果给定两个参数,则数字将被格式化为小数,小数前有一个点(“.”),每组千位之间有一个逗号(“,”)。

如果给定了所有四个参数,则 number 将被格式化为小数,dec_point 代替小数点前的点(“.”),以及以千位分隔符(“,”)代替千位组之间的逗号(“,”)。

于 2012-07-25T12:38:50.087 回答
3
<?php

$number = 1234.56;

// english notation (default)
$english_format_number = number_format($number);
// 1,235

// French notation
$nombre_format_francais = number_format($number, 2, ',', ' ');
// 1 234,56

$number = 1234.5678;

// english notation without thousands separator
$english_format_number = number_format($number, 2, '.', '');
// 1234.57

?>
于 2012-07-25T13:11:07.530 回答
2

检查 number_format,这里是一个例子

echo number_format(8333*1000, 3, ',', '.');
于 2012-07-25T12:41:13.003 回答
1

上面的答案不考虑小数或四舍五入,这可能对需要担心小数的人有所帮助:

示例:不显示小数使用空格代替逗号,并使用小数和逗号打印:

$price = 1000000.90;
var_dump(number_format(floor((float) $price), 0, ',', ' '));
var_dump(number_format($price, 2, '.', ','));

输出:

string(9) "1 000 000"
string(12) "1,000,000.90"
于 2018-06-20T16:42:14.167 回答
0

$数字 = 1234.56;

setlocale(LC_MONETARY,"en_US");

echo money_format("价格为 %i", $number);

//输出将是“价格为 1,234.56 美元”

于 2014-04-21T09:36:50.343 回答
0

这是使用 PHP 7+ 将价格转换为印度价格格式的自定义函数

function moneyFormatIndia($num) {
    $explrestunits = "" ;
    if(strlen($num)>3) {
        $lastthree = substr($num, strlen($num)-3, strlen($num));
        $restunits = substr($num, 0, strlen($num)-3); // extracts the last three digits
        $restunits = (strlen($restunits)%2 == 1)?"0".$restunits:$restunits; // explodes the remaining digits in 2's formats, adds a zero in the beginning to maintain the 2's grouping.
        $expunit = str_split($restunits, 2);
        for($i=0; $i<sizeof($expunit); $i++) {
            // creates each of the 2's group and adds a comma to the end
            if($i==0) {
                $explrestunits .= (int)$expunit[$i].","; // if is first value , convert into integer
            } else {
                $explrestunits .= $expunit[$i].",";
            }
        }
        $thecash = $explrestunits.$lastthree;
    } else {
        $thecash = $num;
    }
    return $thecash; // writes the final format where $currency is the currency symbol.
}


$amount = '10000034000';
$amount = moneyFormatIndia( $amount );
echo $amount;
于 2019-08-29T12:49:38.417 回答