I have been working on this problem for some time now. The problem asks to find two numbers x and y such that the product of the squares of x and y equal the cube of k. My approach was to solve for x, given that an input of 1 would give a number, lim, that when squared is equal to k cubed. The code first tests if the square root of the function arg is an integer or not. It not then 0 is returned. If not, then the lim is found. The code then iterates through a range of numbers, i, starting at 1 up to the square root of lim, testing to see if the quotient of lim and i is an integer or not. Since the problem asks for the number of divisors, I found it best to use reduce and count the number of successful x and y pairs, rather than iterate through a list to find its size.
def c(k: Long) = {
val sqrtk = math.sqrt(k)
sqrtk.isWhole match {
case false => 0
case true =>
val lim = k * sqrtk
(1 to math.sqrt(lim).toInt).foldLeft(0)((acc, i) =>
if ((lim / i).isWhole) acc + 2 else acc
)
}
}
I am pretty sure that the problem lies in the use of the two square roots and the division being performed, but I have so far been unable to make this code perform any better. Initially I was unable to even pass the basic tests and now I can pass about 48 of the random tests, and am hopefully close to passing all the tests. I have tried numerous other solutions, including making my own square root function, and trying to find all divisors with prime numbers, etc., but none have been as fast as the code I have posted above. Like the title says, this code is written in Scala.
Thanks in advance for any assistance that can be offered.
NOTE:
- The combinations (x^2, y^2) must be whole/integer values.
- The fixed tests for the problem have 33 k values, the largest of them is 10000000095. These tests are followed by so far up to 48 random k values. The max time allowed to finish all k values is 16 seconds, and times out before finishing all the tests.
Here is a straightforward approach:
z * z * z = x * x * y * y
means thatz * sqrt(z) = x * y
sqrt(z)
is not an integer, it is irrational, therefore there are 0 solutionsq = sqrt(z)
be the integer square root.q = f1^e1 * ... fN^eN
with prime factorsf_i
and positive integer exponentse_i
.x * y = f1^(3 * e1) * ... * fN^(3 * eN)
(3 * e1 + 1) * ... * (3 * eN + 1)
essentially different ways to partition the factors betweenx
andy
So, assuming some kind of factorization algorithm
factorize
, that would be:Full code with an overly simplistic
factorize
:which prints
as expected. I didn't test whether it's fast enough, didn't bother to register.
If that's still too slow, steal Pollard's Rho somewhere.