Reputation: 81
I really want to finish my personal vocabulary trainer. It works fine, but I am having problems with saving the list into a text file and access it, after exiting the program.
Please note that I am a beginner in Python, so it would be great, if I could have an explanation for the solution. Thanks
Here´s my code so far:
import random
import os
class Entry:
def __init__(self, deutsch, englisch):
self.deutsch = deutsch
self.englisch = englisch
def toString(self):
return self.deutsch + " - " + self.englisch
eintraege = [Entry("hallo", "hello")] **<--Wanna save this list**
directory = r'C:\Users\Peter\desktop'
def eingabe(): #means 'input' in english
while True:
deutsch = input("Deutsches Wort: ")
if deutsch == '#exit#':
return
englisch = input("Englisches Wort: ")
if englisch == '#exit#':
return
eintraege.append(Entry(deutsch, englisch))
w = open('dictionary.txt', 'a')
w.write(' - '.join(eintraege)) **<---------Problem here; tried multiple solutions**
def abfrage(): #means 'query' in english
while True:
i = random.randint(0, len(eintraege) - 1)
englisch = input("Englische Übersetzung von " + eintraege[i].deutsch + ": ")
if englisch == '#exit#':
return
if eintraege[i].englisch == englisch:
print("Korrekt!")
else:
print("Leider falsch. Richtig wäre:", eintraege[i].englisch)
def printall():
for eintrag in eintraege:
print(eintrag.toString)
os.chdir(directory)
r = open('dictionary.txt', 'r')
r.read()
while True:
print("Befehle:\n\
1.) eingabe: Ermöglicht die Bearbeitung des Wörterbuchs\n\
2.) abfrage: Zufällige Abfrage der Vokabel\n\
3.) ausgabe: Zeigt alle eingegebenen Vokabel an\n\
4.) beenden: Beendet das Programm\n\n")
befehl = input("Befehl: ")
if befehl == 'eingabe':
eingabe()
elif befehl == 'abfrage':
abfrage()
elif befehl == 'beenden':
break
elif befehl == 'ausgabe': #means 'output' in english
printall()
else:
print("Kein bekannter Befehl!")
I am grateful for any help.
Upvotes: 0
Views: 64
Reputation: 210852
Try to implement _ str _ method in your Entry class:
def __str__(self):
return '%s - %s' % (self.deutsch, self.englisch)
and then use it as follows:
w.write('\n'.join(eintraege))
Upvotes: 1
Reputation: 876
You are outputting the wrong data. Instead of
eintraege.append(Entry(deutsch, englisch))
you want:
eintraege.append( Entry(deutsch, englisch).toString() )
or just:
eintraege.append( deutsch + '-' + englisch )
Python does not recognize the "Entry" type and will not automatically convert it to a string, so you need to fill you list with strings, NOT Entry objects.
Upvotes: 1