1. ホーム
  2. python

[解決済み】TypeError: zip 引数 #1 は繰り返しをサポートする必要があります。

2022-01-19 05:25:08

質問

for k,v in targets.iteritems():
    price= str(v['stockprice'])

    Bids = str(u''.join(v['OtherBids']))
    Bids = Bids.split(',')

    # create a list of unique bids by ranking
    for a, b in zip(float(price), Bids):
        try:
            del b[next(i for i, e in enumerate(b) if format(e, '.4f')  == a)]
        except StopIteration:
            pass

辞書からデータを抽出しているのですが、すべてunicodeになっているようです。どうすればユニコードでないデータを取り出すことができますか?

どのように解決するのですか?

あなたのコードがエラーメッセージを与えているのですね。 TypeError: zip 引数 #1 は反復をサポートしなければなりません。 . このエラーは、以下の式に起因しています。 zip(float(price), Bids) . この簡略化されたコードで、このエラーを説明します。

>>> price = str(u'12.3456')
>>> bids = ['1.0', '2.0']
>>> zip(float(price), bids)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: zip argument #1 must support iteration

Python 2.x zip() 組込みライブラリ関数 は、その引数がすべてイテラブルであることを要求します。 float(price) はイテラブルではありません。

を組み合わせたタプルを作りたい場合、そのタプルは float(price) の各要素と、配列 Bids を使用することができます。 itertools.repeat() を第1引数式に指定します。

>>> import itertools
>>> price = str(u'12.3456')
>>> bids = ['1.0', '2.0']
>>> zip(itertools.repeat(float(price),len(bids)), bids)
[(12.345599999999999, '1.0'), (12.345599999999999, '2.0')]

Unicodeデータ型を使うことと TypeError .