Я не думаю, что есть какая-то одна функция, которая делает это в стандартной библиотеке.Но работая над другим проектом для одного из моих собственных классов, мне пришлось заняться этим типом проблемы, и мое решение выглядело так:
def _base(decimal, base):
"""
Converts a number to the given base, returning a string.
Taken from https://stackoverflow.com/a/26188870/2648811
:param decimal: an integer
:param base: The base to which to convert that integer
:return: A string containing the base-base representation of the given number
"""
li = "0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ"
other_base = ""
while decimal != 0:
other_base = li[decimal % base] + other_base
decimal = decimal // base
if other_base == "":
other_base = "0"
return other_base
def palindromes(num, bases=range(2, 11)):
"""
Checks if the given number is a palindrome in every given base, in order.
Returns the sublist of bases for which the given number is a palindrome,
or an empty list if it is not a palindrome in any base checked.
:param num: an integer to be converted to various bases
:param bases: an iterable containing ints representing bases
"""
return [i for i in bases if _base(num, i) == _base(num, i)[::-1]]
(Менее краткая версияпоследнее утверждение (расширение цикла for
) выглядит следующим образом):
r = []
for i in bases:
b = _base(num, i)
if b == b[::-1]:
r.append(i)
return r
В вашем случае, если вы просто хотите получить список представлений вашего целого числа в различных базах, код будетбыть еще проще:
reps = {b: _base(num, b) for base in range(2, 11)}
будет давать диктат base : representation in that base
.Например, если num = 23
:
{2: '10111',
3: '212',
4: '113',
5: '43',
6: '35',
7: '32',
8: '27',
9: '25',
10: '23'}