Last active
September 24, 2021 11:05
-
-
Save squio/1e6892ef4f81e8033f0fabc4e6e1fcb8 to your computer and use it in GitHub Desktop.
Base62 encoding / decoding
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Base62 encoding / decoding | |
// Test: `g++ -Wall -g -std=c++11 base4.cpp && ./a.out` | |
#include <iostream> | |
#include <algorithm> | |
#include <time.h> | |
#include <assert.h> | |
static const char alphanum[] = | |
"0123456789" | |
"ABCDEFGHIJKLMNOPQRSTUVWXYZ" | |
"abcdefghijklmnopqrstuvwxyz"; | |
long fromBase62(std::string base62) { | |
long val = 0; | |
long v = 0; | |
long multiplier = 1; | |
std::reverse(base62.begin(), base62.end()); | |
for (char& c : base62) | |
{ | |
v = -1; | |
for (int i=0; i<62; i++) | |
{ | |
if (c == alphanum[i]) | |
{ | |
v = i; | |
break; | |
} | |
} | |
assert(v >= 0); | |
if (v < 0) | |
{ | |
return 0L; | |
} | |
val += v * multiplier; | |
multiplier *= 62; | |
} | |
assert(val <= LONG_MAX); | |
return val; | |
} | |
std::string toBase62(long val) | |
{ | |
if (val < 0) | |
{ | |
return ""; | |
} | |
assert(val <= LONG_MAX); | |
std::string r; | |
r.reserve(11); // for LONG_MAX 9223372036854775807 -> "AzL8n0Y58m7" | |
while(val != 0) { | |
r += alphanum[(val % 62)]; | |
val /= 62; | |
} | |
std::reverse(r.begin(), r.end()); | |
return r; | |
} | |
int main() { | |
long timeval = (long)time(NULL); | |
std::string b62str = toBase62(timeval); | |
std::cout << "Epoch time: " << timeval << "\nTo base62: " << b62str << "\nTo decimal: " << fromBase62(b62str) << std::endl; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment