-3

これは私がこれまでに行ったことです:

def file_to_dict(f):

""" (file open for reading) -> dict of {float: int}

f contains exchange rate changes as floating point numbers separated
by whitespace. Return a dict with exchange rate changes as keys and the
number of occurrences of the exchange rate changes as values.
"""

file = open(f, 'r')
data = list(file.read().strip().split('\n'))

データは次のとおりです。

0.0045  0.0160 -0.0028 -0.0157 -0.0443 -0.0232 -0.0065 -0.0080  0.0052
-0.0052 -0.0283 -0.0087 -0.0020 -0.0080 -0.0065 -0.0290  0.0180  0.0030
-0.0170  0.0000 -0.0185 -0.0055  0.0148 -0.0053  0.0265 -0.0290  0.0010
-0.0015  0.0137 -0.0137 -0.0023  0.0008  0.0055 -0.0025 -0.0125  0.0040

各番号をリスト内の項目にするにはどうすればよいですか? 例えば:[0.0045, 0.0160, etc...] or ['0.0045', '0.0160', etc...]

4

3 に答える 3

1

このようなもの?

>>> with open('fileName', 'r') as f:
        newList = []
        for line in f:
            newList.extend(map(float, line.split()))


>>> newList
[0.0045, 0.016, -0.0028, -0.0157, -0.0443, -0.0232, -0.0065, -0.008, 0.0052, -0.0052, -0.0283, -0.0087, -0.002, -0.008, -0.0065, -0.029, 0.018, 0.003, -0.017, 0.0, -0.0185, -0.0055, 0.0148, -0.0053, 0.0265, -0.029, 0.001, -0.0015, 0.0137, -0.0137, -0.0023, 0.0008, 0.0055, -0.0025, -0.0125, 0.004]

を使用できないためmap()、次のようにします

>>> with open('fileName', 'r') as f:
        newList = []
        for line in f:
            for elem in line.strip().split():
                newList.append(float(elem))
于 2013-08-01T04:43:02.977 に答える