blob: dfb295391cbf07c9c4998a4cd504d20672f199a9 [file] [log] [blame]
Jack Jansend0fc42f2001-08-19 22:05:06 +00001"""Tools for use in AppleEvent clients and servers:
2conversion between AE types and python types
3
4pack(x) converts a Python object to an AEDesc object
5unpack(desc) does the reverse
6coerce(x, wanted_sample) coerces a python object to another python object
7"""
8
9#
10# This code was originally written by Guido, and modified/extended by Jack
11# to include the various types that were missing. The reference used is
12# Apple Event Registry, chapter 9.
13#
14
15import struct
16import string
17import types
18from string import strip
19from types import *
Jack Jansen5a6fdcd2001-08-25 12:15:04 +000020from Carbon import AE
21from Carbon.AppleEvents import *
Jack Jansend0fc42f2001-08-19 22:05:06 +000022import MacOS
23import macfs
24import StringIO
25import aetypes
26from aetypes import mkenum, mktype
Jack Jansen8b777672002-08-07 14:49:00 +000027import os
Jack Jansend0fc42f2001-08-19 22:05:06 +000028
29# These ones seem to be missing from AppleEvents
30# (they're in AERegistry.h)
31
32#typeColorTable = 'clrt'
33#typeDrawingArea = 'cdrw'
34#typePixelMap = 'cpix'
35#typePixelMapMinus = 'tpmm'
36#typeRotation = 'trot'
37#typeTextStyles = 'tsty'
38#typeStyledText = 'STXT'
39#typeAEText = 'tTXT'
40#typeEnumeration = 'enum'
41
42#
43# Some AE types are immedeately coerced into something
44# we like better (and which is equivalent)
45#
46unpacker_coercions = {
47 typeComp : typeFloat,
48 typeColorTable : typeAEList,
49 typeDrawingArea : typeAERecord,
50 typeFixed : typeFloat,
51 typeExtended : typeFloat,
52 typePixelMap : typeAERecord,
53 typeRotation : typeAERecord,
54 typeStyledText : typeAERecord,
55 typeTextStyles : typeAERecord,
56};
57
58#
59# Some python types we need in the packer:
60#
Jack Jansenad5dcaf2002-03-30 23:44:58 +000061AEDescType = AE.AEDescType
62FSSType = macfs.FSSpecType
63AliasType = macfs.AliasType
Jack Jansend0fc42f2001-08-19 22:05:06 +000064
Jack Jansen8b777672002-08-07 14:49:00 +000065def packkey(ae, key, value):
66 if hasattr(key, 'which'):
67 keystr = key.which
68 elif hasattr(key, 'want'):
69 keystr = key.want
70 else:
71 keystr = key
72 ae.AEPutParamDesc(keystr, pack(value))
73
Jack Jansend0fc42f2001-08-19 22:05:06 +000074def pack(x, forcetype = None):
75 """Pack a python object into an AE descriptor"""
76
77 if forcetype:
78 if type(x) is StringType:
79 return AE.AECreateDesc(forcetype, x)
80 else:
81 return pack(x).AECoerceDesc(forcetype)
82
83 if x == None:
84 return AE.AECreateDesc('null', '')
85
86 t = type(x)
87 if t == AEDescType:
88 return x
89 if t == FSSType:
90 return AE.AECreateDesc('fss ', x.data)
91 if t == AliasType:
92 return AE.AECreateDesc('alis', x.data)
93 if t == IntType:
94 return AE.AECreateDesc('long', struct.pack('l', x))
95 if t == FloatType:
96 return AE.AECreateDesc('doub', struct.pack('d', x))
97 if t == StringType:
98 return AE.AECreateDesc('TEXT', x)
Jack Jansen5bb8f782002-02-05 21:24:47 +000099 if t == UnicodeType:
100 data = t.encode('utf16')
101 if data[:2] == '\xfe\xff':
102 data = data[2:]
103 return AE.AECreateDesc('utxt', data)
Jack Jansend0fc42f2001-08-19 22:05:06 +0000104 if t == ListType:
105 list = AE.AECreateList('', 0)
106 for item in x:
107 list.AEPutDesc(0, pack(item))
108 return list
109 if t == DictionaryType:
110 record = AE.AECreateList('', 1)
111 for key, value in x.items():
Jack Jansen8b777672002-08-07 14:49:00 +0000112 packkey(record, key, value)
113 #record.AEPutParamDesc(key, pack(value))
Jack Jansend0fc42f2001-08-19 22:05:06 +0000114 return record
115 if t == InstanceType and hasattr(x, '__aepack__'):
116 return x.__aepack__()
Jack Jansen8b777672002-08-07 14:49:00 +0000117 if hasattr(x, 'which'):
118 return AE.AECreateDesc('TEXT', x.which)
119 if hasattr(x, 'want'):
120 return AE.AECreateDesc('TEXT', x.want)
Jack Jansend0fc42f2001-08-19 22:05:06 +0000121 return AE.AECreateDesc('TEXT', repr(x)) # Copout
122
Jack Jansen8b777672002-08-07 14:49:00 +0000123def unpack(desc, formodulename=""):
Jack Jansend0fc42f2001-08-19 22:05:06 +0000124 """Unpack an AE descriptor to a python object"""
125 t = desc.type
126
127 if unpacker_coercions.has_key(t):
128 desc = desc.AECoerceDesc(unpacker_coercions[t])
129 t = desc.type # This is a guess by Jack....
130
131 if t == typeAEList:
132 l = []
133 for i in range(desc.AECountItems()):
134 keyword, item = desc.AEGetNthDesc(i+1, '****')
Jack Jansen8b777672002-08-07 14:49:00 +0000135 l.append(unpack(item, formodulename))
Jack Jansend0fc42f2001-08-19 22:05:06 +0000136 return l
137 if t == typeAERecord:
138 d = {}
139 for i in range(desc.AECountItems()):
140 keyword, item = desc.AEGetNthDesc(i+1, '****')
Jack Jansen8b777672002-08-07 14:49:00 +0000141 d[keyword] = unpack(item, formodulename)
Jack Jansend0fc42f2001-08-19 22:05:06 +0000142 return d
143 if t == typeAEText:
144 record = desc.AECoerceDesc('reco')
Jack Jansen8b777672002-08-07 14:49:00 +0000145 return mkaetext(unpack(record, formodulename))
Jack Jansend0fc42f2001-08-19 22:05:06 +0000146 if t == typeAlias:
147 return macfs.RawAlias(desc.data)
148 # typeAppleEvent returned as unknown
149 if t == typeBoolean:
150 return struct.unpack('b', desc.data)[0]
151 if t == typeChar:
152 return desc.data
Jack Jansen5bb8f782002-02-05 21:24:47 +0000153 if t == typeUnicodeText:
154 return unicode(desc.data, 'utf16')
Jack Jansend0fc42f2001-08-19 22:05:06 +0000155 # typeColorTable coerced to typeAEList
156 # typeComp coerced to extended
157 # typeData returned as unknown
158 # typeDrawingArea coerced to typeAERecord
159 if t == typeEnumeration:
160 return mkenum(desc.data)
161 # typeEPS returned as unknown
162 if t == typeFalse:
163 return 0
164 if t == typeFloat:
165 data = desc.data
166 return struct.unpack('d', data)[0]
167 if t == typeFSS:
168 return macfs.RawFSSpec(desc.data)
169 if t == typeInsertionLoc:
170 record = desc.AECoerceDesc('reco')
Jack Jansen8b777672002-08-07 14:49:00 +0000171 return mkinsertionloc(unpack(record, formodulename))
Jack Jansend0fc42f2001-08-19 22:05:06 +0000172 # typeInteger equal to typeLongInteger
173 if t == typeIntlText:
174 script, language = struct.unpack('hh', desc.data[:4])
175 return aetypes.IntlText(script, language, desc.data[4:])
176 if t == typeIntlWritingCode:
177 script, language = struct.unpack('hh', desc.data)
178 return aetypes.IntlWritingCode(script, language)
179 if t == typeKeyword:
180 return mkkeyword(desc.data)
181 if t == typeLongInteger:
182 return struct.unpack('l', desc.data)[0]
183 if t == typeLongDateTime:
184 a, b = struct.unpack('lL', desc.data)
185 return (long(a) << 32) + b
186 if t == typeNull:
187 return None
188 if t == typeMagnitude:
189 v = struct.unpack('l', desc.data)
190 if v < 0:
191 v = 0x100000000L + v
192 return v
193 if t == typeObjectSpecifier:
194 record = desc.AECoerceDesc('reco')
Jack Jansen8b777672002-08-07 14:49:00 +0000195 # If we have been told the name of the module we are unpacking aedescs for,
196 # we can attempt to create the right type of python object from that module.
197 if formodulename:
198 return mkobjectfrommodule(unpack(record, formodulename), formodulename)
199 return mkobject(unpack(record, formodulename))
Jack Jansend0fc42f2001-08-19 22:05:06 +0000200 # typePict returned as unknown
201 # typePixelMap coerced to typeAERecord
202 # typePixelMapMinus returned as unknown
203 # typeProcessSerialNumber returned as unknown
204 if t == typeQDPoint:
205 v, h = struct.unpack('hh', desc.data)
206 return aetypes.QDPoint(v, h)
207 if t == typeQDRectangle:
208 v0, h0, v1, h1 = struct.unpack('hhhh', desc.data)
209 return aetypes.QDRectangle(v0, h0, v1, h1)
210 if t == typeRGBColor:
211 r, g, b = struct.unpack('hhh', desc.data)
212 return aetypes.RGBColor(r, g, b)
213 # typeRotation coerced to typeAERecord
214 # typeScrapStyles returned as unknown
215 # typeSessionID returned as unknown
216 if t == typeShortFloat:
217 return struct.unpack('f', desc.data)[0]
218 if t == typeShortInteger:
219 return struct.unpack('h', desc.data)[0]
220 # typeSMFloat identical to typeShortFloat
221 # typeSMInt indetical to typeShortInt
222 # typeStyledText coerced to typeAERecord
223 if t == typeTargetID:
224 return mktargetid(desc.data)
225 # typeTextStyles coerced to typeAERecord
226 # typeTIFF returned as unknown
227 if t == typeTrue:
228 return 1
229 if t == typeType:
230 return mktype(desc.data)
231 #
232 # The following are special
233 #
234 if t == 'rang':
235 record = desc.AECoerceDesc('reco')
Jack Jansen8b777672002-08-07 14:49:00 +0000236 return mkrange(unpack(record, formodulename))
Jack Jansend0fc42f2001-08-19 22:05:06 +0000237 if t == 'cmpd':
238 record = desc.AECoerceDesc('reco')
Jack Jansen8b777672002-08-07 14:49:00 +0000239 return mkcomparison(unpack(record, formodulename))
Jack Jansend0fc42f2001-08-19 22:05:06 +0000240 if t == 'logi':
241 record = desc.AECoerceDesc('reco')
Jack Jansen8b777672002-08-07 14:49:00 +0000242 return mklogical(unpack(record, formodulename))
Jack Jansend0fc42f2001-08-19 22:05:06 +0000243 return mkunknown(desc.type, desc.data)
244
245def coerce(data, egdata):
246 """Coerce a python object to another type using the AE coercers"""
247 pdata = pack(data)
248 pegdata = pack(egdata)
249 pdata = pdata.AECoerceDesc(pegdata.type)
250 return unpack(pdata)
251
252#
253# Helper routines for unpack
254#
255def mktargetid(data):
256 sessionID = getlong(data[:4])
257 name = mkppcportrec(data[4:4+72])
258 location = mklocationnamerec(data[76:76+36])
259 rcvrName = mkppcportrec(data[112:112+72])
260 return sessionID, name, location, rcvrName
261
262def mkppcportrec(rec):
263 namescript = getword(rec[:2])
264 name = getpstr(rec[2:2+33])
265 portkind = getword(rec[36:38])
266 if portkind == 1:
267 ctor = rec[38:42]
268 type = rec[42:46]
269 identity = (ctor, type)
270 else:
271 identity = getpstr(rec[38:38+33])
272 return namescript, name, portkind, identity
273
274def mklocationnamerec(rec):
275 kind = getword(rec[:2])
276 stuff = rec[2:]
277 if kind == 0: stuff = None
278 if kind == 2: stuff = getpstr(stuff)
279 return kind, stuff
280
281def mkunknown(type, data):
282 return aetypes.Unknown(type, data)
283
284def getpstr(s):
285 return s[1:1+ord(s[0])]
286
287def getlong(s):
288 return (ord(s[0])<<24) | (ord(s[1])<<16) | (ord(s[2])<<8) | ord(s[3])
289
290def getword(s):
291 return (ord(s[0])<<8) | (ord(s[1])<<0)
292
293def mkkeyword(keyword):
294 return aetypes.Keyword(keyword)
295
296def mkrange(dict):
297 return aetypes.Range(dict['star'], dict['stop'])
298
299def mkcomparison(dict):
300 return aetypes.Comparison(dict['obj1'], dict['relo'].enum, dict['obj2'])
301
302def mklogical(dict):
303 return aetypes.Logical(dict['logc'], dict['term'])
304
305def mkstyledtext(dict):
306 return aetypes.StyledText(dict['ksty'], dict['ktxt'])
307
308def mkaetext(dict):
309 return aetypes.AEText(dict[keyAEScriptTag], dict[keyAEStyles], dict[keyAEText])
310
311def mkinsertionloc(dict):
312 return aetypes.InsertionLoc(dict[keyAEObject], dict[keyAEPosition])
313
314def mkobject(dict):
315 want = dict['want'].type
316 form = dict['form'].enum
317 seld = dict['seld']
318 fr = dict['from']
319 if form in ('name', 'indx', 'rang', 'test'):
320 if want == 'text': return aetypes.Text(seld, fr)
321 if want == 'cha ': return aetypes.Character(seld, fr)
322 if want == 'cwor': return aetypes.Word(seld, fr)
323 if want == 'clin': return aetypes.Line(seld, fr)
324 if want == 'cpar': return aetypes.Paragraph(seld, fr)
325 if want == 'cwin': return aetypes.Window(seld, fr)
326 if want == 'docu': return aetypes.Document(seld, fr)
327 if want == 'file': return aetypes.File(seld, fr)
328 if want == 'cins': return aetypes.InsertionPoint(seld, fr)
329 if want == 'prop' and form == 'prop' and aetypes.IsType(seld):
330 return aetypes.Property(seld.type, fr)
331 return aetypes.ObjectSpecifier(want, form, seld, fr)
332
Jack Jansen8b777672002-08-07 14:49:00 +0000333# Note by Jack: I'm not 100% sure of the following code. This was
334# provided by Donovan Preston, but I wonder whether the assignment
335# to __class__ is safe. Moreover, shouldn't there be a better
336# initializer for the classes in the suites?
337def mkobjectfrommodule(dict, modulename):
338 want = dict['want'].type
339 module = __import__(modulename)
340 codenamemapper = module._classdeclarations
341 classtype = codenamemapper.get(want, None)
342 newobj = mkobject(dict)
343 if classtype:
344 newobj.__class__ = classtype
345 return newobj
346
Jack Jansend0fc42f2001-08-19 22:05:06 +0000347def _test():
348 """Test program. Pack and unpack various things"""
349 objs = [
350 'a string',
351 12,
352 12.0,
353 None,
354 ['a', 'list', 'of', 'strings'],
355 {'key1': 'value1', 'key2':'value2'},
356 macfs.FSSpec(':'),
357 macfs.FSSpec(':').NewAliasMinimal(),
358 aetypes.Enum('enum'),
359 aetypes.Type('type'),
360 aetypes.Keyword('kwrd'),
361 aetypes.Range(1, 10),
362 aetypes.Comparison(1, '< ', 10),
363 aetypes.Logical('not ', 1),
364 # Cannot do StyledText
365 # Cannot do AEText
366 aetypes.IntlText(0, 0, 'international text'),
367 aetypes.IntlWritingCode(0,0),
368 aetypes.QDPoint(50,100),
369 aetypes.QDRectangle(50,100,150,200),
370 aetypes.RGBColor(0x7000, 0x6000, 0x5000),
371 aetypes.Unknown('xxxx', 'unknown type data'),
372 aetypes.Character(1),
373 aetypes.Character(2, aetypes.Line(2)),
374 ]
375 for o in objs:
376 print 'BEFORE', o, `o`
377 packed = pack(o)
378 unpacked = unpack(packed)
379 print 'AFTER ', unpacked, `unpacked`
380 import sys
381 sys.exit(1)
382
383if __name__ == '__main__':
384 _test()
385