开发者

going through a dictionary and printing its values in sequence

def display_hand(hand):
    for letter in hand.keys():
        for j in range(hand[letter]):
            print letter, 

Will return something like: b e h q u w x. This is the desired output.

How can I modify this code to get the output only when the function has finished its loops?

Something like below code causes me problems as I can't get rid of dictionary elements like commas and single quotes when printing the output:

def display_hand(hand):
    dispHand = []
    for letter in hand.keys():
        for j in range(hand[letter]):
            ##code##
    print dispHand

UPDATE John's answer is very elegant i find. Allow me however to expand o Kugel's response: Kugel's a开发者_如何学Gopproach answered my question. However i kept running into an additional issue: the function would always return None as well as the output. Reason: Whenever you don't explicitly return a value from a function in Python, None is implicitly returned. I couldn't find a way to explicitly return the hand. In Kugel's approach i got closer but the hand is still buried in a FOR loop.


You can do this in one line by combining a couple of list comprehensions:

print ' '.join(letter for letter, count in hand.iteritems() for i in range(count))

Let's break that down piece by piece. I'll use a sample dictionary that has a couple of counts greater than 1, to show the repetition part working.

>>> hand
{'h': 3, 'b': 1, 'e': 2}
  1. Get the letters and counts in a form that we can iterate over.

    >>> list(hand.iteritems())
    [('h', 3), ('b', 1), ('e', 2)]
    
  2. Now just the letters.

    >>> [letter for letter, count in hand.iteritems()]
    ['h', 'b', 'e']
    
  3. Repeat each letter count times.

    >>> [letter for letter, count in hand.iteritems() for i in range(count)]
    ['h', 'h', 'h', 'b', 'e', 'e']
    
  4. Use str.join to join them into one string.

    >>> ' '.join(letter for letter, count in hand.iteritems() for i in range(count))
    'h h h b e e'
    


Your ##code perhaps?

dispHand.append(letter)

Update:

To print your list then:

for item in dispHand:
    print item,


another option without nested loop

"".join((x+' ') * y for x, y in hand.iteritems()).strip()


Use

" ".join(sequence)

to print a sequence without commas and the enclosing brackets.

If you have integers or other stuff in the sequence

" ".join(str(x) for x in sequence)
0

上一篇:

下一篇:

精彩评论

暂无评论...
验证码 换一张
取 消

最新问答

问答排行榜