2

我需要将一组数字和总数转换为一个简单的语句。

例如,如何通过 PHP 以编程方式将以下内容转换为简单的语句,如 , 1 out of 101 out of 100甚至舍入一些语句(如2 out of 1009000,400000)。

生成样本数组:

$arr = array();
for ($i=0; $i < 100; $i++) {
    $n = mt_rand(1,1000);
    $t = mt_rand(10,100000);
    if ($n > $t) continue; // skip!
    $arr[] = array($n,$t);
}
/*
// Generates pairs like:
// Array
// (
//     [0]  => Array ( [0] => 55  [1] => 8774  )
//     [1]  => Array ( [0] => 814 [1] => 11174 )
//     [2]  => Array ( [0] => 255 [1] => 32168 )
//     ...
//     [99] => Array ( [0] => 851 [1] => 24231 )
// )
*/

运行一个函数并打印简化的结果:

foreach ($arr as $a) {
    echo $a[0] . '/' . $a[1] . ' ==> ' . simplifyRatio($a[0],$a[1]) . "\r\n";
}

你能指出我如何做到这一点的正确方向吗?

这是我正在处理的功能的开始,但解决方案正在逃避我。

function simplifyRatio($n,$t) {
    $p = $n/$t;
    if ($p > 0.09) return round($n) . ' out of ' . round($t);
    if ($p > 0.009) return round($n) . ' out of ' . round($t);
}

理想情况下,分母应该是:1,2,3...10,20,30...100,200,300...1000,2000,3000...10000,20000,30000...100000 (max)

4

3 回答 3

1

假设总是一个百分比。您可能还想在显示之前sprintf $outof

function convertPercent($iPercent)
{
  // Assume validation on $iPercent
  $outof = round(100 / $iPercent);
  return "1 out of $outof";
}
于 2013-02-15T20:13:02.227 回答
1

为简单起见,我假设您可以得到分数(即 25% 是 25/100、0.7% = 7/1000 等)。

您可以使用欧几里得算法找到分子和分母的 GCD: http ://en.wikipedia.org/wiki/Euclidean_algorithm

在 php 中,它看起来像这样:

function gcd ($int1, $int2) {
    $tmp = 0;
    while ($int1 > 0) {
        $tmp = $int1;
        $int1 = $int2 % $int1;
        $int2 = $tmp;
    }
    return $int2;
}

只要 $int1 和 $int2 是大于 0 的整数,这将起作用(您可能需要输入一些逻辑来确保这一点)。如果你需要负数,就取绝对值。

了解了 GCD,剩下的就很容易弄清楚了:

function reduce($numerator, $denominator) {
    $gcd = gcd($numerator, $denominator);
    echo ($numerator/$gcd) . " out of " . ($denominator/$gcd);
}
echo reduce(4, 8).'<br>'; // 1 out of 2
echo reduce(38, 897).'<br>'; // 38 out of 897
echo reduce(39, 26).'<br>'; // 3 out of 2

希望这可以帮助!

于 2013-02-15T22:32:41.640 回答
0

我最终决定在 pattern 上接近匹配1 out of ___,如下所示:

function simplifyRatio($n,$t) {
    $r = $t/$n;
    return '1 out of ' . round($r);
}

// Examples:
$arr = array();
for ($i=0; $i < 100; $i++) {
    $n = mt_rand(1,1000);
    $t = mt_rand(10,100000);
    if ($n > $t) continue; // skip!
    $arr[] = array($n,$t);
}
foreach ($arr as $a) {
    echo $a[0] . '/' . $a[1] . ' ==> ' . simplifyRatio($a[0],$a[1]) . "\r\n";
}

示例结果:

1000/24819 ==> 1 out of 25
309/50305 ==> 1 out of 163
488/99123 ==> 1 out of 203
322/47610 ==> 1 out of 148
183/54287 ==> 1 out of 297
752/67646 ==> 1 out of 90
240/68854 ==> 1 out of 287
301/81345 ==> 1 out of 270
611/16404 ==> 1 out of 27
522/62992 ==> 1 out of 121

键盘: http ://codepad.org/wu6iOdDq

最初我希望以四舍五入的分母结束(10,20...100,200...1000,2000 等),但我不确定如何做好。我会很高兴地奖励一个清理上述分母的答案。

于 2013-02-15T20:55:38.343 回答