Welcome to OGeek Q&A Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
193 views
in Technique[技术] by (71.8m points)

printing values and keys from a dictionary in a specific format (python)

I have this dictionary (name and grade):

d1 = {'a': 1, 'b': 2, 'c': 3}

and I have to print it like this:

|a          | 1          |       C |
|b          | 2          |       B |
|c          | 3          |       A |

I created a new dictionary to find out the letter grading based on these conditions:

d2 = {}
d2 = d1
for (key, i) in d2.items():
    if i = 1:
        d2[key] = 'A'
    elif i = 2:
        d2[key] = 'B'
    elif i = 3:
        d2[key] = 'C'

When trying to print it using the following code:

sorted_d = sorted(d)

format_str = '{:10s} | {:10f} | {:>7.2s} |'
for name in sorted_d:
    print(format_str.format(name, d[name]))

It prints:

a         | 1         |
b         | 2         |
c         | 3         |

How can I add the letter grade?

See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Reply

0 votes
by (71.8m points)

Your grade dictionary can be created like:

grades = {1: 'C', 2: 'B', 3: 'A'}  # going by the sample output

{:>7.2f} would expect a floating point number. Just use s or leave of the type formatter, and don't specify a precision. Your dictionary values are integers, so I'd use the d format for those, not f. Your sample output also appears to left align those numbers, not right-align, so '<10d' would be needed for the format specifier.

To include the grade letters, look up the grades with d[name] as the key:

format_str = '{:10s} | {:<10d} | {:>10s} |'
for name in sorted_d:
    print(format_str.format(name, d[name], grades[d[name]]))

Demo:

>>> d1 = {'a': 1, 'b': 2, 'c': 3}
>>> grades = {1: 'C', 2: 'B', 3: 'A'}  # going by the sample output
>>> sorted_d = sorted(d1)
>>> format_str = '{:10s} | {:<10d} | {:>10s} |'
>>> for name in sorted_d:
...     print(format_str.format(name, d1[name], grades[d1[name]]))
... 
a          | 1          |          C |
b          | 2          |          B |
c          | 3          |          A |

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
OGeek|极客中国-欢迎来到极客的世界,一个免费开放的程序员编程交流平台!开放,进步,分享!让技术改变生活,让极客改变未来! Welcome to OGeek Q&A Community for programmer and developer-Open, Learning and Share
Click Here to Ask a Question

...