PHP, 85 83 바이트
코드:
function f($n){for($x=$n;$x;$c+=$x,$y++)for(;$n*$n<$x*$x+$y*$y;$x--);return$c*4+1;}
결과 ( 여러 PHP 버전의 경우 https://3v4l.org/bC0cY 를 확인 하십시오 ) :
f(1001)=3147833
time=0.000236 seconds.
ungolfed 코드 :
/**
* Count all the points having x > 0, y >= 0 (a quarter of the circle)
* then multiply by 4 and add the origin.
*
* Walk the lattice points in zig-zag starting at ($n,0) towards (0,$n), in the
* neighbourhood of the circle. While outside the circle, go left.
* Go one line up and repeat until $x == 0.
* This way it checks about 2*$n points (i.e. its complexity is linear, O(n))
*
* @param int $n
* @return int
*/
function countLatticePoints2($n)
{
$count = 0;
// Start on the topmost right point of the circle ($n,0), go towards the topmost point (0,$n)
// Stop when reach it (but don't count it)
for ($y = 0, $x = $n; $x > 0; $y ++) {
// While outside the circle, go left;
for (; $n * $n < $x * $x + $y * $y; $x --) {
// Nothing here
}
// ($x,$y) is the rightmost lattice point on row $y that is inside the circle
// There are exactly $x lattice points on the row $y that have x > 0
$count += $x;
}
// Four quarters plus the center
return 4 * $count + 1;
}
$n*($n+1)
포인트 를 확인 하고 1000 f(1001)
초 느리게 실행하지만 여전히 0.5 초 미만으로 계산 하는 순진한 구현 과 테스트 스위트 (질문에 제공된 샘플 데이터 사용)는 github 에서 찾을 수 있습니다 .