stems = {
"o" : "first person singular",
"as" : "second person singular",
"at" : "third person singular",
"amus" : "first person plural",
"atis" : "second person plural",
"ant" : "third person plural",
}
conjugations = list()
for key in stems:
conjugations.append(key)
def parse(verb):
for conj in conjugations:
if verb.count(conj) == 1:
return(stems[conj])
else:
continue
while True:One major problem with the last iteration of the conjugation finder: I entered the plural forms as singular in the dictionary!
entry = input("Enter a Latin verb: ")
if parse(entry) != None:
print(parse(entry))
else:
print("Verb form not found.")
I believe the search tool will be more effective if it isn't tied to any particular root. Then I can have a dictionary filled with different stems. Ideally, if the application finds any of these stems at the end of the word, it will then return the appropriate information to the user.
So my new idea is to keep my dictionary of all the relevant stems, then loop through a list of the dictionary's keys to see whether any of them are present in the user entry. If the app finds one of the keys in the user entry, it returns the dictionary entry for that key.
I experimented around with using find(), rfind(), index(), etc., but I couldn't get it to work. Originally, I wanted to recreate the stem using a key-search, but I couldn't pull out the right part of the string. That's a problem in itself. Say you have the string "amant" -- you use find() to get the position of "ant", then create a new string, "ant," by slicing the old string with the position. So I thought I could do something like this:
stem = verb[verb.find("ant"):]But it just didn't work.
Another thing to note: the parser isn't intelligent. So I want to get to a version where it won't be fooled if someone enters a verb with repeated stems or multiple stems. If the user enter "amoasat," which isn't a real verb, I don't expect the parser to tell the user it isn't a real verb (that would be far down the line) -- but I do expect it to tell the user that it's third-person singular and not second-person singular. Not sure I have that functionality yet.
Comments
Post a Comment