如何在PHP中从具有正数和负数的数组中找到最接近零的值

在最后的日子里, 我需要完成一个编码测试, 以暴露以下需要解决的问题:
如何在PHP中从具有正数和负数的数组中找到最接近零的值 在本练习中, 你必须分析温度记录以找到最接近零的温度。样品温度。在此, -1.7最接近0。实现函数closesToZero以使温度更接近于零(属于数组ts)。

  • 如果ts为空, 则返回0(零)。
  • 如果两个数字接近零, 则将正数视为最接近零(例如, 如果ts包含-5和5, 则返回5)。
【如何在PHP中从具有正数和负数的数组中找到最接近零的值】输入如下:
  • 温度始终以-273至5526范围内的浮点数表示。
  • ts始终是有效数组, 并且永远不会为null。
解 根据公开的数据, 以下实现解决了该问题:
< ?php/** * From a collection of numbers inside an array, returns the closest value to zero. */function computeClosestToZero(array $ts) {if(empty($ts)){return 0; }$closest = 0; for ($i = 0; $i < count($ts) ; $i++) {if ($closest === 0) {$closest = $ts[$i]; } else if ($ts[$i] > 0 & & $ts[$i] < = abs($closest)) {$closest = $ts[$i]; } else if ($ts[$i] < 0 & & -$ts[$i] < abs($closest)) {$closest = $ts[$i]; }}return $closest; }

你可以使用自己的不同示例来测试代码:
$ts = [7, -10, 13, 8, 4, -7.2, -12, -3.7, 3.5, -9.6, 6.5, -1.7, -6.2, 7]; // Result: -1.7echo "Result: " . computeClosestToZero($ts); $ts = [5, 6, 7, 9 , 2, - 2]; // Result: 2echo "Result: " . computeClosestToZero($ts); $ts = []; // Result: 0echo "Result: " . computeClosestToZero($ts);

另外, 社区的解决方案之一还包括另一种选择:
< ?phpfunction closestToZero(array $ts){if (count($ts) === 0) return 0; $closest = $ts[0]; foreach ($ts as $d) {$absD = abs($d); $absClosest = abs($closest); if ($absD < $absClosest) {$closest = $d; } else if ($absD === $absClosest & & $closest < 0) {$closest = $d; }}return $closest; }

编码愉快!

    推荐阅读