0

重複の可能性:
テキスト ファイルを辞書に抽出する方法

Pythonで辞書に変更したいテキストファイルがあります。テキストファイルは以下の通りです。「太陽」、「地球」、「月」などのキーと、軌道半径、周期などの値を使用して、アニメーションの太陽系をクイックドローに実装できるようにしたいと考えています。

RootObject: Sun

Object: Sun
Satellites: Mercury,Venus,Earth,Mars,Jupiter,Saturn,Uranus,Neptune,Ceres,Pluto,Haumea,Makemake,Eris
Radius: 20890260
Orbital Radius: 0

Object: Earth
Orbital Radius: 77098290
Period: 365.256363004
Radius: 6371000.0
Satellites: Moon

Object: Moon
Orbital Radius: 18128500
Radius: 1737000.10
Period: 27.321582

これまでの私のコードは

def file():
    file = open('smallsolar.txt', 'r')
    answer = {}
    text = file.readlines() 
    print(text)



text = file() 
print (text)

私は今何をすべきかわからない。何か案は?

4

2 に答える 2

3
answer = {} # initialize an empty dict
with open('path/to/file') as infile: # open the file for reading. Opening returns a "file" object, which we will call "infile"

    # iterate over the lines of the file ("for each line in the file")
    for line in infile:

        # "line" is a python string. Look up the documentation for str.strip(). 
        # It trims away the leading and trailing whitespaces
        line = line.strip()

        # if the line starts with "Object"
        if line.startswith('Object'):

            # we want the thing after the ":" 
            # so that we can use it as a key in "answer" later on
            obj = line.partition(":")[-1].strip()

        # if the line does not start with "Object" 
        # but the line starts with "Orbital Radius"
        elif line.startswith('Orbital Radius'):

            # get the thing after the ":". 
            # This is the orbital radius of the planetary body. 
            # We want to store that as an integer. So let's call int() on it
            rad = int(line.partition(":")[-1].strip())

            # now, add the orbital radius as the value of the planetary body in "answer"
            answer[obj] = rad

お役に立てれば

3.14ファイル(など)に10進表記の数値(python-speakでは「浮動小数点数」)がある場合、それを呼び出すintと失敗することがあります。この場合、float()代わりにを使用してくださいint()

于 2012-11-21T17:18:46.793 に答える
1

readlines() の代わりに 1 つの文字列でファイルを読み取り、"\n\n" で分割します。このようにして、それぞれがオブジェクトを説明する項目のリストが得られます。

次に、次のようなクラスを作成したい場合があります。

class SpaceObject:
  def __init__(self,string):
    #code here to parse the string

    self.name = name
    self.radius = radius
    #and so on...

次に、そのようなオブジェクトのリストを作成できます

#items is the list containing the list of strings describing the various items
l = map(lambda x: SpaceObject(x),items).

そして、単に次のことを行います

d= {}
for i in l:
  d[i.name] = i
于 2012-11-21T17:20:17.857 に答える