Editorial for Lyndon's Golf Contest 1 P2 - A Cube Problem
Submitting an official solution before solving the problem yourself is a bannable offence.
Author:
35 bytes
A blind, brute-force implementation of this problem might involve iterating over every integer from
Alternatively, you can search the OEIS and find the sequence to be A000537. With that, we can achieve a
n=int(input())
print((n*(n+1)//2)**2)
To obtain //
) for a bitwise-right shift (>>
) to lower the precedence:
n=int(input())
print((n*n+n>>1)**2)
34 bytes
Recall that the unary operator ~
takes the bitwise NOT of a given number. Due to two's complement, ~n
happens to be equivalent to -(n+1)
. Using this observation, we may find that our previous
n=int(input())
print((n*-~n//2)**2)
The final byte save lies in the fact that the square of a negative number is always positive, and thus we can deduce that the -
in our formula can be omitted to obtain our final solution of
n=int(input())
print((n*~n//2)**2)
Comments