views:

153

answers:

1

I have a list of digits number, say "123456", and I need to map it to a string, any string. The only constraint on the map functions are:

  • each list of digits number must map to a unique character string (this means the string can be arbitrarily long)
  • character string can only contain 0-9, a-z, A-Z

What map function would produce the shortest strings?

Solutions in JavaScript are preferred.

note: Clearly the simplest solution is to use the original list of digits number, so make sure you solution does better than that.

+6  A: 

You may want to use Base 36 or Base 62.

Base 36 would be the most compact for case-insensitive alphanumerical characters, but if you want to exploit case-sensitivity, Base 62 would be approximately 20% more compact.

For Base 36, you can easily use JavaScript's Number.toString(radix) method, as follows:

var n = 123456;
n.toString(36); // returns: "2n9c"

For Base 62, you may want to check this forum post. Basically you should be able to do the following:

Number.prototype.toBase = function (base) {
    var symbols = 
    "0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ".split("");
    var decimal = this;
    var conversion = "";

    if (base > symbols.length || base <= 1) {
        return false;
    }

    while (decimal >= 1) {
        conversion = symbols[(decimal - (base * Math.floor(decimal / base)))] + 
                     conversion;
        decimal = Math.floor(decimal / base);
    }

    return (base < 11) ? parseInt(conversion) : conversion;
}

var n = 123456;
n.toBase(62); // returns: "w7e"
Daniel Vassallo
Unless I'm mistaken, OP requires base 62.
spender
@spender: Yes, you're right, since A-Z was explicitly mentioned. Modified my answer.
Daniel Vassallo
123456.toString(36) does satisfy the requirements... too bad it doesn't do base 62, that would be better.
alumb
You are computing `Math.floor(decimal / base)` twice, I wouldn't call `parseInt` at the end, and I would throw a RangeError exception instead of returning false.
Alsciende
@Alsciende: Good points... I'll tweak it a bit later on...
Daniel Vassallo