所以我知道有关于Money和转换成美分的多个问题。 哎呀我甚至问过另一个,但是我想提出一个稍微不同的问题,所以我希望那里没有重复。
所以我创建了一个带有美元值并将其发送到CENTS的函数。 但我认为我的代码有点问题,希望我能稍微调整一下。
$money4 = "10.0001";
// Converted to cents, as you can see it's slightly off.
$money41 = "1001";
// So when "1001", get's put in the database, and then I return it back as a Money variable.
// We get, "$10.01"... but what I have now is a leak in my amounts... as it rounded up to the second point.
所以为了做我已经做过的事情,我已经习惯了我做的功能。
// This essentially gets a DOLLAR figure, or the CENT's Figure if requested.
function stripMoney($value, $position = 0, $returnAs = "")
{
// Does it even have a decimal?
if(isset($value) && strstr($value, ".")) {
// Strip out everything but numbers, decimals and negative
$value = preg_replace("/([^0-9\.\-])/i","",$value);
$decimals = explode(".", $value);
// Return Dollars as default
return ($returnAs == "int" ? (int)$decimals[$position] : $decimals[$position]);
} elseif(isset($value)) {
// If no decimals, lets just return a solid number
$value = preg_replace("/([^0-9\.\-])/i","",$value);
return ($returnAs == "int" ? (int)$value : $value);
}
}
我使用的下一个功能是生成CENTS或以美元形式返回。
function convertCents($money, $cents = NULL, $toCents = TRUE)
{
if(isset($money)) {
if($toCents == TRUE) {
// Convert dollars to cents
$totalCents = $money * 100;
// If we have any cents, lets add them on as well
if(isset($cents)) {
$centsCount = strlen($cents);
// In case someone inputs, $1.1
// We add a zero to the end of the var to make it accurate
if($centsCount < 2) {
$cents = "{$cents}0";
}
// Add the cents together
$totalCents = $totalCents + $cents;
}
// Return total cents
return $totalCents;
} else {
// Convert cents to dollars
$totalDollars = $money / 100;
return $totalDollars;
}
}
}
将所有内容放在一起的最终功能。所以我们只使用1个函数将两个函数基本合并在一起。
function convertMoney($value, $toCents = TRUE) {
if(isset($value) && strstr($value, ".")) {
return convertCents(stripMoney($value, 0), stripMoney($value, 1), $toCents);
} elseif(!empty($value)) {
return convertCents(stripMoney($value, 0), NULL, $toCents);
}
}
我所做的可能是矫枉过正,但我认为除了这个细节之外我还能看到它相当可靠。
任何人都可以帮助我进行这些调整吗?
答案 0 :(得分:3)
如果您需要确切的答案,请不要使用浮点运算。这适用于几乎所有语言,而不仅仅是PHP。阅读PHP manual中的重大警告。
取而代之的是BC Math或GMP extension。后者仅适用于整数,因此您可能对BC Math最感兴趣。
答案 1 :(得分:2)
我认为 money_format 是您正在寻找的功能......
<?php
$number = 1234.56;
// let's print the international format for the en_US locale
setlocale(LC_MONETARY, 'en_US');
echo money_format('%i', $number) . "\n";
// USD 1,234.56
// Italian national format with 2 decimals`
setlocale(LC_MONETARY, 'it_IT');
echo money_format('%.2n', $number) . "\n";
// Eu 1.234,56
?>