给定一个正整数,返回它在 Excel 表中相对应的列名称。
例如,
1 -> A
2 -> B
3 -> C
…
26 -> Z
27 -> AA
28 -> AB
…
示例 1:
输入: 1
输出: “A”
示例 2:
输入: 28
输出: “AB”
示例 3:
输入: 701
输出: “ZY”
十进制转26进制
class Solution:
def convertToTitle(self, n: int) -> str:
res = ""
while n:
n, y = divmod(n, 26)
if y == 0:
n -= 1
y = 26
res = chr(y + 64) + res
return res
class Solution:
def convertToTitle(self, n: int) -> str:
res = ""
while n:
n -= 1
n, y = divmod(n, 26)
res = chr(y + 65) + res
return res
递归法
class Solution:
def convertToTitle(self, n: int) -> str:
return "" if n == 0 else self.convertToTitle((n - 1) // 26) + chr((n - 1) % 26 + 65)
标签:26,示例,int,res,self,Excel,表列,名称,convertToTitle
From: https://blog.csdn.net/baidu_1234567/article/details/144198007