溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務(wù)條款》

Python 表格打印

發(fā)布時間:2020-05-29 11:57:27 來源:網(wǎng)絡(luò) 閱讀:840 作者:網(wǎng)絡(luò)大神經(jīng) 欄目:編程語言

Python編程快速上手實踐項目題目,歡迎指證與優(yōu)化!
編寫一個名為 printTable()的函數(shù), 它接受字符串的列表的列表,將它顯示在組
織良好的表格中, 每列右對齊。假定所有內(nèi)層列表都包含同樣數(shù)目的字符串。例如,
該值可能看起來像這樣:
tableData = [['apples', 'oranges', 'cherries', 'banana'],
['Alice', 'Bob', 'Carol', 'David'],
['dogs', 'cats', 'moose', 'goose']]
你的 printTable()函數(shù)將打印出:
Python 表格打印
思路一:
1.計算列表中(包括內(nèi)部列表)最長元素的長度;
2.以最長元素的長度值作為全局右對齊的值打印列表
代碼:

import copy
tableData = [['apples', 'oranges', 'cherries', 'banana'],
['Alice', 'Bob1111111111111', 'Carol', 'David'],
['dogs', 'cats', 'moose', 'goose']]
def count_width(the_list):
    #定義函數(shù):計算列表字符串最長值
    new_list=copy.deepcopy(the_list)
    #復制列表保存到獨立的新列表
    colWidths = [0] * len(new_list)
    #創(chuàng)建一個列表,數(shù)目等同于tableData
    i=0
    while i < len(new_list):
        new_list[i].sort(key = lambda i:len(i),reverse = True)
        '''重新按照字符長度逆序(從大到小),lamba表示匿名函數(shù),key = lambda i:len(i)代表
           以元素i的len()值作為比較
        '''
        colWidths[i]=new_list[i][0]
      #  print (colWidths[i])
        i=i+1
    #將tableData[i]降序排序,取最大值(第一個),得到一個每個內(nèi)層列表中最長的字符串的列表
    colWidths.sort(key = lambda i:len(i),reverse = True)
    width=len(colWidths[0])
    #將colWidths降序排序,取最大值(第一個)并計算其字符寬度
    #print (width)
    #print (the_list)
    #print (new_list)
    return width

def list_rjust(the_list,width):
    for j in range (len(the_list[0])):
        for i in range (len(the_list)):
            print(the_list[i][j].rjust(width),end=" ")
        print("\r")
list_rjust(tableData,count_width(tableData))

思路二:
1.計算列表(數(shù)組,沒有嵌套數(shù)組)最長元素的值;
2.按照列表最長元素的值打印列表(每列的最長值可能不同)
代碼:

tableDate=[['apples', 'oranges', 'cherries', 'banana'],
           ['Alice', 'Bob', 'Carol', 'David'],
           ['dogs', 'cats', 'moose', 'goose']]
def findmaxlen(Dates):
    '''
    計算一個數(shù)組中最長元素的長度
    '''
    maxlen=0
    for i in range(len(Dates)):
        if len(Dates[i])>maxlen:
            maxlen=len(Dates[i])
    return maxlen
#print(findmaxlen(tableDate[0]))

def printTable(the_list):
    for j in range (len(the_list[0])):#打印內(nèi)部數(shù)組的第j個
        for i in range (len(the_list)):#打印數(shù)組的第i個
            print(the_list[i][j].rjust(findmaxlen(the_list[i])),end=' ')
            #打印第i個數(shù)組的第j個內(nèi)部數(shù)組時,按照第i個數(shù)組中的元素最長值右對齊
        print("\r")
printTable(tableDate)
向AI問一下細節(jié)

免責聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點不代表本網(wǎng)站立場,如果涉及侵權(quán)請聯(lián)系站長郵箱:is@yisu.com進行舉報,并提供相關(guān)證據(jù),一經(jīng)查實,將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI