-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathPart 6 - Reading Files.py
1095 lines (909 loc) · 29.2 KB
/
Part 6 - Reading Files.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# 'with' statement Example 1
# The header line opens the file, and the block where the file can be accessed follows.
# After the block the file is automatically closed, and can no longer be accessed.
with open("Data-Files\example.txt") as new_file:
contents = new_file.read()
print(contents)
# Going through the contents of a file
with open("Data-Files\example.txt") as new_file:
count = 0
total_length = 0
for line in new_file:
line = line.replace("\n", "")
count += 1
print("Line", count, line)
length = len(line)
total_length += length
print("Total length of lines:", total_length)
# Largest number - Approach 1
def largest():
with open('numbers.txt') as new_file:
largest_number = 0
for line in new_file:
number = int(line)
if number > largest_number:
largest_number = number
return largest_number
if __name__ == "__main__":
largest()
# Largest number - Approach 2
def largest():
with open("numbers.txt") as file:
start = True
biggest = 0
for number in file:
if start or int(number) > biggest:
biggest = int(number)
start = False
return biggest
# '.split()' string method takes the separator character(s) as a string argument, and returns the contents of the target string as a list of strings, separated at the separator.
text = "monkey,banana,harpsichord"
words = text.split(",")
for word in words:
print(word)
# Reading CSV files
with open("Data-Files\grades.csv") as new_file:
for line in new_file:
line = line.replace("\n", "")
parts = line.split(";")
name = parts[0]
grades = parts[1:]
print("Name:", name)
print("Grades:", grades)
# Fruit market
def read_fruits():
with open('Data-Files\\fruits.csv') as file:
fruits = {}
for row in file:
# split to two pieces
data = row.split(";")
# name first, price second
fruits[data[0]] = float(data[1])
return fruits
read_fruits()
# Matrix - Approach 1
def matrix_sum():
with open("Data-Files\matrix.txt") as matrix:
sum = 0
for row in matrix:
row = row.replace("\n", "")
row = row.split(",")
for num in row:
element = int(num)
sum += element
return sum
matrix_sum()
def matrix_max():
with open("Data-Files\matrix.txt") as matrix:
max = 0
for row in matrix:
row = row.replace("\n", "")
row = row.split(",")
for num in row:
element = int(num)
if element > max:
max = element
return max
matrix_max()
def row_sums():
with open("Data-Files\matrix.txt") as matrix:
sums = []
for row in matrix:
row = row.replace("\n", "")
row = row.split(",")
sum = 0
for num in row:
element = int(num)
sum += element
sums.append(sum)
return sums
row_sums()
# Matrix - Approach 2
def read_matrix():
with open("Data-Files\matrix.txt") as file:
m = []
for row in file:
mrow = []
items = row.split(",")
for item in items:
mrow.append(int(item))
m.append(mrow)
return m
# Combines the rows of a matrix into a single list
def combine(matriisi: list):
mlist = []
for row in matriisi:
mlist += row
return mlist
def matrix_sum():
mlist = combine(read_matrix())
return sum(mlist)
def matrix_max():
mlist = combine(read_matrix())
return max(mlist)
def row_sums():
matrix = read_matrix()
sums = []
for row in matrix:
sums.append(sum(row))
return sums
combine(read_matrix())
# Reading the same file multiple times
'''
Peter;40;Helsinki
Emily;34;Espoo
Eric;42;London
Adam;100;Amsterdam
Alice;58;Paris
'''
with open("people.csv") as new_file:
# print out the names
for line in new_file:
parts = line.split(";")
print("Name:", parts[0])
# find the oldest
age_of_oldest = -1
for line in new_file:
parts = line.split(";")
name = parts[0]
age = int(parts[1])
if age > age_of_oldest:
age_of_oldest = age
oldest = name
print("the oldest is", oldest)
# The latter for loop is not executed at all, beacuse the file can only be processed once.
# Once the last line is read, the file handle rests at the end of the file, and the data in the file can no longer be accessed.
# If we want to access the contents in the second for loop, we will have to open the file a second time:
with open("people.csv") as new_file:
# print out the names
for line in new_file:
parts = line.split(";")
print("Name:", parts[0])
with open("people.csv") as new_file:
# find the oldest
age_of_oldest = -1
for line in new_file:
parts = line.split(";")
name = parts[0]
age = int(parts[1])
if age > age_of_oldest:
age_of_oldest = age
oldest = name
print("the oldest is", oldest)
# While the above code would work, it contains unnecessary repetition.
# It is usually best to read the file just once, and store its contents in an appropriate format for further processing:
people = []
# read the contents of the file and store it in a list
with open("people.csv") as new_file:
for line in new_file:
parts = line.split(";")
people.append((parts[0], int(parts[1]), parts[2]))
# print out the names
for person in people:
print("Name:", person[0])
# find the oldest
age_of_oldest = -1
for person in people:
name = person[0]
age = person[1]
if age > age_of_oldest:
age_of_oldest = age
oldest = name
print("the oldest is", oldest)
# More CSV file processing
grades = {}
with open("Data-Files\grades.csv") as new_file:
for line in new_file:
line = line.replace("\n", "")
parts = line.split(";")
name = parts[0]
grades[name] = []
for grade in parts[1:]:
grades[name].append(int(grade))
print(grades)
for name, grade_list in grades.items():
best = max(grade_list)
average = sum(grade_list) / len(grade_list)
print(f"{name}: best grade {best}, average {average:.2f}")
# Removing unnecessary lines, spaces and line breaks
'''
first; last
Paul; Python
Jean; Java
Harry; Haskell
'''
last_names = []
with open("people.csv") as new_file:
for line in new_file:
parts = line.split(";")
# ignore the header line
if parts[0] == "first":
continue
last_names.append(parts[1])
print(last_names)
'''
output:
[' Python\n', ' Java\n', ' Haskell']
'''
# A more efficient solution is to use the Python string method 'strip', which removes whitespace from the beginning and end of a string.
# It removes all spaces, line breaks, tabs and other characters which would not normally be printed out.
'''
>>> " tryout ".strip()
'tryout'
>>> "\n\ntest\n".strip()
'test'
>>>
'''
# Stripping the string requires the following change to the program:
last_names = []
with open("people.csv") as new_file:
for line in new_file:
parts = line.split(';')
if parts[0] == "first":
continue # this was the header line, so it is ignored
last_names.append(parts[1].strip())
print(last_names)
'''
['Python', 'Java', 'Haskell']
'''
# There are also the related string methods 'lstrip' and 'rstrip'.
# They remove only the leading or trailing unprintable characters, l for the left edge of the string and r for the right:
'''
>>> " teststring ".rstrip()
' teststring'
>>> " teststring ".lstrip()
'teststring '
'''
# Combining data from different files
# employees.csv
'''
pic;name;address;city
080488-123X;Pekka Mikkola;Vilppulantie 7;00700 Helsinki
290274-044S;Liisa Marttinen;Mannerheimintie 100 A 10;00100 Helsinki
010479-007Z;Arto Vihavainen;Pihapolku 4;01010 Kerava
010499-345K;Leevi Hellas;Tapiolantie 11 B;02000 Espoo
'''
# salaries.csv
'''
pic;salary;bonus
080488-123X;3300;0
290274-044S;4150;200
010479-007Z;1300;1200
'''
# Output
'''
incomes:
Pekka Mikkola 3300 euros
Liisa Marttinen 4350 euros
Arto Vihavainen 2500 euros
'''
# This program uses two dictionaries as helper data structures: 'names' and 'salaries'.
# Both use the PIC as key:
names = {}
with open("employees.csv") as new_file:
for line in new_file:
parts = line.split(';')
if parts[0] == "pic":
continue
names[parts[0]] = parts[1]
salaries = {}
with open("salaries.csv") as new_file:
for line in new_file:
parts = line.split(';')
if parts[0] == "pic":
continue
salaries[parts[0]] = int(parts[1]) +int(parts[2])
print("incomes:")
for pic, name in names.items():
if pic in salaries:
salary = salaries[pic]
print(f"{name:16} {salary} euros")
else:
print(f"{name:16} 0 euros")
# First the program produces the dictionaries names and salaries. They have the following contents:
{
'080488-123X': 'Pekka Mikkola',
'290274-044S': 'Liisa Marttinen',
'010479-007Z': 'Arto Vihavainen',
'010499-345K': 'Leevi Hellas'
}
{
'080488-123X': 3300,
'290274-044S': 4350,
'010479-007Z': 2500
}
# The for loop at the end of the program combines the names of the employees with their respective salaries.
# The program also takes care of situations where the employee's pic is not present in the salary file.
# Remember, the order in which items are stored in a dictionary does not matter, as the keys are processed based on hash values.
# Course grading, part 1 - Approach 1
if False:
# Not executed until True
student_info = input("Student information: ")
exercise_data = input("Exercises completed: ")
else:
# hard-coded input
student_info = "Data-Files\course-grading-part-1\students1.csv"
exercise_data = "Data-Files\course-grading-part-1\exercises1.csv"
students = {}
with open(student_info) as new_file:
for line in new_file:
line = line.strip()
parts = line.split(";")
if parts[0] == "id":
continue
students[parts[0]] = parts[1] + " " + parts[2]
print(students)
exercises = {}
with open(exercise_data) as new_file:
for line in new_file:
parts = line.split(";")
if parts[0] == "id":
continue
exercises[parts[0]] = []
for part in parts[1:]:
part = part.strip()
part = int(part)
exercises[parts[0]].append(part)
print(exercises)
for pic, name in students.items():
if pic in exercises:
total_exercises = sum(exercises[pic])
print(f"{name} {total_exercises}")
else:
print(f"{name} 0")
# Course grading, part 1 - Approach 2
student_data = input("Student information: ")
exercise_data = input("Exercises completed: ")
students = {}
with open(student_data) as file:
for row in file:
parts = row.split(";")
if parts[0] == "id":
continue
students[parts[0]] = f"{parts[1]} {parts[2].strip()}"
exercises = {}
with open(exercise_data) as file:
for row in file:
parts = row.split(";")
if parts[0] == "id":
continue
esum = 0
for i in range(1, 8):
esum += int(parts[i])
exercises[parts[0]] = esum
for student_id, name in students.items():
print(f"{name} {exercises[student_id]}")
# Course grading, part 2 - Approach 1
if False:
# Not executed until True
student_info = input("Student information: ")
exercise_data = input("Exercises completed: ")
exam_data = input("Exam points: ")
else:
# hard-coded input
student_info = "Data-Files\course-grading-part-2\students1.csv"
exercise_data = "Data-Files\course-grading-part-2\exercises1.csv"
exam_data = "Data-Files\course-grading-part-2\exam_points1.csv"
students = {}
with open(student_info) as new_file:
for line in new_file:
line = line.strip()
parts = line.split(";")
if parts[0] == "id":
continue
students[parts[0]] = parts[1] + " " + parts[2]
print(students)
exercises = {}
with open(exercise_data) as new_file:
for line in new_file:
parts = line.split(";")
if parts[0] == "id":
continue
exercises[parts[0]] = []
for part in parts[1:]:
part = part.strip()
part = int(part)
exercises[parts[0]].append(part)
print(exercises)
exams = {}
with open(exam_data) as new_file:
for line in new_file:
parts = line.split(";")
if parts[0] == "id":
continue
exams[parts[0]] = []
for part in parts[1:]:
part = part.strip()
part = int(part)
exams[parts[0]].append(part)
print(exams)
for pic, name in students.items():
exercises_points = sum(exercises[pic]) // 4
exam_points = sum(exams[pic])
total_points = exercises_points + exam_points
grades = [0, 1, 2, 3, 4, 5]
points = [0, 15, 18, 21, 24, 28]
for point in points[::-1]:
if total_points >= point:
grade = grades[points.index(point)]
print(f"{name} {grade}")
break
else:
continue
# Course grading, part 2 - Approach 2
student_data = input("Student information: ")
exercise_data = input("Exercises completed: ")
exam_data = input("Exam points: ")
def grade(points):
a = 0
limits = [15, 18, 21, 24, 28]
while a < 5 and points >= limits[a]:
a += 1
return a
def to_points(number):
return number // 4
students = {}
with open(student_data) as file:
for row in file:
parts = row.split(";")
if parts[0] == "id":
continue
students[parts[0]] = f"{parts[1]} {parts[2].strip()}"
exercises = {}
with open(exercise_data) as file:
for row in file:
parts = row.split(";")
if parts[0] == "id":
continue
esum = 0
for i in range(1, 8):
esum += int(parts[i])
exercises[parts[0]] = esum
exams = {}
with open(exam_data) as file:
for row in file:
parts = row.split(";")
if parts[0] == "id":
continue
esum = 0
for i in range(1, 4):
esum += int(parts[i])
exams[parts[0]] = esum
for student_id, name in students.items():
total = exams[student_id] + to_points(exercises[student_id])
print(f"{name} {grade(total)}")
# Course grading, part 3 - Approach 1
if False:
# Not executed until True
student_info = input("Student information: ")
exercise_data = input("Exercises completed: ")
exam_data = input("Exam points: ")
else:
# hard-coded input
student_info = "Data-Files\course-grading-part-3\students1.csv"
exercise_data = "Data-Files\course-grading-part-3\exercises1.csv"
exam_data = "Data-Files\course-grading-part-3\exam_points1.csv"
students = {}
with open(student_info) as new_file:
for line in new_file:
line = line.strip()
parts = line.split(";")
if parts[0] == "id":
continue
students[parts[0]] = parts[1] + " " + parts[2]
print(students)
exercises = {}
with open(exercise_data) as new_file:
for line in new_file:
parts = line.split(";")
if parts[0] == "id":
continue
exercises[parts[0]] = []
for part in parts[1:]:
part = part.strip()
part = int(part)
exercises[parts[0]].append(part)
print(exercises)
exams = {}
with open(exam_data) as new_file:
for line in new_file:
parts = line.split(";")
if parts[0] == "id":
continue
exams[parts[0]] = []
for part in parts[1:]:
part = part.strip()
part = int(part)
exams[parts[0]].append(part)
print(exams)
print(f"{"name":<30}{"exec_nbr":<10}{"exec_pts.":<10}{"exm_pts.":<10}{"tot_pts.":<10}{"grade":<10}")
for pic, name in students.items():
exercises_points = sum(exercises[pic]) // 4
exam_points = sum(exams[pic])
total_points = exercises_points + exam_points
grades = [0, 1, 2, 3, 4, 5]
points = [0, 15, 18, 21, 24, 28]
for point in points[::-1]:
if total_points >= point:
grade = grades[points.index(point)]
print(f"{name:30}{sum(exercises[pic]):<10}{exercises_points:<10}{exam_points:<10}{total_points:<10}{grade:<10}")
break
else:
continue
'''
name exec_nbr exec_pts. exm_pts. tot_pts. grade
pekka peloton 21 5 9 14 0
jaana javanainen 27 6 11 17 1
liisa virtanen 35 8 14 22 3
'''
# Course grading, part 3 - Approach 2
student_data = input("Student information: ")
exercise_data = input("Exercises completed: ")
exam_data = input("Exam points: ")
def grade(points):
a = 0
limits = [15, 18, 21, 24, 28]
while a < 5 and points >= limits[a]:
a += 1
return a
def to_points(number):
return number // 4
students = {}
with open(student_data) as file:
for row in file:
parts = row.split(";")
if parts[0] == "id":
continue
students[parts[0]] = f"{parts[1]} {parts[2].strip()}"
exercises = {}
with open(exercise_data) as file:
for row in file:
parts = row.split(";")
if parts[0] == "id":
continue
esum = 0
for i in range(1, 8):
esum += int(parts[i])
exercises[parts[0]] = esum
exams = {}
with open(exam_data) as file:
for row in file:
parts = row.split(";")
if parts[0] == "id":
continue
esum = 0
for i in range(1, 4):
esum += int(parts[i])
exams[parts[0]] = esum
print("name exec_nbr exec_pts. exm_pts. tot_pts. grade")
for eid, name in students.items():
exec_nbr = exercises[eid]
exec_score = to_points(exec_nbr)
exam_points = exams[eid]
total_points = exec_score + exam_points
print(f"{name:30}{exec_nbr:<10}{exec_score:<10}{exam_points:<10}{total_points:<10}{grade(total_points):<10}")
# Spell checker - Approach 1
if False:
text = input("Write text: ")
else:
text = "This is acually a good and usefull program"
text = text.split(" ")
with open("Data-Files\wordlist.txt") as wordlist:
words = []
for line in wordlist:
word = line.strip()
words.append(word)
sentence = ""
for texts in text:
if texts.lower() in words:
sentence += texts + " "
else:
sentence += "*" + texts + "* "
print(sentence.strip())
# Spell checker - Approach 2
def wordlist():
words = []
with open("wordlist.txt") as file:
for row in file:
words.append(row.strip())
return words
words = wordlist()
sentence = input("Write text: ")
for word in sentence.split(' '):
if word.lower() in words:
print(word + " ", end="")
else:
print("*" + word + "* ", end="")
print()
# Recipe search - Approach 1
# Part 1 - Search for recipes based on the name of the recipe
with open('Data-Files/recipes1.txt') as my_recipes:
recipe_name = []
counter = 0
for recipe in my_recipes:
if counter == 0:
recipe_name.append(recipe.strip())
counter += 1
if recipe == '\n':
counter = 0
else:
counter += 1
print(recipe_name)
for recipe in recipe_name:
if "cake" in recipe.lower():
print(recipe)
# Part 2 - Search for recipes based on the preparation time
with open("Data-Files/recipes1.txt") as new_file:
prep_time = {}
recipe = ""
for line in new_file:
line = line.strip()
if line.isnumeric():
prep_time[int(line)] = recipe
else:
recipe = line
prep_time
for time, recipe in prep_time.items():
if time <= 30:
print(f"{recipe}, preparation time {time} min")
# Part 3 - Search for recipes based on the ingredients
with open("Data-Files/recipes1.txt") as new_file:
prep_time = {}
recipe = {}
ingredients = []
recipe_name = ""
counter = 0
for line in new_file:
line = line.strip()
if line.isnumeric():
prep_time[recipe_name] = int(line)
counter = 1
elif counter == 1:
if line == '':
recipe[recipe_name] = ingredients
ingredients = []
counter = 0
continue
ingredients.append(line)
else:
recipe_name = line
counter = 0
recipe[recipe_name] = ingredients
recipe
prep_time
for recipe_name, ingredients in recipe.items():
if "milk" in ingredients:
print(f"{recipe_name}, preparation time {prep_time[recipe_name]} min")
for recipe_name, ingredients in recipe.items():
if "cake" in recipe_name.lower():
print(recipe_name)
# Combined
def openfile(filename: str):
with open(filename) as new_file:
prep_time = {}
recipe = {}
ingredients = []
recipe_name = ""
counter = 0
for line in new_file:
line = line.strip()
if line.isnumeric():
prep_time[recipe_name] = int(line)
counter = 1
elif counter == 1:
if line == '':
recipe[recipe_name] = ingredients
ingredients = []
counter = 0
continue
ingredients.append(line)
else:
recipe_name = line
counter = 0
recipe[recipe_name] = ingredients
return prep_time , recipe
def search_by_name(filename: str, word: str):
prep_time, recipe = openfile(filename)
recipe_list = []
for recipe_name, ingredients in recipe.items():
if word.lower() in recipe_name.lower():
recipe_list.append(recipe_name)
return recipe_list
def search_by_time(filename: str, prep_duration: int):
prep_time, recipe = openfile(filename)
recipe_list = []
for recipe_name, duration in prep_time.items():
if duration <= prep_duration:
recipe_list.append(f"{recipe_name}, preparation time {duration} min")
return recipe_list
def search_by_ingredient(filename: str, ingredient: str):
prep_time, recipe = openfile(filename)
recipe_list = []
for recipe_name, ingredients in recipe.items():
if ingredient in ingredients:
recipe_list.append(f"{recipe_name}, preparation time {prep_time[recipe_name]} min")
return recipe_list
if False:
search_by_name("recipes1.txt", "milk")
else:
search_by_name(r"Data-Files\\recipes1.txt", "cake")
search_by_time(r"Data-Files\\recipes1.txt", 30)
search_by_ingredient(r"Data-Files\\recipes1.txt", "milk")
# Recipe search - Approach 2
def read_file(filename):
with open(filename) as file:
rows = []
for row in file:
rows.append(row.strip())
recipes = []
name_in_row = True
prep_time_in_row = True
new = { "ingredients": []}
for row in rows:
if name_in_row:
new["name"] = row
name_in_row = False
prep_time_in_row = True
elif prep_time_in_row:
new["prep_time"] = int(row)
prep_time_in_row = False
elif len(row) > 0:
new["ingredients"].append(row)
else:
recipes.append(new)
name_in_row = True
new = {"ingredients": []}
recipes.append(new)
return recipes
def search_by_name(filename: str, word: str):
recipes = read_file(filename)
found = []
for recipe in recipes:
if word.lower() in recipe["name"].lower():
found.append(recipe["name"])
return found
def search_by_time(filename: str, time: int):
recipes = read_file(filename)
found = []
for recipe in recipes:
if recipe["prep_time"] <= time:
found.append(f"{recipe['name']}, preparation time {recipe['prep_time']} min")
return found
def search_by_ingredient(filename: str, ingredient: str):
recipes = read_file(filename)
found = []
for recipe in recipes:
if ingredient.lower() in recipe["ingredients"]:
found.append(f"{recipe['name']}, preparation time {recipe['prep_time']} min")
return found
# Recipe search - Approach 2 (To be reviewed)
def read_file(filename):
with open(filename) as file:
rows = []
for row in file:
rows.append(row.strip())
recipes = []
name_in_row = True
prep_time_in_row = True
new = { "ingredients": []}
for row in rows:
if name_in_row:
new["name"] = row
name_in_row = False
prep_time_in_row = True
elif prep_time_in_row:
new["prep_time"] = int(row)
prep_time_in_row = False
elif len(row) > 0:
new["ingredients"].append(row)
else:
recipes.append(new)
name_in_row = True
new = {"ingredients": []}
recipes.append(new)
return recipes
def search_by_name(filename: str, word: str):
recipes = read_file(filename)
found = []
for recipe in recipes:
if word.lower() in recipe["name"].lower():
found.append(recipe["name"])
return found
def search_by_time(filename: str, time: int):
recipes = read_file(filename)
found = []
for recipe in recipes:
if recipe["prep_time"] <= time:
found.append(f"{recipe['name']}, preparation time {recipe['prep_time']} min")
return found
def search_by_ingredient(filename: str, ingredient: str):
recipes = read_file(filename)
found = []
for recipe in recipes:
if ingredient.lower() in recipe["ingredients"]:
found.append(f"{recipe['name']}, preparation time {recipe['prep_time']} min")
return found
# City bikes - Approach 1
def get_station_data(filename: str):
with open(filename) as stations_data:
station_dict = {}