### Challenge: Find a regular computer user who uses command line regularly, without external advice from IT person
http://infohost.nmt.edu/tcc/help/pubs/tkinter/web/index.html
import tkinter as tk
# %%writefile tkapp.py
import tkinter as tk
class App(tk.Frame):
def __init__(self, master=None):
tk.Frame.__init__(self,master)
self.grid()
self.createWidgets()
def createWidgets(self):
self.quitButton = tk.Button(self, text='Quit', command=self.quit)
self.quitButton.grid()
def main():
app = App()
app.master.title('My First Tkinter App')
app.mainloop()
if __name__ == "__main__":
print(f'Running Main App')
main()
## This would be better suited for running from console or VS Code! Jupyter is not well suited for running external GUI apps
main()
This term has different meanings in different contexts, but in general it refers to a rectangular area somewhere on your display screen.
A window that exists independently on your screen. It will be decorated with the standard frame and controls for your system's desktop man ager. You can move it around on your desktop. You can generally resize it, although your application can prevent this
The generic term for any of the building blocks that make up an application in a graphical user interface. Examples of widgets: buttons, radiobuttons, text fields, frames, and text labels.
In Tkinter, the Frame widget is the basic unit of organization for complex layouts. A frame is a rectangular area that can contain other widgets.
When any widget is created, a parent-child relationship is created. For example, if you place a text label inside a frame, the frame is the parent of the label.
Although there are three different “geometry managers” in Tkinter, .grid() geometry manager for pretty much everything is preffered. This manager treats every window or frame as a table—a gridwork of rows and columns.
A cell is the area at the intersection of one row and one column.
The width of each column is the width of the widest cell in that column.
The height of each row is the height of the largest cell in that row.
For widgets that do not fill the entire cell, you can specify what happens to the extra space. You can either leave the extra space outside the widget, or stretch the widget to fit it, in either the horizontal or vertical dimension.
You can combine multiple cells into one larger area, a process called spanning.
When you create a widget, it does not appear until you register it with a geometry manager. Hence, construction and placing of a widget is a two-step process that goes something like this:
self.thing = tk.Constructor(parent, ...)
self.thing.grid(...)`
where Constructor is one of the widget classes like Button, Frame, and so on, and parent is the parent widget in which this child widget is being constructed. All widgets have a .grid() method that you can use to tell the geometry manager where to put it.
The Button widget is used to display buttons in your application.
The Canvas widget is used to draw shapes, such as lines, ovals, polygons and rectangles, in your application.
The Checkbutton widget is used to display a number of options as checkboxes. The user can select multiple options at a time.
The Entry widget is used to display a single-line text field for accepting values from a user.
The Frame widget is used as a container widget to organize other widgets.
The Label widget is used to provide a single-line caption for other widgets. It can also contain images.
The Listbox widget is used to provide a list of options to a user.
The Menubutton widget is used to display menus in your application.
The Menu widget is used to provide various commands to a user. These commands are contained inside Menubutton.
The Message widget is used to display multiline text fields for accepting values from a user.
The Radiobutton widget is used to display a number of options as radio buttons. The user can select only one option at a time.
The Scale widget is used to provide a slider widget.
The Scrollbar widget is used to add scrolling capability to various widgets, such as list boxes.
The Text widget is used to display text in multiple lines.
The Toplevel widget is used to provide a separate window container.
The Spinbox widget is a variant of the standard Tkinter Entry widget, which can be used to select from a fixed number of values.
A PanedWindow is a container widget that may contain any number of panes, arranged horizontally or vertically.
A labelframe is a simple container widget. Its primary purpose is to act as a spacer or container for complex window layouts.
%%writefile tkapp.py
import tkinter as tk
from tkinter import messagebox
class App(tk.Frame):
def __init__(self, master=None):
self._msgLabel=""
tk.Frame.__init__(self,master)
self.grid()
self.createTopMenu()
self.createWidgets()
def createTopMenu(self):
top = self.winfo_toplevel()
self.menuBar = tk.Menu(top)
top['menu'] = self.menuBar
self.subMenu = tk.Menu(self.menuBar)
self.menuBar.add_cascade(label='Help', menu=self.subMenu)
self.subMenu.add_command(label='Hello there!', command=self.hello)
self.subMenu.add_command(label='Quit!', command=self.quit)
#You must use the .add_cascade() method for all the items you want on the top menu bar. Calls to .add_checkbutton(), .add_command(), or .add_radiobutton() will be ignored.
def createWidgets(self):
self.quitButton = tk.Button(self, text='Quit', command=self.quit)
self.quitButton.grid()
self.msgBox = tk.Label(self, text="Oh my msgBox")
self.msgBox.grid(row=1) # need to run grid placement on new line to preserve Label object
#print(type(self.msgBox))
def hello(self):
print('Oh hello there!')
messagebox.showinfo('Msg Title', 'Hello there indeed!')
self._msgLabel="Hello Label active"
self.msgBox['text']='Hello was activated'
print(type(self.msgBox))
#self.msgBox.configure(text='Hello was activated')
def main():
app = App()
app.master.title('My Tkinter App')
app.mainloop()
if __name__ == "__main__":
print(f'Running Main App')
main()
Some graphical builders do exist but quite limited: https://github.com/alejandroautalan/pygubu
Funny, a highschool command made a racer game using tkinter: https://www.reddit.com/r/Python/comments/8mhzzq/we_are_programming_a_game_in_tkinter_70done_and/ Not recommended but it can be done!
Qt is used for developing graphical user interfaces (GUIs) and multi-platform applications that run on all major desktop platforms and most mobile or embedded platforms.
Python wrapper/bindings for QT
already included in Anaconda
widely used and supported
QTDesigner makes designing UIs quick and painless
might be a potential problem with bundling QT in a single file app
## More on bundling QT https://wiki.python.org/moin/PyQt/Deploying_PyQt_Applications
%%writefile qt.py
import sys
from PyQt5.QtWidgets import QApplication, QWidget
def main():
app = QApplication(sys.argv) #here we use optional command line arguments directly without argparse
w = QWidget()
w.resize(300, 200) # initial size
w.move(100,200) # just move to a specific space on screen
w.setWindowTitle('First QT App')
w.show()
sys.exit(app.exec_())
if __name__ == '__main__':
main()
#%%writefile qtui.py
import sys
import os
from PyQt5.QtWidgets import QApplication, QWidget
from PyQt5.QtGui import QIcon
from PyQt5 import uic
# I created main.ui in QTDesigner found in ProgramData/Anaconda3/Library/bin on Windows
uifile = os.path.join(os.getcwd(), 'UI', 'main.ui')
print(uifile)
form, base = uic.loadUiType(uifile)
class Example(base, form):
def __init__(self):
super(base,self).__init__()
self.setupUi(self)
self.actionQuit.triggered.connect(self.actionQuit_slot)
self.radioButton_2.toggled.connect(self.radioButton_2_slot)
self.horizontalSlider.valueChanged.connect(self.valuechange_slot)
#.valueChanged.connect(self.valuechange)
def actionQuit_slot(self):
print('Going to Quit Seriously!')
sys.exit(app.exec_())
def radioButton_2_slot(self): #Notice how it also works when connected Radio Button 1 is toggled!
print('Radio Button Toggled!')
def valuechange_slot(self):
print(f'Slider Value: {self.horizontalSlider.value()}')
self.mysliderLabel.setText(f'Slider Value: {self.horizontalSlider.value()}')
if __name__ == '__main__':
print('Starting qtui')
app = QApplication(sys.argv)
mpage = Example()
mpage.show()
sys.exit(app.exec_())
C:\Users\vsd\Documents\Github\RCS_Python\UI\main.ui Starting qtui Going to Quit Seriously!
https://wiki.qt.io/Qt_for_Python
This means easier bundling of PySides applications in commercial projects.
http://blog.qt.io/blog/2018/07/17/qt-python-available-pypi/
So simple pip install PySide2 should work
!pip install PySide2
Collecting PySide2 Downloading https://files.pythonhosted.org/packages/10/ba/7448ec862655c356ade22351ed46c9260773186c37ba0d8ceea1ef8c7515/PySide2-5.11.2-5.11.2-cp35.cp36.cp37-none-win_amd64.whl (128.7MB) Installing collected packages: PySide2 Successfully installed PySide2-5.11.2
You are using pip version 9.0.1, however version 18.1 is available. You should consider upgrading via the 'python -m pip install --upgrade pip' command.
import PySide2
dir(PySide2)
['__all__', '__build_date__', '__builtins__', '__cached__', '__doc__', '__file__', '__loader__', '__name__', '__package__', '__path__', '__setup_py_package_timestamp__', '__spec__', '__version__', '__version_info__', '_setupQtDirectories']
Documentation https://doc.qt.io/qtforpython/index.html