-
Notifications
You must be signed in to change notification settings - Fork 110
/
Copy pathSimConnect.py
466 lines (410 loc) · 12.6 KB
/
SimConnect.py
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
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
import ctypes
from ctypes import *
from ctypes.wintypes import *
import logging
import time
from .Enum import *
from .Constants import *
from .Attributes import *
import os
import threading
import asyncio
from .AsyncLoop import *
_library_path = os.path.splitext(os.path.abspath(__file__))[0] + '.dll'
LOGGER = logging.getLogger(__name__)
def millis():
return int(round(time.time() * 1000))
class SimConnect:
def IsHR(self, hr, value):
_hr = ctypes.HRESULT(hr)
return ctypes.c_ulong(_hr.value).value == value
def handle_id_event(self, event):
uEventID = event.uEventID
if uEventID == self.dll.EventID.EVENT_SIM_START:
LOGGER.info("SIM START")
self.running = True
if uEventID == self.dll.EventID.EVENT_SIM_STOP:
LOGGER.info("SIM Stop")
self.running = False
# Unknow whay not reciving
if uEventID == self.dll.EventID.EVENT_SIM_PAUSED:
LOGGER.info("SIM Paused")
self.paused = True
if uEventID == self.dll.EventID.EVENT_SIM_UNPAUSED:
LOGGER.info("SIM Unpaused")
self.paused = False
def handle_simobject_event(self, ObjData):
dwRequestID = ObjData.dwRequestID
if dwRequestID in self.Requests:
_request = self.Requests[dwRequestID]
rtype = _request.definitions[0][1].decode()
if 'string' in rtype.lower():
pS = cast(ObjData.dwData, c_char_p)
_request.outData = pS.value
else:
_request.outData = cast(
ObjData.dwData, POINTER(c_double * len(_request.definitions))
).contents[0]
else:
LOGGER.warn("Event ID: %d Not Handled." % (dwRequestID))
def handle_exception_event(self, exc):
_exception = SIMCONNECT_EXCEPTION(exc.dwException).name
_unsendid = exc.UNKNOWN_SENDID
_sendid = exc.dwSendID
_unindex = exc.UNKNOWN_INDEX
_index = exc.dwIndex
# request exceptions
for _reqin in self.Requests:
_request = self.Requests[_reqin]
if _request.LastID == _unsendid:
LOGGER.warn("%s: in %s" % (_exception, _request.definitions[0]))
return
LOGGER.warn(_exception)
def handle_state_event(self, pData):
print("I:", pData.dwInteger, "F:", pData.fFloat, "S:", pData.szString)
# TODO: update callbackfunction to expand functions.
def my_dispatch_proc(self, pData, cbData, pContext):
# print("my_dispatch_proc")
dwID = pData.contents.dwID
if dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_EVENT:
evt = cast(pData, POINTER(SIMCONNECT_RECV_EVENT)).contents
self.handle_id_event(evt)
elif dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_SYSTEM_STATE:
state = cast(pData, POINTER(SIMCONNECT_RECV_SYSTEM_STATE)).contents
self.handle_state_event(state)
elif dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_SIMOBJECT_DATA_BYTYPE:
pObjData = cast(
pData, POINTER(SIMCONNECT_RECV_SIMOBJECT_DATA_BYTYPE)
).contents
self.handle_simobject_event(pObjData)
elif dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_OPEN:
LOGGER.info("SIM OPEN")
self.ok = True
elif dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_EXCEPTION:
exc = cast(pData, POINTER(SIMCONNECT_RECV_EXCEPTION)).contents
self.handle_exception_event(exc)
elif (dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_AIRPORT_LIST) or (
dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_WAYPOINT_LIST) or (
dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_NDB_LIST) or (
dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_VOR_LIST):
pObjData = cast(
pData, POINTER(SIMCONNECT_RECV_FACILITIES_LIST)
).contents
dwRequestID = pObjData.dwRequestID
for _facilitie in self.Facilities:
if dwRequestID == _facilitie.REQUEST_ID.value:
_facilitie.parent.dump(pData)
_facilitie.dump(pData)
elif dwID == SIMCONNECT_RECV_ID.SIMCONNECT_RECV_ID_QUIT:
self.quit = 1
else:
LOGGER.debug("Received:", SIMCONNECT_RECV_ID(dwID))
return
def __init__(self, auto_connect=True, library_path=_library_path):
self.Requests = {}
self.Facilities = []
self.async_loop = AsyncLoop()
self.async_loop.start()
self.dll = SimConnectDll(library_path)
self.hSimConnect = HANDLE()
self.quit = 0
self.ok = False
self.running = False
self.paused = False
self.DEFINITION_POS = None
self.DEFINITION_WAYPOINT = None
self.my_dispatch_proc_rd = self.dll.DispatchProc(self.my_dispatch_proc)
if auto_connect:
self.connect()
def connect(self):
try:
err = self.dll.Open(
byref(self.hSimConnect), LPCSTR(b"Request Data"), None, 0, 0, 0
)
if self.IsHR(err, 0):
LOGGER.debug("Connected to Flight Simulator!")
# Request an event when the simulation starts
# The user is in control of the aircraft
self.dll.SubscribeToSystemEvent(
self.hSimConnect, self.dll.EventID.EVENT_SIM_START, b"SimStart"
)
# The user is navigating the UI.
self.dll.SubscribeToSystemEvent(
self.hSimConnect, self.dll.EventID.EVENT_SIM_STOP, b"SimStop"
)
# Request a notification when the flight is paused
self.dll.SubscribeToSystemEvent(
self.hSimConnect, self.dll.EventID.EVENT_SIM_PAUSED, b"Paused"
)
# Request a notification when the flight is un-paused.
self.dll.SubscribeToSystemEvent(
self.hSimConnect, self.dll.EventID.EVENT_SIM_UNPAUSED, b"Unpaused"
)
self.timerThread = threading.Thread(target=self._run)
self.timerThread.daemon = True
self.timerThread.start()
while self.ok is False:
pass
except OSError:
LOGGER.debug("Did not find Flight Simulator running.")
raise ConnectionError("Did not find Flight Simulator running.")
def _run(self):
while self.quit == 0:
try:
self.dll.CallDispatch(self.hSimConnect, self.my_dispatch_proc_rd, None)
time.sleep(.002)
except OSError as err:
print("OS error: {0}".format(err))
def exit(self):
self.quit = 1
self.async_loop.stop()
self.timerThread.join()
self.dll.Close(self.hSimConnect)
def map_to_sim_event(self, name):
for m in self.dll.EventID:
if name.decode() == m.name:
LOGGER.debug("Already have event: ", m)
return m
names = [m.name for m in self.dll.EventID] + [name.decode()]
self.dll.EventID = Enum(self.dll.EventID.__name__, names)
evnt = list(self.dll.EventID)[-1]
err = self.dll.MapClientEventToSimEvent(self.hSimConnect, evnt.value, name)
if self.IsHR(err, 0):
return evnt
else:
LOGGER.error("Error: MapToSimEvent")
return None
def add_to_notification_group(self, group, evnt, bMaskable=False):
self.dll.AddClientEventToNotificationGroup(
self.hSimConnect, group, evnt, bMaskable
)
async def request_data(self, _Request):
_Request.outData = None
self.dll.RequestDataOnSimObjectType(
self.hSimConnect,
_Request.DATA_REQUEST_ID.value,
_Request.DATA_DEFINITION_ID.value,
0,
SIMCONNECT_SIMOBJECT_TYPE.SIMCONNECT_SIMOBJECT_TYPE_USER,
)
temp = DWORD(0)
self.dll.GetLastSentPacketID(self.hSimConnect, temp)
_Request.LastID = temp.value
def set_data(self, _Request):
rtype = _Request.definitions[0][1].decode()
if 'string' in rtype.lower():
pyarr = bytearray(_Request.outData)
dataarray = (ctypes.c_char * len(pyarr))(*pyarr)
else:
pyarr = list([_Request.outData])
dataarray = (ctypes.c_double * len(pyarr))(*pyarr)
pObjData = cast(
dataarray, c_void_p
)
err = self.dll.SetDataOnSimObject(
self.hSimConnect,
_Request.DATA_DEFINITION_ID.value,
SIMCONNECT_SIMOBJECT_TYPE.SIMCONNECT_SIMOBJECT_TYPE_USER,
0,
0,
sizeof(ctypes.c_double) * len(pyarr),
pObjData
)
if self.IsHR(err, 0):
# LOGGER.debug("Request Sent")
return True
else:
return False
def get_data(self, _Request):
return self.async_loop.execute(self.async_get_data(_Request))
async def async_get_data(self, _Request):
await self.request_data(_Request)
# self.run()
attemps = 0
while _Request.outData is None and attemps < _Request.attemps:
# self.run()
await asyncio.sleep(.01)
attemps += 1
if _Request.outData is None:
return False
return True
def send_event(self, evnt, data=DWORD(0)):
err = self.dll.TransmitClientEvent(
self.hSimConnect,
SIMCONNECT_OBJECT_ID_USER,
evnt.value,
data,
SIMCONNECT_GROUP_PRIORITY_HIGHEST,
DWORD(16),
)
if self.IsHR(err, 0):
# LOGGER.debug("Event Sent")
return True
else:
return False
def new_def_id(self):
_name = "Definition" + str(len(list(self.dll.DATA_DEFINITION_ID)))
names = [m.name for m in self.dll.DATA_DEFINITION_ID] + [_name]
self.dll.DATA_DEFINITION_ID = Enum(self.dll.DATA_DEFINITION_ID.__name__, names)
DEFINITION_ID = list(self.dll.DATA_DEFINITION_ID)[-1]
return DEFINITION_ID
def new_request_id(self):
name = "Request" + str(len(self.dll.DATA_REQUEST_ID))
names = [m.name for m in self.dll.DATA_REQUEST_ID] + [name]
self.dll.DATA_REQUEST_ID = Enum(self.dll.DATA_REQUEST_ID.__name__, names)
REQUEST_ID = list(self.dll.DATA_REQUEST_ID)[-1]
return REQUEST_ID
def add_waypoints(self, _waypointlist):
if self.DEFINITION_WAYPOINT is None:
self.DEFINITION_WAYPOINT = self.new_def_id()
err = self.dll.AddToDataDefinition(
self.hSimConnect,
self.DEFINITION_WAYPOINT.value,
b'AI WAYPOINT LIST',
b'number',
SIMCONNECT_DATATYPE.SIMCONNECT_DATATYPE_WAYPOINT,
0,
SIMCONNECT_UNUSED,
)
pyarr = []
for waypt in _waypointlist:
for e in waypt._fields_:
pyarr.append(getattr(waypt, e[0]))
dataarray = (ctypes.c_double * len(pyarr))(*pyarr)
pObjData = cast(
dataarray, c_void_p
)
sx = int(sizeof(ctypes.c_double) * (len(pyarr) / len(_waypointlist)))
return
hr = self.dll.SetDataOnSimObject(
self.hSimConnect,
self.DEFINITION_WAYPOINT.value,
SIMCONNECT_OBJECT_ID_USER,
0,
len(_waypointlist),
sx,
pObjData
)
if self.IsHR(err, 0):
return True
else:
return False
def set_pos(
self,
_Altitude,
_Latitude,
_Longitude,
_Airspeed,
_Pitch=0.0,
_Bank=0.0,
_Heading=0,
_OnGround=0,
):
Init = SIMCONNECT_DATA_INITPOSITION()
Init.Altitude = _Altitude
Init.Latitude = _Latitude
Init.Longitude = _Longitude
Init.Pitch = _Pitch
Init.Bank = _Bank
Init.Heading = _Heading
Init.OnGround = _OnGround
Init.Airspeed = _Airspeed
if self.DEFINITION_POS is None:
self.DEFINITION_POS = self.new_def_id()
err = self.dll.AddToDataDefinition(
self.hSimConnect,
self.DEFINITION_POS.value,
b'Initial Position',
b'',
SIMCONNECT_DATATYPE.SIMCONNECT_DATATYPE_INITPOSITION,
0,
SIMCONNECT_UNUSED,
)
hr = self.dll.SetDataOnSimObject(
self.hSimConnect,
self.DEFINITION_POS.value,
SIMCONNECT_OBJECT_ID_USER,
0,
0,
sizeof(Init),
pointer(Init)
)
if self.IsHR(hr, 0):
return True
else:
return False
def load_flight(self, flt_path):
hr = self.dll.FlightLoad(self.hSimConnect, flt_path.encode())
if self.IsHR(hr, 0):
return True
else:
return False
def load_flight_plan(self, pln_path):
hr = self.dll.FlightPlanLoad(self.hSimConnect, pln_path.encode())
if self.IsHR(hr, 0):
return True
else:
return False
def save_flight(
self,
flt_path,
flt_title,
flt_description,
flt_mission_type='FreeFlight',
flt_mission_location='Custom departure',
flt_original_flight='',
flt_flight_type='NORMAL'):
hr = self.dll.FlightSave(self.hSimConnect, flt_path.encode(), flt_title.encode(), flt_description.encode(), 0)
if not self.IsHR(hr, 0):
return False
dicp = self.flight_to_dic(flt_path)
if 'MissionType' not in dicp['Main']:
dicp['Main']['MissionType'] = flt_mission_type
if 'MissionLocation' not in dicp['Main']:
dicp['Main']['MissionLocation'] = flt_mission_location
if 'FlightType' not in dicp['Main']:
dicp['Main']['FlightType'] = flt_flight_type
if 'OriginalFlight' not in dicp['Main']:
dicp['Main']['OriginalFlight'] = flt_original_flight
self.dic_to_flight(dicp, flt_path)
return False
def get_paused(self):
hr = self.dll.RequestSystemState(
self.hSimConnect,
self.dll.EventID.EVENT_SIM_PAUSED,
b"Sim"
)
def dic_to_flight(self, dic, fpath):
with open(fpath, "w") as tempfile:
for root in dic:
tempfile.write("\n[%s]\n" % root)
for member in dic[root]:
tempfile.write("%s=%s\n" % (member, dic[root][member]))
def flight_to_dic(self, fpath):
while not os.path.isfile(fpath):
pass
time.sleep(0.5)
dic = {}
index = ""
with open(fpath, "r") as tempfile:
for line in tempfile.readlines():
if line[0] == '[':
index = line[1:-2]
dic[index] = {}
else:
if index != "" and line != '\n':
temp = line.split("=")
dic[index][temp[0]] = temp[1].strip()
return dic
def sendText(self, text, timeSeconds=5, TEXT_TYPE=SIMCONNECT_TEXT_TYPE.SIMCONNECT_TEXT_TYPE_PRINT_WHITE):
pyarr = bytearray(text.encode())
dataarray = (ctypes.c_char * len(pyarr))(*pyarr)
pObjData = cast(dataarray, c_void_p)
self.dll.Text(
self.hSimConnect,
TEXT_TYPE,
timeSeconds,
0,
sizeof(ctypes.c_double) * len(pyarr),
pObjData
)