我想将行和列索引转换为Excel字母数字单元格引用,例如' A1'。我使用的是python和openpyxl,我怀疑在这个软件包的某个地方有一个实用工具可以做到这一点,但是经过一番搜索后我找不到任何东西。
我编写了以下内容,但是如果可以的话,我宁愿使用openpyxl软件包的一部分。
def xlref(row,column):
"""
xlref - Simple conversion of row, column to an excel string format
>>> xlref(0,0)
'A1'
>>> xlref(0,26)
'AA1'
"""
def columns(column):
from string import uppercase
if column > 26**3:
raise Exception("xlref only supports columns < 26^3")
c2chars = [''] + list(uppercase)
c2,c1 = divmod(column,26)
c3,c2 = divmod(c2,26)
return "%s%s%s" % (c2chars[c3],c2chars[c2],uppercase[c1])
return "%s%d" % (columns(column),row+1)
有谁知道更好的方法吗?
答案 0 :(得分:5)
以下是来自@ Rick答案的openpyxl.utils.get_column_letter
的全新xlref
:
from openpyxl.utils import get_column_letter
def xlref(row, column, zero_indexed=True):
if zero_indexed:
row += 1
column += 1
return get_column_letter(column) + str(row)
现在
>>> xlref(0, 0)
'A1'
>>> xlref(100, 100)
'CW101'
答案 1 :(得分:2)
答案 2 :(得分:1)
看起来openpyxl.utils.get_column_letter与上面的我的列函数具有相同的功能,毫无疑问比我的更加强硬。谢谢你的阅读!