将数量分解为数千,数百等

时间:2012-07-26 12:13:07

标签: php math currency

我目前正在为我的公司制作支票打印解决方案。打印支票时,您需要从支付金额中打印数百万,数十万,数千,数百,数十,单位(磅/美元/欧元等)。

在111232.23的情况下,从下面编写的代码中正确输出以下内容。我不能帮助感觉有一种更有效或更可靠的方法吗?有没有人知道这样做的库/类数学技术?

float(111232.23)
Array
(
    [100000] => 1
    [10000] => 1
    [1000] => 1
    [100] => 2
    [10] => 3
    [1] => 2
)

<?php

$amounts = array(111232.23,4334.25,123.24,3.99);

function cheque_format($amount)
{
    var_dump($amount);
    #no need for millions
    $levels = array(100000,10000,1000,100,10,1);
    do{
        $current_level = current($levels);
        $modulo = $amount % $current_level;
        $results[$current_level] = $div = number_format(floor($amount) / $current_level,0);
        if($div)
        {
            $amount -= $current_level * $div;
        }
    }while($modulo && next($levels));

print_r($results);
}

foreach($amounts as $amount)
{
 cheque_format($amount);
}
?>

3 个答案:

答案 0 :(得分:3)

我想你刚刚重写了PHP所拥有的number_format函数。我的建议是使用PHP函数而不是重写它。

<?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

?>

答案 1 :(得分:2)

我不确定PHP脚本到底是什么,但是如果你有10000,1000,100,10,1就是你需要的东西。 $ 10,000美元的金额是多少?

floor($dollar/10000)

有多少?

floor(($dollar%10000)/1000) 

等。

答案 2 :(得分:1)

这不是问题的答案,但以下也会细分小数。

function cheque_format($amount, $decimals = true, $decimal_seperator = '.')
{
    var_dump($amount);

    $levels = array(100000, 10000, 1000, 100, 10, 5, 1);
    $decimal_levels = array(50, 20, 10, 5, 1);

    preg_match('/(?:\\' . $decimal_seperator . '(\d+))?(?:[eE]([+-]?\d+))?$/', (string)$amount, $match);
    $d = isset($match[1]) ? $match[1] : 0;

    foreach ( $levels as $level )
    {
        $level = (float)$level;
        $results[(string)$level] = $div = (int)(floor($amount) / $level);
        if ($div) $amount -= $level * $div;
    }

    if ( $decimals ) {
        $amount = $d;
        foreach ( $decimal_levels as $level )
        {
            $level = (float)$level;
            $results[$level < 10 ? '0.0'.(string)$level : '0.'.(string)$level] = $div = (int)(floor($amount) / $level);
            if ($div) $amount -= $level * $div;
        }
    }

    print_r($results);
}