涉及到开发桌面程序,尤其是文本处理,剪贴板就很常用,不像 java 中那么烦锁,wxpython 中访问剪贴板非常简单,寥寥几句足以。
1
2
3
4
5
6
|
# 取得剪贴板并确保其为打开状态
text_obj = wx.TextDataObject()
wx.TheClipboard. Open ()
if wx.TheClipboard.IsOpened() or wx.TheClipboard. Open ():
# do something...
wx.TheClipboard.Close()
|
取值:
1
2
|
if wx.TheClipboard.GetData(text_obj):
text = text_obj.GetText()
|
写值:
1
2
|
text_obj.SetText(‘要写入的值')
wx.TheClipboard.SetData(text_obj)
|
下面的例子中,点击 Copy 会将文本框中的值复制到剪贴板,点击 Paste 会将剪贴板中的文本粘贴到文本框中。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
|
"""
Get text from and put text on the clipboard.
"""
import wx
class MyFrame(wx.Frame):
def __init__( self ):
wx.Frame.__init__( self , None , title = 'Accessing the clipboard' , size = ( 400 , 300 ))
# Components
self .panel = wx.Panel( self )
self .text = wx.TextCtrl( self .panel, pos = ( 10 , 10 ), size = ( 370 , 220 ))
self .copy = wx.Button( self .panel, wx.ID_ANY, label = 'Copy' , pos = ( 10 , 240 ))
self .paste = wx.Button( self .panel, wx.ID_ANY, label = 'Paste' , pos = ( 100 , 240 ))
# Event bindings.
self .Bind(wx.EVT_BUTTON, self .OnCopy, self .copy)
self .Bind(wx.EVT_BUTTON, self .OnPaste, self .paste)
def OnCopy( self , event):
text_obj = wx.TextDataObject()
text_obj.SetText( self .text.GetValue())
if wx.TheClipboard.IsOpened() or wx.TheClipboard. Open ():
wx.TheClipboard.SetData(text_obj)
wx.TheClipboard.Close()
def OnPaste( self , event):
text_obj = wx.TextDataObject()
if wx.TheClipboard.IsOpened() or wx.TheClipboard. Open ():
if wx.TheClipboard.GetData(text_obj):
self .text.SetValue(text_obj.GetText())
wx.TheClipboard.Close()
app = wx.App( False )
frame = MyFrame()
frame.Show( True )
app.MainLoop()
|