def makeModel(data):
    data["text"] = ""
    data["color"] = "red"
    data["temp"] = ""
    data["cx"] = 200
    data["cy"] = 200

def makeView(data, canvas):
    canvas.create_text(200, 200, text=data["text"])
    canvas.create_oval(data["cx"] - 100, data["cy"] - 100,
                       data["cx"] + 100, data["cy"] + 100,
                       fill=data["color"])

def runRules(data, call):
    # Write your simulation rules here, by changing data
    pass

def keyPressed(data, event):
    data["text"] = event.keysym
    if event.keysym == "Return":
        data["color"] = data["temp"]
        data["temp"] = ""
    else:
        data["temp"] = data["temp"] + event.char
    print(data["temp"])

def mousePressed(data, event):
    dist = ((data["cx"] - event.x)**2 + (data["cy"] - event.y)**2)**0.5
    if dist <= 100:
        import random
        colors = [ "red", "orange", "yellow", "green", "blue", "purple" ]
        data["color"] = random.choice(colors)

# You do not need to be able to write the following functions;
# just modify the five functions above.

from tkinter import *

def timeLoop(data, canvas, call):
    runRules(data, call)

    canvas.delete(ALL)
    makeView(data, canvas)
    canvas.update()

    canvas.after(data["timeRate"], timeLoop, data, canvas, call + 1)

def keyEventHandler(data, canvas, event):
    keyPressed(data, event)
    
    canvas.delete(ALL)
    makeView(data, canvas)
    canvas.update()
    
def mouseEventHandler(data, canvas, event):
    mousePressed(data, event)
    
    canvas.delete(ALL)
    makeView(data, canvas)
    canvas.update()
    
def runSimulation(w, h, timeRate):
    data = { }
    data["timeRate"] = int(timeRate * 1000) # call will be in ms
    makeModel(data)
    
    root = Tk()
    canvas = Canvas(root, width=w, height=h)
    canvas.configure(bd=0, highlightthickness=0)
    canvas.pack()
    makeView(data, canvas)
    
    canvas.after(data["timeRate"], timeLoop, data, canvas, 1)
    
    root.bind("<Key>", lambda event : keyEventHandler(data, canvas, event))
    root.bind("<Button-1>", lambda event : mouseEventHandler(data, canvas, event))
    
    root.mainloop()

runSimulation(400, 400, 0.1)

###

import random
def runTrial1():
    die1 = random.randint(1, 6)
    die2 = random.randint(1, 6)
    return die1 + die2

def getExpectedValue1(numTrials):
    total = 0
    for trial in range(numTrials):
        total = total + runTrial1()
    return total / numTrials

###

import random
def runTrial2():
    die1 = random.randint(1, 6)
    die2 = random.randint(1, 6)
    return die1 + die2

def getExpectedValue2(numTrials):
    total = 0
    for trial in range(numTrials):
        if runTrial2() < 10:
            total = total + 1
    return total / numTrials