python视窗编程_[PYTHON] 核心编程笔记(19.图形用户界面编程)

19.1 简介

19.1.1 什么是Tcl,Tk和Tkinter?

19.1.2 安装和使用Tkinter

# apt-get install python-tk -y

# python

-------------------------------

Python 2.7.3 (default, Sep 26 2012, 21:51:14)

[GCC 4.7.2] on linux2

Type "help", "copyright", "credits" or "license" for more information.

>>> import Tkinter

>>>

--------------------------------

19.2 Tkinter与Python编程

19.2.1 Tkinter模块:把Tk引入您的程序

1.导入Tkinter模块(import Tkinter,或者,from Tkinter import *)

2.创建一个顶层窗口对象,来容纳您的整个GUI程序

3.在您顶层窗口对象上或其中创建所有的GUI模块(以及功能)

4.把这些GUI模块与地层程序代码相连接

5.进入主事件循环

第一步很明显,所有使用Tkinter的GUI程序必须先导入Tkinter模块,第一步就是为

了获得Tkinter的访问权

19.2.2 GUI程序开发简介

19.2.3 顶层窗口:Tkinter.Tk()

>>> import Tkinter

>>> top = Tkinter.Tk()

19.2.4 Tk组件

例,标签组件演示(tkhello1.py)

# vi tkhello1.py

----------------------------

#!/usr/bin/env python

import Tkinter

top = Tkinter.Tk()

label = Tkinter.Label(top, text = 'Hello World!')

label.pack()

Tkinter.mainloop()

----------------------------

19.3 Tkiner 举例

19.3.1 标签组件

19.3.2 按钮组件

例,按钮组件演示

# vi tkhello2.py

------------------------------

#!/usr/bin/env python

import Tkinter

top = Tkinter.Tk()

quit = Tkinter.Button(top, text = 'Hello World!', command = top.quit)

quit.pack()

Tkinter.mainloop()

------------------------------

19.3.3 标签和按钮组件

例,标签和按钮组件演示

# vi tkhello3.py

------------------------------

#!/usr/bin/env python

import Tkinter

top = Tkinter.Tk()

hello = Tkinter.Label(top, text='Hello World!')

hello.pack()

quit = Tkinter.Button(top, text='QUIT',

command=top.quit, bg='red',fg='white')

quit.pack(fill=Tkinter.X, expand=1)

Tkinter.mainloop()

------------------------------

19.3.4 标签,按钮和进度条组件

例,标签,按钮和进度条组件演示

我们最后一个组件例子介绍进度条组件,重点放在组件间通过回调函数的交互[诸

如resize()],您对进度条组件的动作将影响标签组件上的文字

# vi tkhello4.py

------------------------------------

#!/usr/bin/env python

from Tkinter import *

def resize(ev=None):

label.config(font='Helvetica -%d bold' % \

scale.get())

top = Tk()

top.geometry('250x150')

label = Label(top, text='Hello World!',

font='Helvetica -12 bold')

label.pack(fill=Y, expand=1)

scale = Scale(top, from_=10, to=40,

orient=HORIZONTAL, command=resize)

scale.set(12)

scale.pack(fill=X, expand=1)

quit = Button(top, text='QUIT',

command=top.quit, activeforeground='white',

activebackground='red')

quit.pack()

mainloop()

------------------------------------

19.3.5 偏函数应用举例

例,运用PFA的路灯指示牌GUI程序

# vi pfaGUI2.py

--------------------------------------

#!/usr/bin/env python

from functools import partial as pto

from Tkinter import Tk, Button, X

from tkMessageBox import showinfo, showwarning, showerror

WARN = 'warn'

CRIT = 'crit'

REGU = 'regu'

SIGNS = {

'do not enter': CRIT,

'railroad crossing': WARN,

'55\nspeed limit': REGU,

'wrong way': CRIT,

'merging traffic': WARN,

'one way': REGU,

}

critCB = lambda : showerror('Error', 'Error Button Pressed!')

warnCB = lambda : showwarning('Warning',

'Warning Button Pressed!')

infoCB = lambda : showinfo('Info', 'Info Button Pressed!')

top = Tk()

top.title('Road Signs')

Button(top, text='QUIT', command=top.quit,

bg='red', fg='white').pack()

MyButton = pto(Button, top)

CritButton = pto(MyButton, command=critCB, bg='white', fg='red')

WarnButton = pto(MyButton, command=warnCB, bg='goldenrod1')

ReguButton = pto(MyButton, command=infoCB, bg='white')

for eachSign in SIGNS:

signType = SIGNS[eachSign]

cmd = '%sButton(text=%r%s).pack(fill=X, expand=True)' % (

signType.title(), eachSign,

'.upper()' if signType == CRIT else '.title()')

eval(cmd)

top.mainloop()

--------------------------------------

19.3.6 中级Tkinter范例

例,文件遍历系统(listdir.py)

这个稍高级一些的GUI程序扩大的组件的使用范围,演员名单新增了列表框,文本框

,和滚动条,而且还有大量的回调函数,例如鼠标点击,键盘输入,和滚动条操作

# vi listdir.py

----------------------------------------

#!/usr/bin/env python

import os

from time import sleep

from Tkinter import *

class DirList:

def __init__(self, initdir=None):

self.top = Tk()

self.label = Label(self.top, \

text='Directory Lister' + ' v1.1')

self.label.pack()

self.cwd=StringVar(self.top)

self.dirl = Label(self.top, fg='blue',

font=('Helvetica', 12, 'bold'))

self.dirl.pack()

self.dirfm = Frame(self.top)

self.dirsb = Scrollbar(self.dirfm)

self.dirsb.pack(side=RIGHT, fill=Y)

self.dirs = Listbox(self.dirfm, height=15, \

width=50, yscrollcommand=self.dirsb.set)

self.dirs.bind('', self.setdirandgo)

self.dirsb.config(command=self.dirs.yview)

self.dirs.pack(side=LEFT, fill=BOTH)

self.dirfm.pack()

self.dirn = Entry(self.top, width=50, \

textvariable=self.cwd)

self.dirn.bind('', self.dols)

self.dirn.pack()

self.bfm = Frame(self.top)

self.clr = Button(self.bfm, text='Clear', \

command=self.clrdir, \

activeforeground='white', \

activebackground='blue')

self.ls = Button(self.bfm, \

text='List Directory', \

command=self.dols, \

activeforeground='white', \

activebackground='green')

self.quit = Button(self.bfm, text='Quit', \

command=self.top.quit, \

activeforeground='white', \

activebackground='red')

self.clr.pack(side=LEFT)

self.ls.pack(side=LEFT)

self.quit.pack(side=LEFT)

self.bfm.pack()

if initdir:

self.cwd.set(os.curdir)

self.dols()

def clrdir(self, ev=None):

self.cwd.set('')

def setdirandgo(self, ev=None):

self.last = self.cwd.get()

self.dirs.config(selectbackground='red')

check = self.dirs.get(self.dirs.curselection())

if not check:

check = os.curdir

self.cwd.set(check)

self.dols()

def dols(self, ev=None):

error = ''

tdir = self.cwd.get()

if not tdir: tdir = os.curdir

if not os.path.exists(tdir):

error = tdir + ': no such file'

elif not os.path.isdir(tdir):

error = tdir + ': not a directory'

if error:

self.cwd.set(error)

self.top.update()

sleep(2)

if not (hasattr(self, 'last') \

and self.last):

self.last = os.curdir

self.cwd.set(self.last)

self.dirs.config( \

selectbackground='LightSkyBlue')

self.top.update()

return

self.cwd.set( \

'FETCHING DIRECTORY CONTENTS...')

self.top.update()

dirlist = os.listdir(tdir)

dirlist.sort()

os.chdir(tdir)

self.dirl.config(text=os.getcwd())

self.dirs.delete(0, END)

self.dirs.insert(END, os.curdir)

self.dirs.insert(END, os.pardir)

for eachFile in dirlist:

self.dirs.insert(END, eachFile)

self.cwd.set(os.curdir)

self.dirs.config( \

selectbackground='LightSkyBlue')

def main():

d = DirList(os.curdir)

mainloop()

if __name__ == '__main__':

main()

----------------------------------------

19.4 其他GUI简介

19.4.1 Tk interface eXtensions(Tix)

# apt-get install tix -y

# vi animalTix.pyw

-------------------------------------------

#!/usr/bin/env python

from Tkinter import Label, Button, END

from Tix import Tk, Control, ComboBox

top = Tk()

top.tk.eval('package require Tix')

lb = Label(top,

text='Animals (in pairs; min: pair, max: dozen)')

lb.pack()

ct = Control(top, label='Number:',

integer=True, max=12, min=2, value=2, step=2)

ct.label.config(font='Helvetica -14 bold')

ct.pack()

cb = ComboBox(top, label='Type:', editable=True)

for animal in ('dog', 'cat', 'hamster', 'python'):

cb.insert(END, animal)

cb.pack()

qb = Button(top, text='QUIT',

command=top.quit, bg='red', fg='white')

qb.pack()

top.mainloop()

-------------------------------------------

19.4.2 Python MegaWidgets(PMW)

19.4.3 wxWidgets和wxPython

Pmw GUI程序演示

# apt-get install python-pmw -y

# vi animalPmw.pyw

----------------------------------

#!/usr/bin/env python

from Tkinter import Button, END, Label, W

from Pmw import initialise, ComboBox, Counter

top = initialise()

lb = Label(top,

text='Animals (in pairs; min: pair, max: dozen)')

lb.pack()

ct = Counter(top, labelpos=W, label_text='Number:',

datatype='integer', entryfield_value=2,

increment=2, entryfield_validate={'validator':

'integer', 'min': 2, 'max': 12})

ct.pack()

cb = ComboBox(top, labelpos=W, label_text='Type:')

for animal in ('dog', 'cat', 'hamster', 'python'):

cb.insert(END, animal)

cb.pack()

qb = Button(top, text='QUIT',

command=top.quit, bg='red', fg='white')

qb.pack()

top.mainloop()

----------------------------------

wxPython GUI程序演示

# vi animalWx.pyw

-----------------------------------

#!/usr/bin/env python

from Tkinter import Button, END, Label, W

from Pmw import initialise, ComboBox, Counter

top = initialise()

lb = Label(top,

text='Animals (in pairs; min: pair, max: dozen)')

lb.pack()

ct = Counter(top, labelpos=W, label_text='Number:',

datatype='integer', entryfield_value=2,

increment=2, entryfield_validate={'validator':

'integer', 'min': 2, 'max': 12})

ct.pack()

cb = ComboBox(top, labelpos=W, label_text='Type:')

for animal in ('dog', 'cat', 'hamster', 'python'):

cb.insert(END, animal)

cb.pack()

qb = Button(top, text='QUIT',

command=top.quit, bg='red', fg='white')

qb.pack()

top.mainloop()

-----------------------------------

19.4.4 GTK+ 和 PyGTK

PyGTk GUI 程序演示(animalGtk.pyw)

# vi animalGtk.pyw

--------------------------------------

#!/usr/bin/env python

import pygtk

pygtk.require('2.0')

import gtk

import pango

class GTKapp(object):

def __init__(self):

top = gtk.Window(gtk.WINDOW_TOPLEVEL)

top.connect("delete_event", gtk.main_quit)

top.connect("destroy", gtk.main_quit)

box = gtk.VBox(False, 0)

lb = gtk.Label(

'Animals (in pairs; min: pair, max: dozen)')

box.pack_start(lb)

sb = gtk.HBox(False, 0)

adj = gtk.Adjustment(2, 2, 12, 2, 4, 0)

sl = gtk.Label('Number:')

sl.modify_font(

pango.FontDescription("Arial Bold 10"))

sb.pack_start(sl)

ct = gtk.SpinButton(adj, 0, 0)

sb.pack_start(ct)

box.pack_start(sb)

cb = gtk.HBox(False, 0)

c2 = gtk.Label('Type:')

cb.pack_start(c2)

ce = gtk.combo_box_entry_new_text()

for animal in ('dog', 'cat', 'hamster', 'python'):

ce.append_text(animal)

cb.pack_start(ce)

box.pack_start(cb)

qb = gtk.Button("")

red = gtk.gdk.color_parse('red')

sty = qb.get_style()

for st in (gtk.STATE_NORMAL,

gtk.STATE_PRELIGHT, gtk.STATE_ACTIVE):

sty.bg[st] = red

qb.set_style(sty)

ql = qb.child

ql.set_markup('QUIT')

qb.connect_object("clicked",

gtk.Widget.destroy, top)

box.pack_start(qb)

top.add(box)

top.show_all()

if __name__ == '__main__':

animal = GTKapp()

gtk.main()

--------------------------------------

19.5 相关模块和其他GUI

GUI 模块或系统描述

TkinterTK INTERface: Python的默认GUI工具集

PmwPython MegaWidgets(Tkinter扩展)

TixTk Interface eXtension(Tk 扩展)

TkZinc(Zinc) Extended Tk Canvas type(Tk 扩展)

EasyGUI(easygui) 非常简单的非事件驱动GUI(Tk 扩展)

TIDE+(IDE Studio) Tix集成开发环境

wxWidgets相关模块

wxPython Python对wxWidgets的绑定,一个跨平台的GUI框架库(早期称为wxWindows)

Boa ConstructorPython集成开发环境兼wxPython GUI构造工具

PythonCard 基于wxPython的GUI桌面应用程序工具集

wxGlade 另一个wxPython GUI设计工具

商业软件

win32ui Python版的Microsoft MFC

swing Python版的Sun Microsystems Java/swing(基于Jython)

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/505356.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

B+树操作方式

1 简介 B树与B树相似, 也存在不同. 可以理解为把所有元素都放在叶子节点, 索引B树化的树. B树的一些性质: 1. B树的节点分类: 内部节点(索引节点), 叶子节点. 如果只有根节点有元素, 那么其可以是内部节点也可以是叶子节点. 2. B树与B树最大的不同是内部节点不保存数据, 只…

java执行查询postgresql得到中文乱码_比这个夏天还要热的PostgreSQL数据库来啦!

什么是PostgreSQL?云数据库 PostgreSQL 是京东云基于开源的 PostgreSQL 10.6 版本构建的一款功能强大的企业级关系型数据库管理系统。PostgreSQL有“世界上可获得的最先进的开源数据库”之称,在过去20年的飞速发展中,该数据库已经广泛应用在G…

排序算法 --- 快速排序

1. 原理 首先, 在一个待排序序列中, 以第一个元素为基准, 让序列中所有的基准小的元素在该元素左边, 比其大的元素在其右边. 算法是一种原地算法, 首先把序列里面从基准开始的下一个元素一直到序列尾, 分成左右部分, 左边的都是小的, 右边的都是大的, 最后把基准跟中点交换一下…

python按列读取txt文件_如何使用pandas读取txt文件中指定的列(有无标题)

最近在倒腾一个txt文件,因为文件太大,所以给切割成了好几个小的文件,只有第一个文件有标题,从第二个开始就没有标题了。 我的需求是取出指定的列的数据,踩了些坑给研究出来了。 import pandas as pd # 我们的需求是 取…

C++的一些关键字

volatile 用volatile声明的变量, 是通知编译器, 该变量为时刻变化的变量, 编译时不要对其进行优化, 每次使用该变量的时候必须从其地址进行读取. (以下是个人理解)一般在多线程中的状态变量会被该关键字声明. 而标准使用场景是: 并行设备的硬件寄存器(如&#xf…

python doc_2019-2020年Python3中文教程完整版.doc

Python已经是3.1版本了,与时俱进更新教程.本文适合有Java编程经验的程序员快速熟悉Python本文程序在windows xppython3.1a1 测试通过.本文提到的idle指python shell,即安装python后你在菜单看到的IDLE(python gui)在idle里ctrln可以打开一个新窗口,输入源码后ctrls可以保存,f5运…

C++数据的一些注意事项

1 不同类型 1.1 静态变量 分类: 分为静态全局变量和静态局部变量 作用域: 需要注意静态全局变量也仅仅是在本文件中可用,除非加extern关键字。 内存分配位置 在全局区分配空间,初始值为0。 1.2 局部非静态变量 内存分配位…

python打包的exe如何免杀_如何使用Python进行Payload免杀

很多渗透工具都提供了权限维持的能力,如Metasploit、Empire和Cobalt Strike,但是都会被防病毒软件检测到恶意行为。在探讨一个权限维持技巧的时候,似乎越来越多的人关注的是,这个方式会不会被被杀软杀掉? 打造免杀的pa…

C++指针注意事项

指针占用空间 32位操作系统下指针占用四个字节的空间. 64位下占用8个字节. const 指针组合 const修饰指针 --- 常量指针 声明 const T *p xxx; 特点 指针指向可以修改, 但是指针指向的值不可以修改. 比如: int a 10; int b 20; const int *p &a; *p 20; …

C++内存分类

1 栈 存放的数据: 局部变量,函数参数,返回地址等。 默认初始值: 无默认初始值,为随机值。 分配者: 有编译器自动分配。 分配大小: 在程序开始后分配固定大小的栈空间,如果申…

jpa多表关联查询_Spring Boot 整合mybatis如何自定义 mapper 实现多表关联查询

上一篇文章已经介绍了自定义 mapper 实现自定义的方法,其实实现了通过自定义的mapper就可以做多表关联等复杂查询。但是很多朋友还是反馈说没有实现多表关联查询,所以,今天把文章又重新修改了,增加了多表关联的实现步骤。Mybatis …

spark on yarn 完全分布式_「大数据」(七十一)Spark之架构介绍

【导读:数据是二十一世纪的石油,蕴含巨大价值,这是情报通大数据技术系列第[71]篇文章,欢迎阅读和收藏】1 基本概念Spark 架构采用了分布式计算中的 Master-Slave 模型。 Master 是对应集群中的含有 Master 进程的节点,…

计算机网络数据链路层 --- 停止等待协议

停止等待协议的意义 除了比特出差错,底层信道还会出现丢包问题。为了实现流量控制。 停止等待协议的前提 虽然现在常用全双工通信方式,但为了讨论问题方便,仅考虑一方发送数据(发送方),一方接收数据&…

python import如何使用_python之import引用

关于python的import引用的最大关键是init.py文件的作用,这个文件对于import的方法使用至关重要。这个是我在搭建自动化框架过程中用到的import的方法使用。 比如说,我现在login.py想引用bottom底下的log.py的时候,这个时候,我们如…

计算机网络数据链路层 --- 后退n帧协议(GBN)

滑动窗口 发送窗口 发送方维持一组连续的允许发送的帧的序号 接收窗口 接收方维持一组连续的允许接收帧的序号 发送过程 如图,假如发送方的发送窗口大小是6,首先发送0号帧,并建立0号帧的副本,防止帧丢失,然后发送…

简要描述内部连接和外部连接之间的区别_创新性的M12推拉式连接器推拉标准—跨制造商自动化技术的里程碑...

“八家知名制造商 – 菲尼克斯,浩亭,莫仕,穆尔电子,宾德,康耐,艾查和魏德米勒因建立M12推拉式连接器的推拉锁紧机制而在市场上确立了地位。我们共同追求一个目标,即确保各个制造商之间的兼容性。…

计算机网络数据链路层 --- 选择重传协议(SR)

引言 GBN协议的弊端 累计确认,从而导致某一帧错误后会批量重传。 可行的解决方案 可以只重传出错的帧,设置单个确认,同时加大接收窗口,设置接收缓存,缓存乱序到达的帧。这也就是选择重传协议SR。 SR中的滑动窗口 …

requests 返回的cookies为空_爬虫学习(2)(requests库)

POST请求import requestsdata {name: cxc, age: 18} r requests.post("http://httpbin.org/post", datadata) print(r.text)POST请求这样就成功地获得了返回结果,form部分就是提交的数据,证明POST请求成功发送了。响应之前我们使用了text和c…

计算机网络 --- 数据链路层的功能

数据链路层在物理层提供服务的基础上向网络层提供服务, 其最基本的服务是将源自网络层来的数据可靠地传输到相邻结点的目标机网络层, 其主要作用是加强物理层传输原始比特流的功能, 将物理层提供的可能出错的物理链接改造成为逻辑上无差错的数据链路, 使之对网络层表现出一条无…

pytorch元素相乘_bert_pytorch学习(1)

本文主要是记录学习bert的pytorch实现代码的一些心得dataset1. vocab继承关系:TorchVocab --> Vocab --> WordVocabTorchVocab该类主要是定义了一个词典对象,包含如下三个属性:freqs:是一个collections.Counter对象&#xf…