puzzle contents
Contents
raw puzzle

Original Problem

Recently, one of John Conway's $1000 problems proved to be false.

The problem is called Climb to a Prime. Here's how it works: Suppose we have a positive integer n. Find its prime factorization, omitting any exponents of 1, and sort the prime factors in ascending order. Then we "bring down" the exponents, remove the multiplication sign, and form a new number. For example, suppose we have n = 60. Factorize 60 = 22 × 3 × 5, then we "bring down" the exponent 2, remove the multiplication sign, and obtain the result 2235.

This process can then be repeated on the new number, and so on. Usually, this process will make the number bigger and bigger, so repeatedly applying this process can be thought of as "climbing" up the stairs. If we hit a prime number, we'll be stuck at if forever. Continuing the example, 2235 = 3 × 5 × 149, so the next number is 35149, which is a prime, and the "climbing" process is stopped. The "Climb to a Prime" problem conjectures that, for any initial number, this process will always "climb" up to a prime and get stuck there.

Proving this conjecture to be true of false is not an easy task, as there are some initial numbers that we currently don't know whether they will get stuck or not. One such example is the initial value 20: The sequence begins with 20 → 225 → 3252 → 223271 → ……, and currently contains over 100 known non-repeated terms, all of which are composite.

But just a few days ago, a person named James Davis found this number: 13532385396179. If we factorize this number, we get 13532385396179 = 13 × 532 × 3853 × 96179. When we bring down the exponent and remove multiplication sign, we get the number itself. The fact that we are stuck at this composite number proves the conjecture false.

As you see, "climbing" all the way up will sometimes lead to long or even unresolved chains. So in this challenge, you are only asked to do one step of "climbing". That is, given the number n, do the procedure described above one time, and return the result as a string.

Example

Input/Output

Solution

As there were many tasks already to factor a natural number, I decided to use Ruby to do this job here, to reduce the code size. Ruby has the 'prime' module, which extends the number class by prime_division method.

Using the method allows to simply loop over the array and concat the digits and append the exponent if necessary:

require 'prime'

def primeClimb n
 s = ""
 n.prime_division.each { |a, b|
   s+= a.to_s
   s+= b.to_s if b > 1
 }
 s
end