-
Notifications
You must be signed in to change notification settings - Fork 0
/
ch07_trivia_challenge_ex01.py
90 lines (66 loc) · 2.65 KB
/
ch07_trivia_challenge_ex01.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
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# Викторина
# Игра на выбор правильного варианта ответа,
# вопросы которой читаются из текстового файла
import sys
def open_file(file_name, mode):
"""Открывает файл."""
try:
the_file = open(file_name, mode, encoding='utf-8')
except IOError as err:
print("Невозможно открыть файл", file_name, ", работа программы будет завершена.", err)
sys.exit()
else:
return the_file
def next_line(the_file):
"""Возвращает в отформатированном виде очередную строку игрового файла."""
line = the_file.readline()
line = line.replace("/", "\n")
return line
def next_block(the_file):
"""Возвращает очередной блок данных из игрового файла."""
category = next_line(the_file)
question = next_line(the_file)
answers = []
for i in range(4):
answers.append(next_line(the_file))
correct = next_line(the_file)
if correct:
correct = correct[0]
points = next_line((the_file))
explanation = next_line(the_file)
return category, question, answers, correct, points, explanation
def welcome(title):
"""Приветствует игрока и сообщает тему игры."""
print("Добро пожаловать в игру 'Викторина'!")
print(title)
def main():
trivia_file = open_file("ch07_trivia.txt", "r")
title = next_line(trivia_file)
welcome(title)
score = 0
# извлечение первого блока
category, question, answers, correct, points, explanation = next_block(trivia_file)
while category:
# вывод вопроса на экран
print(category)
print(question)
for i in range(4):
print(i + 1, "-", answers[i], end="")
# получение ответа
answer = input("Ваш ответ: ")
# проверка ответа
if answer == correct:
print("Да!", end=" ")
score += int(points)
else:
print("Нет.", end=" ")
print(explanation)
print("Счёт:", score)
# переход к следующему вопросу
category, question, answers, correct, points, explanation = next_block(trivia_file)
trivia_file.close()
print("Это был последний вопрос!")
print("На вашем счету", score, "балл(а, ов)")
main()