"""
Learning Goals:
 - Represent the state of a system in a model by identifying components and rules
 - Visualize a model using graphics
 - Update a model over time based on rules
 - Update a model based on events (mouse-based and keyboard-based)
"""

def makeModel(data):
    data["x"] = 50
    data["y"] = 50
    data["color"] = "red"
    data["text"] = ""

def makeView(data, canvas):
    canvas.create_oval(data["x"] - 50, data["y"] - 50, data["x"] + 50, data["y"] + 50, fill=data["color"])

def runRules(data, call):
    if data["color"] == "red":
        data["color"] = "green"
    elif data["color"] == "green":
        data["color"] = "blue"
    else:
        data["color"] = "red"

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

def mousePressed(data, event):
    data["x"] = event.x
    data["y"] = event.y

# 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, 1)
