-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathBuffon_problem.py
258 lines (204 loc) · 9.41 KB
/
Buffon_problem.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
from tkinter import Tk, Canvas
from random import randint
from math import sin, cos, pi
# https://habr.com/ru/post/172827/ - сайт, на котором брал информацию
amount_needles = 10
# Параметры полотна:
CANVAS_OPTIONS = {
'width': 1220,
'height': 400,
'bg': 'black'
}
# Параметры иголок:
NEEDLES_OPTIONS = {
'fill': '#87939A',
'width': 1,
'length': 20
}
CHART_OPTIONS = {
'fill': 'lime',
'width': 2,
'tags': ('for clean',)
}
chart = None # список для сохранения дескрипторов диаграммы
chart_factor = 1
stop_process = None # глобальная переменная, которая в последствии станет экземпляром класса
drawed_needles = 0
overlapped_needles = set()
needles_ids = [] # список для сохранения дескрипторов иголок
lines_ids = [] # список для сохранения дескрипторов линий
data_ids = [] # список для хранения дескрипторов текста, который будет выводится на полотно
middle_line_ids = [] # список для сохранения дескриптора средней линии
list_overlapping = [] # список для сохранения координат пересечения
list_values_pi = [0.0] # список для сохранения всех значений вероятности (каждой итерации)
def draw_lines(distance_bet_lines=NEEDLES_OPTIONS['length']):
"""
Рисует вертикальные линии на полотне (их кол-во зависит от расстояния между ними).
*Все линии рисуются в пределах полотна.
Args:
distance_bet_lines: расстояние между прямыми (по умолчанию оно равно длине иглы)
"""
global lines_ids
for coord_x in range(distance_bet_lines, CANVAS_OPTIONS['width'], distance_bet_lines):
lines_ids.append(canvas.create_line(coord_x, 0, coord_x, CANVAS_OPTIONS['height'], fill='gray',
width=1))
def draw_needles():
"""
"Разбрасывает" иголки по полотну. Количество бросаемых иголок зависит от величины
amount_needles (7 строка кода)
"""
global needles_ids
global drawed_needles
for amount_iterations in range(amount_needles):
coord_x = randint(0, CANVAS_OPTIONS['width'])
coord_y = randint(0, CANVAS_OPTIONS['height'])
random_angle = randint(0, 360)
drawed_needles += 1
needles_ids.append(canvas.create_line(coord_x, coord_y,
coord_x - cos(random_angle * pi / 180) * NEEDLES_OPTIONS['length'],
coord_y - sin(random_angle * pi / 180) * NEEDLES_OPTIONS['length'],
fill=NEEDLES_OPTIONS['fill'], width=NEEDLES_OPTIONS['width'],
tags=('for clean',)))
while len(needles_ids) > 500:
canvas.delete(needles_ids.pop(0))
def paint_needles():
"""
Перекрашивает иголки, которые пересеклись с линиями
"""
global overlapped_needles
for line in lines_ids:
line_coordinates = canvas.coords(line)
overlaps = canvas.find_overlapping(*line_coordinates)
for overlap_needle in overlaps:
if overlap_needle in needles_ids:
canvas.itemconfig(overlap_needle, fill='lime')
overlapped_needles.add(overlap_needle)
def draw_chart(coordinates):
"""
Отрисовывает точечную диаграмму.
По вертикальной оси располагается отношение кол-ва иголок,
попавших на нити, к общему кол-ву брошенных иголок.
По горизонтальной число иголок
Args:
coordinates: координаты точки
"""
global chart
global chart_factor
def scale_coordinates(coords):
"""Скалирует координаты по оси x"""
for no, coord in enumerate(coords):
yield coord * chart_factor if no % 2 == 0 else coord
if chart is None:
chart = canvas_chart.create_line(coordinates,
coordinates[0] + 4, coordinates[1] + 4,
**CHART_OPTIONS)
else:
old_coords = canvas_chart.coords(chart)
scaled_coordinates = scale_coordinates(coordinates)
if canvas_chart.coords(chart)[-2] >= canvas_chart.winfo_width() - 100:
chart_factor /= 2
old_coords = list(scale_coordinates(old_coords))
canvas_chart.coords(chart, *(old_coords + list(scaled_coordinates)))
def create_text(data_one, data_two):
"""
Отрисовка данных на полотне
Args:
data_one: данные, которые необходимо отобразить на полотне
data_two: данные, которые необходимо отобразить на полотне
"""
global data_ids
global list_values_pi
data_ids = [canvas_chart.create_text(CANVAS_OPTIONS['width'] // 2 - 10, 20,
text=f'Общее кол-во иголок: {data_one}', fill='lime',
font=('Comic Sans MS', 20)),
canvas_chart.create_text(CANVAS_OPTIONS['width'] // 2 - 10, 50,
text=f'Кол-во иголок, которые пересекли нить: {data_two}', fill='lime',
font=('Comic Sans MS', 20)),
canvas_chart.create_text(CANVAS_OPTIONS['width'] // 2 - 10, 80,
text=f'2 / (вероятность пересечения): {round(2 / (data_two / data_one), 10)}',
fill='lime', font=('Comic Sans MS', 20)),
canvas_chart.create_text(
CANVAS_OPTIONS['width'] // 2 - 10, 110,
text=f'Среднее арифметическое всех значений: {sum(list_values_pi) / len(list_values_pi)}',
fill='lime', font=('Comic Sans MS', 20)),
canvas_chart.create_text(
CANVAS_OPTIONS['width'] // 2 - 10, 140,
text=f'Погрешность: {(pi / (2 / (data_two / data_one))) - 1}',
fill='lime', font=('Comic Sans MS', 20))]
def draw_middle_line():
"""
Отрисовка средней линии
"""
global middle_line_ids
global list_values_pi
middle_line_ids = [canvas_chart.create_line(0, sum(list_values_pi) / len(list_values_pi) * 80,
CANVAS_OPTIONS['width'], sum(list_values_pi) / len(list_values_pi) * 80,
fill='blue', width=1, tags=('for clean',))]
def process():
"""
Анимационный процесс
"""
global amount_needles
global list_overlapping
global needles_ids
global chart
global stop_process
global data_ids
global list_values_pi
global middle_line_ids
# обновление текстовых данных:
for canvas_id in data_ids:
canvas_chart.delete(canvas_id)
data_ids = []
# обновление средней линии:
for canvas_id in middle_line_ids:
canvas_chart.delete(canvas_id)
middle_line_ids = []
stop_process = root.after(100, process)
draw_needles()
paint_needles()
create_text(drawed_needles, len(overlapped_needles))
# для того, чтобы уменьшить шаг по горизонтали на диаграмме, нужно разделить
# len(needles_ids) на какое-либо число (в строке ниже):
draw_chart((drawed_needles // 1, (2 / (len(overlapped_needles) / drawed_needles)) * 80))
list_values_pi.append(2 / (len(overlapped_needles) / drawed_needles))
draw_middle_line()
# обновление списка пересечений:
list_overlapping = []
def stop(event):
"""
Остановить процесс
"""
root.after_cancel(stop_process)
def continues(event):
"""
Продолжить процесс
"""
process()
def clean_canvas(event):
"""
Очистка полотна от иголок
"""
global needles_ids
global chart
global drawed_needles
canvas.delete('for clean')
canvas_chart.delete('for clean')
for canvas_id in needles_ids:
canvas.delete(canvas_id)
needles_ids = []
chart = None
drawed_needles = 0
overlapped_needles.clear()
root = Tk()
root.bind('<a>', stop)
root.bind('<d>', continues)
root.bind('<w>', clean_canvas)
canvas = Canvas(root, **CANVAS_OPTIONS)
canvas.pack()
canvas_chart = Canvas(root, **CANVAS_OPTIONS)
canvas_chart.pack()
canvas_chart.create_line(0, pi * 80, CANVAS_OPTIONS['width'], pi * 80, fill='yellow', width=1) # значение 3.14
draw_lines()
process()
root.mainloop()