1、画直线、虚线、矩形
from tkinter import *
root=Tk()
w=Canvas(root,width=200,height=100,background='white')#画布为白色,以示区别
w.pack()
line1=w.create_line(0,50,200,50,fill='blue')#前两个数字代表一个点的坐标,后两个数字代表另一个点的坐标
line2=w.create_line(100,0,100,100,fill='red',dash=(4,4))
#dash代表虚线,2元组(a,b),a指定要画几个像素,b指定要跳过几个像素,依此重复,直至轮廓线画完。
rect1=w.create_rectangle(50,23,150,75,fill='Gray')#前两个数字代表矩形左上角的坐标,后两个数代表矩形右下角的坐标
mainloop()
结果显示:
2、对所画的图形进行修改和删除
from tkinter import *
root=Tk()
w=Canvas(root,width=200,height=100,background='white')
w.pack()
line1=w.create_line(0,50,200,50,fill='blue')#前两个数字代表一个点的坐标,后两个数字代表另一个点的坐标
line2=w.create_line(100,0,100,100,fill='red',dash=(4,4))#dash代表虚线
rect1=w.create_rectangle(50,23,150,75,fill='Gray')#前两个数字代表矩形左上角的坐标,后两个数代表矩形右下角的坐标
#修改
w.coords(line1,0,25,200,25)#移动到新的位置
w.itemconfig(rect1,fill='red')#主要是设置选项
w.delete(line2)#删除
Button(root,text='删除全部',command=(lambda x=ALL:w.delete(x))).pack()
mainloop()
?结果显示:
3、画椭圆
from tkinter import *
root=Tk()
w=Canvas(root,width=200,height=100,background='white')
w.pack()
w.create_rectangle(50,23,150,75,dash=(4,4))
w.create_oval(50,23,150,75,fill='pink')#绘制椭圆,会给出一个矩形的参数,然后进行限定填充
w.create_text(100,50,text='你好')
mainloop()
4、绘制五角星
from tkinter import *
import math as m
root=Tk()
w=Canvas(root,width=200,height=100,background='white')
w.pack()
#提前设定画布边缘的中间点,总宽度为200,总高度为100
center_x=100
center_y=50
r=50
#将五角星的五个顶点存入列表中,注意五个定点绘制的顺序
points=[
# A顶点
center_x - int(r*m.sin(2*m.pi/5)),
center_y - int(r*m.cos(2*m.pi/5)),
# C顶点
center_x + int(r*m.sin(2*m.pi/5)),
center_y - int(r*m.cos(2*m.pi/5)),
# E顶点
center_x - int(r*m.sin(m.pi/5)),
center_y + int(r*m.cos(m.pi/5)),
# B顶点
center_x,
center_y - r,
# D顶点
center_x + int(r*m.sin(m.pi/5)),
center_y + int(r*m.cos(m.pi/5)),
]
w.create_polygon(points,outline='',fill='red') #绘制多边形(坐标依次罗列,不用加括号,还有参数,fill,outline);
mainloop()
图解:
r1=r*sin(2*pi/5),r2=r*cos(2*pi/5)
A(x1,y1):x1=center_x-r1,y1=center_y-r2?
结果:
|