用例很简单。我有一个不同长度的字符串列表,我想打印它们,以便以表格形式显示它们(见下文)。考虑列出您计算机上的目录。它将它们显示为适合当前窗口大小的表格,并考虑列表中的最长值,以便所有列对齐。为了我的需要,我将在需要换行之前指定最大行长。
config constants.py fuzzer
fuzzer_session generator.py README.docx
run_fuzzer_session.py run_generator.py tools
util VM_Notes.docx wire_format_discoverer
xml_processor
我想出了一种方法来执行此操作,但显然它仅适用于更新版本的python。它工作的系统使用的是python 3.6.4。我需要在使用2.6.6版的系统上执行此操作。在此系统上尝试代码时,出现以下错误:
$ python test.py . 80
Traceback (most recent call last):
File "test.py", line 46, in <module>
main()
File "test.py", line 43, in main
printTable(dirList, maxLen)
File "test.py", line 27, in printTable
printList.append(formatStr.format(item))
ValueError: zero length field name in format
我认为构建格式说明符所使用的技术正是它所抱怨的。
这是逻辑:
注意:在本示例中,我只是通过获取目录列表来生成列表。我的实际用例不使用目录列表。
import os
import sys
def printTable(aList, maxWidth):
if len(aList) == 0:
return
itemMax = 0
for item in aList:
if len(item) > itemMax:
itemMax = len(item)
if maxWidth > itemMax:
numCol = int(maxWidth / itemMax)
else:
numCol = 1
index = 0
while index < len(aList):
end = index + numCol
subList = aList[index:end]
printList = []
for item in subList:
formatStr = '{:%d}' % (itemMax)
printList.append(formatStr.format(item))
row = ' '.join(printList)
print(row)
index += numCol
def main():
if len(sys.argv) < 3:
print("Usage: %s <directory> <max length>" % (sys.argv[0]))
sys.exit(1)
aDir = sys.argv[1]
maxLen = int(sys.argv[2])
dirList = os.listdir(aDir)
printTable(dirList, maxLen)
if __name__ == "__main__":
main()
有没有办法在python 2.6.6上实现我正在尝试的操作?
我确定有更好的(更多“ pythonic”)方法来执行此处执行的某些步骤。我做我所知道的。如果有人想提出更好的方法,欢迎您发表评论。
以下是成功运行的示例:
>python test.py .. 80
config constants.py fuzzer
fuzzer_session generator.py README.docx
run_fuzzer_session.py run_generator.py tools
util VM_Notes.docx wire_format_discoverer
xml_processor
>python test.py .. 60
config constants.py
fuzzer fuzzer_session
generator.py README.docx
run_fuzzer_session.py run_generator.py
tools util
VM_Notes.docx wire_format_discoverer
xml_processor
>python test.py .. 120
config constants.py fuzzer fuzzer_session generator.py
README.docx run_fuzzer_session.py run_generator.py tools util
VM_Notes.docx wire_format_discoverer xml_processor
答案 0 :(得分:2)
for item in subList:
formatStr = '{:%d}' % (itemMax)
printList.append(formatStr.format(item))
根据ValueError: zero length field name in format in Python2.6.6,在2.6.6中不能有“匿名”格式的字符串。像"{:10}"
这样的语法直到2.7才合法。在此之前,您需要提供一个明确的索引,例如"{0:10}"
for item in subList:
formatStr = '{0:%d}' % (itemMax)
printList.append(formatStr.format(item))
...但是我觉得您可以跳过所有这些,而改用ljust
来为自己省些麻烦。
for item in subList:
printList.append(str(item).ljust(itemMax))