31.3k views
4 votes
PYTHONSorting TV Shows (dictionaries and lists)Write a program that first reads in the name of an input file and then reads the input file using the file.readlines() method. The input file contains an unsorted list of number of seasons followed by the corresponding TV show. Your program should put the contents of the input file into a dictionary where the number of seasons are the keys, and a list of TV shows are the values (since multiple shows could have the same number of seasons).Sort the dictionary by key (least to greatest) and output the results to a file named output_keys.txt, separating multiple TV shows associated with the same key with a semicolon (;). Next, sort the dictionary by values (alphabetical order), and output the results to a file named output_titles.txt.

1 Answer

5 votes

Answer:

Here is the full code in python:

def readFile(filename):

dict = {}

with open(filename, 'r') as infile:

lines = infile.readlines()

for index in range(0, len(lines) - 1, 2):

if lines[index].strip()=='':continue

count = int(lines[index].strip())

name = lines[index + 1].strip()

if count in dict.keys():

name_list = dict.get(count)

name_list.append(name)

name_list.sort()

else:

dict[count] = [name]

print(count,name)

return dict

def output_keys(dict, filename):

with open(filename,'w+') as outfile:

for key in sorted(dict.keys()):

outfile.write('{}: {}\\'.format(key,';'.join(dict.get(key))))

print('{}: {}\\'.format(key,';'.join(dict.get(key))))

def output_titles(dict, filename):

titles = []

for title in dict.values():

titles.extend(title)

with open(filename,'w+') as outfile:

for title in sorted(titles):

outfile.write('{}\\'.format(title))

print(title)

def main():

filename = input('Enter input file name: ')

dict = readFile(filename)

if dict is None:

print('Error: Invalid file name provided: {}'.format(filename))

return

print(dict)

output_filename_1 ='output_keys.txt'

output_filename_2 ='output_titles.txt'

output_keys(dict,output_filename_1)

output_titles(dict,output_filename_2)

main()

Step-by-step explanation:

The screenshot of the code in the Program is also attached for better Explanation.Please have a look on it.

PYTHONSorting TV Shows (dictionaries and lists)Write a program that first reads in-example-1
PYTHONSorting TV Shows (dictionaries and lists)Write a program that first reads in-example-2
User Shauryachats
by
2.9k points