user2928929
user2928929

Reputation: 205

Python GUI interface not opening widget?

I'm trying to create a widget that's like a to do list: but my program doesn't seem to run for some reason. It doesn't give an error, but it doesn't work..?

would anyone know what's wrong with my code?

from Tkinter import *
import tkFont

class App:

  def getTasks(self):
        return self.todo

  def getCompleted(self):
        return self.done

  def __init__(self, master):
        self.todo = todo.todoList()

        self.master = master
        self.frame - Frame(master)
        self.frame.grid()

        self.saveButton = Button(self.frame, text="Save", command=self.save)
        self.saveButton.grid()
        self.restoreButton = Button(self.frame, text="Restore", command=self.res)
        self.restoreButton.grid(row=0, column=1)
        self.addButton = Button(self.frame, text="Add", command = self.add)
        self.addButton.grid(row=0, column=2)
        self.doneButton = Button(self.frame, text = "Done", command = self.done)
        self.doneButton.grid(row=0, column=3)
        self.button = Button(self.frame, text="QUIT", command=self.quit)
        self.button.grid(row=0, column=4)

        label = Label(self.frame, text="New Task: ")
        label.grid()
        self.entry = Entry(self.frame)
        self.entry.grid(row=0, column=4)

        frame1 = LabelFrame(self.frame, text="Tasks")
        frame1.grid(columnspam = 5)
        self.tasks = Listbox(frame1)
        self.task.grid()

        frame2=LabelFrame(self.frame, text="Completed")
        frame2.grid(columnspan=5)
        self.completed= Listbox(frame2)
        self.completed.grid()

  def save(self):
        self.todo.saveList("tasks.txt")

  def restore(self):
        self.todo.restoreList("tasks.txt")
        items = self.todo.getTasks()
        self.tasks.delete(0, END)
        for item in items:
              self.tasks.insert(END, item)
        items = self.todo.getCompleted()
        self.completed.delete(0,END)
        for item in items:
              self.completed.insert(END,item)

  def add(self):
        task = self.entry.get()
        self.todo.addTask(task)
        self.tasks.insert(END,task)

  def done(self):
        selection = self.tasks.curselection()
        if len(selection) == 0:
               return
        task = self.tasks.get(selection[0])
        self.todo.completeTask(task)
        self.tasks.delete(selection[0])
        self.completed.insert(END,task)

would anyone know what the error is?

Upvotes: 0

Views: 53

Answers (1)

mgilson
mgilson

Reputation: 310197

You need to actually make an instance of App and an instance of Tkinter.Tk:

...

if __name__ == '__main__':
    root = Tk()
    app = App(root)
    root.mainloop()

Note, I haven't tried the rest of your code, so I don't know if it will work, but this should at least start giving you errors to work with.

Upvotes: 1

Related Questions