Is There A Good Python Library That Can Turn Numbers Into Their Respective "symbols"?
0 = 0 1 = 1 ... 9 = 9 10 = a 11 = b ... 35 = z 36 = A 37 = B ... 60 = Z 61 = 10 62 = 11 ... 70 = 19 71 = 1a 72 = 1b I don't know what this is called. Base something? All I want i
Solution 1:
>>>int("a", 36)
10
>>>int("z", 36)
35
>>>int("10", 36)
36
The other direction is more complicated, but try this ActiveState recipe.
Normally base conversions make no distinction between cases. I'm not sure how to completely extend this to make that distinction, but the recipe should give you a start.
Solution 2:
You may inherit numbers.Number:
defbaseN(base,alphabet='0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'):
class_baseN(numbers.Number):
digits=alphabet[:base]
def__init__(self,value):
ifisinstance(value,int):
self.value=value
if self.value==0:
self.string='0'else:
tmp=[abs(value)]
while tmp[0]!=0:
tmp[:1]=divmod(tmp[0],base)
tmp=[alphabet[i] for i in tmp]
tmp[0]='-'if self.value<0else''
self.string=''.join(tmp)
elifisinstance(value,str):
assert(value.isalnum())
self.string=str(value)
self.value=0for d in value:
self.value=self.value*base+self.digits.index(d)
else:
self.value=0
self.string='0'def__int__(self):
return self.value
def__str__(self):
return self.string
def__repr__(self):
return self.string
def__add__(self,another):
return self.__class__(self.value+int(another))
returnNoneif base>len(alphabet) else _baseN
Found another bug. Change it to a factory function. Now may handle general situation.
Post a Comment for "Is There A Good Python Library That Can Turn Numbers Into Their Respective "symbols"?"