0

此代码为少量元素产生正确的结果,但我不知道为什么结果对于大量数字(100,000 个元素)不正确。例如,这是coursera 中的 100,000 个整数文本文件。我已经从我的 python 代码中得到了正确的结果。但我想弄清楚为什么这个 php 代码不正确。输出是 2397819672 而不是 2407905288。

$raw_input = file_get_contents($argv[1]);

$arr_input = explode("\n",trim($raw_input));

$count = 0.0;

function merge_sort($a)
{
    if(count($a) <2) return $a;
    $hl = count($a)/2;
    return merge(merge_sort(array_slice($a, 0, $hl)), merge_sort(array_slice($a, $hl)));

}

function merge($l, $r)
{
    global $count;
    $result = array();
    $i = $j = 0;

    while($i < sizeof($l) && $j < sizeof($r))
    {
        if($l[$i] < $r[$j])
        {
            $result[] =$l[$i];
            $i++;
        }
        else
        {
            $result[] =$r[$j];
            $count+= (sizeof($l) - $i);
            $j++;
        }
    }

    while($i <sizeof($l))
    {
        $result[] = $l[$i];
        $i++;
    }

    while($j <sizeof($r))
    {
        $result[] = $r[$j];
        $j++;
    }
    return $result;
}

$sorted = merge_sort($arr_input);

print $count . "\n";
4

3 回答 3

1

我敢打赌你在 PHP 中达到了最大整数值。

根据官方文档:

http://php.net/manual/en/language.types.integer.php

The size of an integer is platform-dependent, although a maximum value of about two billion is the usual value (that's 32 bits signed). 64-bit platforms usually have a maximum value of about 9E18. PHP does not support unsigned integers. Integer size can be determined using the constant PHP_INT_SIZE, and maximum value using the constant PHP_INT_MAX since PHP 4.4.0 and PHP 5.0.5.

所以你可以改变 int_max 常数。

还有一些未经测试的东西:将其用作字符串。

于 2013-07-06T10:04:17.433 回答
1

我不认为这是与最大整数值相关的问题,因为我在 python 中也遇到过这个问题。如果我的代码的最后一部分是

f = open('IntegerArray.txt')
unsorted = list()
for line in f:
    unsorted.append(line)
merge_sort(unsorted)

如果我的代码的最后一部分是,我得到正确答案 2407905288

f = open('IntegerArray.txt')
unsorted = list()
for line in f:
    unsorted.append(int(line))
merge_sort(unsorted)

你能找出区别吗?这就是答案所在。

于 2013-07-07T08:42:14.450 回答
1

与上述答案之一类似,我使用的是 Python。错误是您的代码可能正在进行字符串比较而不是 int 比较。例如,在 Python 中,'33' < '4' 为 True。

于 2015-06-02T06:09:58.290 回答