-
-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy pathWASimClient.cpp
2094 lines (1811 loc) · 75.5 KB
/
WASimClient.cpp
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
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/*
This file is part of the WASimCommander project.
https://github.com/mpaperno/WASimCommander
COPYRIGHT: (c) Maxim Paperno; All Rights Reserved.
This file may be used under the terms of either the GNU General Public License (GPL)
or the GNU Lesser General Public License (LGPL), as published by the Free Software
Foundation, either version 3 of the Licenses, or (at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
Copies of the GNU GPL and LGPL are included with this project
and are available at <http://www.gnu.org/licenses/>.
Except as contained in this notice, the names of the authors or
their institutions shall not be used in advertising or otherwise to
promote the sale, use or other dealings in this Software without
prior written authorization from the authors.
*/
#include <chrono>
#include <condition_variable>
#include <cstring>
#include <filesystem>
#include <functional>
#include <iomanip>
#include <iostream>
#include <list>
#include <set>
#include <shared_mutex>
#include <string>
#include <sstream>
#include <thread>
#include <unordered_map>
#define WIN32_LEAN_AND_MEAN
#include <Windows.h>
#include <SimConnect.h>
#define LOGFAULT_THREAD_NAME WSMCMND_CLIENT_NAME
#include "client/WASimClient.h"
#include "utilities.h"
#include "SimConnectHelper.h"
#include "inipp.h"
#include "MSFS_EventsEnum.h" // from MSFS2024_SDK, for key_events.h
#include "key_events.h"
namespace WASimCommander::Client
{
using namespace std;
using namespace WASimCommander::Utilities;
using namespace WASimCommander::Enums;
/// \private
using Clock = std::chrono::steady_clock;
static const uint32_t CUSTOM_KEY_EVENT_LEGACY_TRIGGER_FLAG = 0x80000000;
// -------------------------------------------------------------
#pragma region DataRequestRecord struct
// -------------------------------------------------------------
DataRequestRecord::DataRequestRecord() :
DataRequestRecord(DataRequest(-1, 0, RequestType::None))
{ }
DataRequestRecord::DataRequestRecord(const DataRequest &req) :
DataRequest(req),
data(Utilities::getActualValueSize(valueSize), 0xFF) { }
DataRequestRecord::DataRequestRecord(DataRequest &&req) :
DataRequest(req),
data(Utilities::getActualValueSize(valueSize), 0xFF) { }
#pragma endregion
// -------------------------------------------------------------
#pragma region RegisteredEvent struct
// -------------------------------------------------------------
RegisteredEvent::RegisteredEvent(uint32_t eventId, const std::string &code, const std::string &name) :
eventId{eventId}, code{code}, name{name} { }
#pragma endregion
// -------------------------------------------------------------
#pragma region WASimClient::Private class
// -------------------------------------------------------------
class WASimClient::Private
{
#pragma region Locals
static const uint32_t DISPATCH_LOOP_WAIT_TIME = 5000;
static const uint32_t SIMCONNECT_DATA_ALLOC_LIMIT = 1024UL * 1024UL;
enum SimConnectIDs : uint8_t
{
SIMCONNECTID_INIT = 0,
// SIMCONNECT_NOTIFICATION_GROUP_ID
NOTIFY_GROUP_PING, // ping response notification group
// SIMCONNECT_CLIENT_EVENT_ID - custom named events
CLI_EVENT_CONNECT, // connect to server
CLI_EVENT_PING, // ping server
CLI_EVENT_PING_RESP, // ping response
// SIMCONNECT_CLIENT_DATA_ID - data area and definition IDs
CLI_DATA_COMMAND,
CLI_DATA_RESPONSE,
CLI_DATA_REQUEST,
CLI_DATA_KEYEVENT,
CLI_DATA_LOG,
// SIMCONNECT_DATA_REQUEST_ID - requests for data updates
DATA_REQ_RESPONSE, // command response data
DATA_REQ_LOG, // server log data
SIMCONNECTID_LAST // dynamic IDs start at this value
};
struct TrackedRequest : public DataRequest
{
uint32_t dataId; // our area and def ID
time_t lastUpdate = 0;
uint32_t dataSize;
mutable shared_mutex m_dataMutex;
vector<uint8_t> data;
explicit TrackedRequest(const DataRequest &req, uint32_t dataId) :
DataRequest(req),
dataId{dataId},
dataSize{Utilities::getActualValueSize(valueSize)},
data(dataSize, 0xFF)
{ }
TrackedRequest & operator=(const DataRequest &req) {
if (req.valueSize != valueSize) {
unique_lock lock(m_dataMutex);
dataSize = Utilities::getActualValueSize(req.valueSize);
data = vector<uint8_t>(dataSize, 0xFF);
}
DataRequest::operator=(req);
return *this;
}
DataRequestRecord toRequestRecord() const {
DataRequestRecord drr = DataRequestRecord(static_cast<const DataRequest &>(*this));
drr.data.assign(data.cbegin(), data.cend());
drr.lastUpdate = lastUpdate;
return drr;
}
friend inline std::ostream& operator<<(std::ostream& os, const TrackedRequest &r) {
os << (const DataRequest &)r;
return os << " TrackedRequest{" << " dataId: " << r.dataId << "; lastUpdate: " << r.lastUpdate << "; dataSize: " << r.dataSize << "; data: " << Utilities::byteArrayToHex(r.data.data(), r.dataSize) << '}';
}
};
struct TrackedResponse
{
uint32_t token;
chrono::system_clock::time_point sent { chrono::system_clock::now() };
weak_ptr<condition_variable_any> cv {};
shared_mutex mutex;
Command response {};
explicit TrackedResponse(uint32_t t, weak_ptr<condition_variable_any> cv) : token(t), cv(cv) {}
};
struct TrackedEvent : public RegisteredEvent
{
bool sentToServer = false;
using RegisteredEvent::RegisteredEvent;
};
using responseMap_t = map<uint32_t, TrackedResponse>;
using requestMap_t = map<uint32_t, TrackedRequest>;
using eventMap_t = map<uint32_t, TrackedEvent>;
struct TempListResult {
atomic<LookupItemType> listType { LookupItemType::None };
uint32_t token { 0 };
shared_ptr<condition_variable_any> cv = make_shared<condition_variable_any>();
atomic<Clock::time_point> nextTimeout {};
ListResult::listResult_t result;
shared_mutex mutex;
ListResult::listResult_t getResult()
{
shared_lock lock(mutex);
return ListResult::listResult_t(result);
}
void reset() {
unique_lock lock(mutex);
listType = LookupItemType::None;
result.clear();
}
} listResult;
struct ProgramSettings {
filesystem::path logFilePath;
int networkConfigId = -1;
uint32_t networkTimeout = 1000;
LogLevel logLevels[2][3] = {
// Console File Remote
{ LogLevel::Info, LogLevel::Info, LogLevel::None }, // Client
{ LogLevel::None, LogLevel::None, LogLevel::None } // Server
};
LogLevel &logLevel(LogSource s, LogFacility f) { return logLevels[srcIndex(s)][facIndex(f)]; }
LogLevel logLevel(LogSource s, LogFacility f) const { return f > LogFacility::None && f <= LogFacility::Remote ? logLevels[srcIndex(s)][facIndex(f)] : LogLevel::None; }
static int srcIndex(LogSource s) { return s == LogSource::Server ? 1 : 0; }
static int facIndex(LogFacility f) { return f == LogFacility::Remote ? 2 : f == LogFacility::File ? 1 : 0; }
} settings;
friend class WASimClient;
WASimClient *const q;
const uint32_t clientId;
const string clientName;
atomic<ClientStatus> status = ClientStatus::Idle;
uint32_t serverVersion = 0;
atomic<Clock::time_point> serverLastSeen = Clock::time_point();
atomic_size_t totalDataAlloc = 0;
atomic_uint32_t nextDefId = SIMCONNECTID_LAST;
atomic_uint32_t nextCmdToken = 1;
atomic_bool runDispatchLoop = false;
atomic_bool simConnected = false;
atomic_bool serverConnected = false;
atomic_bool logCDAcreated = false;
atomic_bool requestsPaused = false;
HANDLE hSim = nullptr;
HANDLE hSimEvent = nullptr;
HANDLE hDispatchStopEvent = nullptr;
thread dispatchThread;
clientEventCallback_t eventCb = nullptr; // main and dispatch threads (+ "on SimConnect_Quit" thread)
listResultsCallback_t listCb = nullptr; // list result wait thread
dataCallback_t dataCb = nullptr; // dispatch thread
logCallback_t logCb = nullptr; // main and dispatch threads
commandCallback_t cmdResultCb = nullptr; // dispatch thread
commandCallback_t respCb = nullptr; // dispatch thread
mutable shared_mutex mtxResponses;
mutable shared_mutex mtxRequests;
mutable shared_mutex mtxEvents;
responseMap_t reponses {};
requestMap_t requests {};
eventMap_t events {};
// Cached mapping of Key Event names to actual IDs, used in `sendKeyEvent(string)` convenience overload,
// and also to track registered (mapped) custom-named sim Events as used in `registerCustomKeyEvent()` and related methods.
unordered_map<std::string, uint32_t> keyEventNameCache {};
shared_mutex mtxKeyEventNames;
uint32_t nextCustomEventID = CUSTOM_KEY_EVENT_ID_MIN; // auto-generated IDs for custom event registrations
// Saved mappings of variable names to SIMCONNECT_DATA_DEFINITION_ID values we assigned to them.
// Used for setting string values on SimVars, which we do locally since WASM module can't.
map<std::string, uint32_t> mappedVarsNameCache {};
shared_mutex mtxMappedVarNames;
uint32_t nextMappedVarID = 1; // auto-generated IDs for mapping variable names to SimConnect IDs
#pragma endregion
#pragma region Callback handling templates ----------------------------------------------
#if defined(WSMCMND_CLIENT_USE_CONCURRENT_CALLBACKS) && !WSMCMND_CLIENT_USE_CONCURRENT_CALLBACKS
mutable mutex mtxCallbacks;
#endif
// Rvalue arguments version
template<typename... Args>
void invokeCallbackImpl(function<void(Args...)> f, Args&&... args) const
{
if (f) {
try {
#if defined(WSMCMND_CLIENT_USE_CONCURRENT_CALLBACKS) && !WSMCMND_CLIENT_USE_CONCURRENT_CALLBACKS
lock_guard lock(mtxCallbacks);
#endif
bind(f, forward<Args>(args)...)();
}
catch (exception *e) { LOG_ERR << "Exception in callback handler: " << e->what(); }
}
}
// const Lvalue arguments version
template<typename... Args>
void invokeCallbackImpl(function<void(const Args...)> f, const Args... args) const
{
if (f) {
try {
#if defined(WSMCMND_CLIENT_USE_CONCURRENT_CALLBACKS) && !WSMCMND_CLIENT_USE_CONCURRENT_CALLBACKS
lock_guard lock(mtxCallbacks);
#endif
bind(f, args...)();
}
catch (exception *e) { LOG_ERR << "Exception in callback handler: " << e->what(); }
}
}
// Type deduction helper
template<typename F, typename... Args>
void invokeCallback(F&& f, Args&&... args) const {
invokeCallbackImpl<remove_cv_t<remove_reference_t<Args>>...>(forward<F>(f), forward<Args>(args)...);
}
#pragma endregion
#pragma region Constructor and status ----------------------------------------------
Private(WASimClient *qptr, uint32_t clientId, const std::string &config) :
q{qptr},
clientId{clientId},
clientName{(ostringstream() << STREAM_HEX8(clientId)).str()}
{
error_code ec;
filesystem::path cwd = filesystem::current_path(ec);
if (ec) {
cerr << ec.message() << endl;
cwd = ".";
}
settings.logFilePath = cwd;
// set default tracked requests limit based on current global setting
int requestTrackingMaxRecords = SimConnectHelper::ENABLE_SIMCONNECT_REQUEST_TRACKING ? 200 : 0;
// Determine config file to use.
const char *fn = "client_conf.ini";
filesystem::path cfgFile(cwd /+ fn);
if (!config.empty()) {
error_code ec;
filesystem::file_status fs = filesystem::status(config, ec);
if (!ec && filesystem::exists(fs)) {
cfgFile = config;
if (filesystem::is_directory(fs))
cfgFile /= fn;
}
else {
cerr << "Config file/path '" << config << "' not found or not accessible. Using default config location " << cwd << endl;;
}
}
// Read initial config from file
ifstream is(cfgFile);
if (is.good()) {
inipp::Ini<char> ini;
ini.parse(is);
for (const auto &e : ini.errors)
cerr << e << endl;
string consoleLevel(getEnumName(settings.logLevel(LogSource::Client, LogFacility::Console), LogLevelNames)),
fileLevel(getEnumName(settings.logLevel(LogSource::Client, LogFacility::File), LogLevelNames));
const auto &logSect = ini.sections["logging"];
inipp::get_value(logSect, "logFilepath", settings.logFilePath);
inipp::get_value(logSect, "fileLogLevel", fileLevel);
inipp::get_value(logSect, "consoleLogLevel", consoleLevel);
const auto &netSect = ini.sections["network"];
inipp::get_value(netSect, "networkConfigId", settings.networkConfigId);
inipp::get_value(netSect, "networkTimeout", settings.networkTimeout);
inipp::get_value(netSect, "requestTrackingMaxRecords", requestTrackingMaxRecords);
int idx;
if ((idx = indexOfString(LogLevelNames, fileLevel.c_str())) > -1)
settings.logLevel(LogSource::Client, LogFacility::File) = LogLevel(idx);
if ((idx = indexOfString(LogLevelNames, consoleLevel.c_str())) > -1)
settings.logLevel(LogSource::Client, LogFacility::Console) = LogLevel(idx);
//cout << settings.logFilePath << ';' << fileLevel << '=' << (int)settings.fileLogLevel << ';' << consoleLevel << '=' << (int)settings.consoleLogLevel << ';' << settings.networkConfigId << ';' << settings.networkTimeout << endl;
}
else {
cerr << "Config file '" << cfgFile << "' not found or not accessible. Setting all logging to " << getEnumName(settings.logLevel(LogSource::Client, LogFacility::Console), LogLevelNames)
<< " levels, with file in " << quoted(settings.logFilePath.string()) << endl;
}
// set up logging
settings.logFilePath /= WSMCMND_CLIENT_NAME;
setFileLogLevel(settings.logLevel(LogSource::Client, LogFacility::File));
setConsoleLogLevel(settings.logLevel(LogSource::Client, LogFacility::Console));
// set up request tracking
if ((SimConnectHelper::ENABLE_SIMCONNECT_REQUEST_TRACKING = (requestTrackingMaxRecords > 0)))
SimConnectHelper::setMaxTrackedRequests(requestTrackingMaxRecords);
}
bool checkInit() const { return hSim != nullptr; }
bool isConnected() const { return checkInit() && (status & ClientStatus::Connected) == ClientStatus::Connected; }
void setStatus(ClientStatus s, const string &msg = "")
{
static const char * evTypeNames[] = {
"None",
"Simulator Connecting", "Simulator Connected", "Simulator Disconnecting", "Simulator Disconnected",
"Server Connecting", "Server Connected", "Server Disconnected"
};
ClientStatus newStat = status;
ClientEvent ev;
switch (s) {
case ClientStatus::Idle:
ev.eventType = ClientEventType::SimDisconnected;
newStat = s;
break;
case ClientStatus::Initializing:
ev.eventType = (status & ClientStatus::SimConnected) == ClientStatus::SimConnected ? ClientEventType::SimDisconnected : ClientEventType::SimConnecting;
newStat = s;
break;
case ClientStatus::SimConnected:
ev.eventType = (status & ClientStatus::Connected) == ClientStatus::Connected ? ClientEventType::ServerDisconnected : ClientEventType::SimConnected;
newStat = (newStat & ~(ClientStatus::Connected | ClientStatus::Connecting | ClientStatus::Initializing)) | s;
break;
case ClientStatus::Connecting:
ev.eventType = ClientEventType::ServerConnecting;
newStat = (newStat & ~ClientStatus::Connected) | s;
break;
case ClientStatus::Connected:
ev.eventType = ClientEventType::ServerConnected;
newStat = (newStat & ~ClientStatus::Connecting) | s;
break;
case ClientStatus::ShuttingDown:
ev.eventType = ClientEventType::SimDisconnecting;
newStat |= s;
break;
}
if (newStat == status)
return;
status = newStat;
if (eventCb) {
ev.status = status;
if (msg == "")
ev.message = Utilities::getEnumName(ev.eventType, evTypeNames);
else
ev.message = msg;
invokeCallback(eventCb, move(ev));
}
}
// simple thread burner loop to wait on a condition... don't abuse.
bool waitCondition(const std::function<bool(void)> predicate, uint32_t timeout, uint32_t sleepMs = 1)
{
const auto endTime = Clock::now() + chrono::milliseconds(timeout);
const auto sf = chrono::milliseconds(sleepMs);
while (!predicate() && endTime > Clock::now())
this_thread::sleep_for(sf);
return predicate();
}
#if 0 // unused
HRESULT waitConditionAsync(std::function<bool(void)> predicate, uint32_t timeout = 0)
{
if (predicate())
return S_OK;
if (!timeout)
timeout = settings.networkTimeout;
future<bool> taskResult = async(launch::async, &Private::waitCondition, this, predicate, timeout, 1);
future_status taskStat = taskResult.wait_until(Clock::now() + chrono::milliseconds(timeout + 50));
return (taskStat == future_status::ready ? S_OK : E_TIMEOUT);
}
#endif
#pragma endregion
#pragma region Local logging ----------------------------------------------
void setFileLogLevel(LogLevel level)
{
settings.logLevel(LogSource::Client, LogFacility::File) = level;
const string loggerName = string(WSMCMND_CLIENT_NAME) + '_' + clientName;
if (logfault::LogManager::Instance().HaveHandler(loggerName))
logfault::LogManager::Instance().SetLevel(loggerName, logfault::LogLevel(level));
else if (level != LogLevel::None)
logfault::LogManager::Instance().AddHandler(
make_unique<logfault::FileHandler>(settings.logFilePath.string().c_str(), logfault::LogLevel(level), logfault::FileHandler::Handling::Rotate, loggerName)
);
}
void setConsoleLogLevel(LogLevel level)
{
settings.logLevel(LogSource::Client, LogFacility::Console) = level;
if (logfault::LogManager::Instance().HaveHandler(WSMCMND_CLIENT_NAME))
logfault::LogManager::Instance().SetLevel(WSMCMND_CLIENT_NAME, logfault::LogLevel(level));
else if (level != LogLevel::None)
logfault::LogManager::Instance().AddHandler(
make_unique<logfault::StreamHandler>(cout, logfault::LogLevel(level), WSMCMND_CLIENT_NAME)
);
}
void setCallbackLogLevel(LogLevel level)
{
settings.logLevel(LogSource::Client, LogFacility::Remote) = level;
if (logfault::LogManager::Instance().HaveHandler(clientName))
logfault::LogManager::Instance().SetLevel(clientName, logfault::LogLevel(level));
}
// proxy log handler callback method for delivery of log records to remote listener
void onProxyLoggerMessage(const logfault::Message &msg) {
invokeCallback(logCb, LogRecord((LogLevel)msg.level_, msg.msg_.c_str(), msg.when_), LogSource::Client);
}
void setLogCallback(logCallback_t cb)
{
logCb = cb;
if (cb && !logfault::LogManager::Instance().HaveHandler(clientName)) {
logfault::LogManager::Instance().SetHandler(clientName,
make_unique<logfault::ProxyHandler>(
bind(&Private::onProxyLoggerMessage, this, placeholders::_1),
logfault::LogLevel(settings.logLevel(LogSource::Client, LogFacility::Remote)),
clientName
)
);
}
else if (!cb && logfault::LogManager::Instance().HaveHandler(clientName)) {
logfault::LogManager::Instance().RemoveHandler(clientName);
}
}
#pragma endregion
#pragma region SimConnect and Server core utilities ----------------------------------------------
HRESULT connectSimulator(uint32_t timeout) {
return connectSimulator(settings.networkConfigId, timeout);
}
HRESULT connectSimulator(int networkConfigId, uint32_t timeout)
{
if ((status & ClientStatus::Initializing) == ClientStatus::Initializing)
return E_FAIL; // unlikely, but prevent recursion
if (checkInit()) {
LOG_INF << WSMCMND_CLIENT_NAME " already initialized.";
return E_FAIL;
}
settings.networkConfigId = networkConfigId;
LOG_INF << "Initializing " << WSMCMND_CLIENT_NAME << " v" WSMCMND_VERSION_INFO " for client " << clientName << " with net config ID " << settings.networkConfigId;
setStatus(ClientStatus::Initializing);
if (!timeout)
timeout = settings.networkTimeout;
if (!hDispatchStopEvent) {
hDispatchStopEvent = CreateEvent(nullptr, true, false, nullptr);
if (!hDispatchStopEvent) {
LOG_ERR << "Failed to CreateEvent() for dispatch loop: " << GetLastError();
return E_FAIL;
}
}
hSimEvent = CreateEvent(nullptr, false, false, nullptr);
simConnected = false;
// try to open connection; may return S_OK, E_FAIL, or E_INVALIDARG. May also time out and never actually send the Open event message.
HRESULT hr = SimConnect_Open(&hSim, clientName.c_str(), nullptr, 0, hSimEvent, settings.networkConfigId);
if FAILED(hr) {
LOG_ERR << "Network connection to Simulator failed with result: " << LOG_HR(hr);
hSim = nullptr;
setStatus(ClientStatus::Idle);
return hr;
}
// start message dispatch loop. required to do this now in order to receive the SimConnect Open event and finish the connection process.
ResetEvent(hDispatchStopEvent);
dispatchThread = thread(&Private::dispatchLoop, this);
dispatchThread.detach();
// wait for dispatch loop to start
if (!waitCondition([&]() { return !!runDispatchLoop; }, 10)) {
LOG_CRT << "Could not start dispatch loop thread.";
disconnectSimulator();
return E_FAIL;
}
// wait until sim connects or times out or disconnectSimulator() is called.
if (!waitCondition([&]() { return !runDispatchLoop || simConnected; }, timeout)) {
LOG_ERR << "Network connection to Simulator timed out after " << timeout << "ms.";
disconnectSimulator();
return E_TIMEOUT;
}
// register server's Connect command event, exit on failure
if FAILED(hr = SimConnectHelper::newClientEvent(hSim, CLI_EVENT_CONNECT, EVENT_NAME_CONNECT)) {
disconnectSimulator();
return hr;
}
// register server's ping command event
SimConnectHelper::newClientEvent(hSim, CLI_EVENT_PING, EVENT_NAME_PING);
// register and subscribe to server ping response (the server will append the name of our client to a new named event and trigger it).
SimConnectHelper::newClientEvent(hSim, CLI_EVENT_PING_RESP, EVENT_NAME_PING_PFX + clientName, NOTIFY_GROUP_PING, SIMCONNECT_GROUP_PRIORITY_HIGHEST);
// register area for writing commands (this is read-only for the server)
if FAILED(hr = registerDataArea(CDA_NAME_CMD_PFX, CLI_DATA_COMMAND, CLI_DATA_COMMAND, sizeof(Command), true)) {
disconnectSimulator();
return hr;
}
// register command response area for reading (server can write to this channel)
if FAILED(hr = registerDataArea(CDA_NAME_RESP_PFX, CLI_DATA_RESPONSE, CLI_DATA_RESPONSE, sizeof(Command), false)) {
disconnectSimulator();
return hr;
}
// register CDA for writing data requests (this is read-only for the server)
registerDataArea(CDA_NAME_DATA_PFX, CLI_DATA_REQUEST, CLI_DATA_REQUEST, sizeof(DataRequest), true);
// register CDA for writing key events (this is read-only for the server)
registerDataArea(CDA_NAME_KEYEV_PFX, CLI_DATA_KEYEVENT, CLI_DATA_KEYEVENT, sizeof(KeyEvent), true);
// start listening on the response channel
if FAILED(hr = INVOKE_SIMCONNECT(
RequestClientData, hSim, (SIMCONNECT_CLIENT_DATA_ID)CLI_DATA_RESPONSE, (SIMCONNECT_DATA_REQUEST_ID)DATA_REQ_RESPONSE,
(SIMCONNECT_CLIENT_DATA_DEFINITION_ID)CLI_DATA_RESPONSE, SIMCONNECT_CLIENT_DATA_PERIOD_ON_SET, (SIMCONNECT_CLIENT_DATA_REQUEST_FLAG)0, 0UL, 0UL, 0UL
)) {
disconnectSimulator();
return hr;
}
// possibly re-register SimConnect CDAs for any existing data requests
registerAllDataRequestAreas();
// re-register all Simulator Custom Events
mapAllCustomKeyEvents();
setStatus(ClientStatus::SimConnected);
return S_OK;
}
// onQuitEvent == true when SimConnect is shutting down and sends Quit, in which case we don't try to use SimConnect again.
void disconnectSimulator(bool onQuitEvent = false)
{
if (!checkInit()) {
LOG_INF << "No network connection. Shutdown complete.";
setStatus(ClientStatus::Idle);
return;
}
LOG_DBG << "Shutting down...";
disconnectServer(!onQuitEvent);
setStatus(ClientStatus::ShuttingDown);
SetEvent(hDispatchStopEvent); // signal thread to exit
//d->dispatchThread.join();
// check for dispatch loop thread shutdown (this is really just for logging/debug purposes)
if (!waitCondition([&]() { return !runDispatchLoop; }, DISPATCH_LOOP_WAIT_TIME + 100))
LOG_CRT << "Dispatch loop thread still running!";
// reset flags/counters
simConnected = false;
logCDAcreated = false;
totalDataAlloc = 0;
// dispose objects
if (hSim && !onQuitEvent)
SimConnect_Close(hSim);
hSim = nullptr;
if (hSimEvent)
CloseHandle(hSimEvent);
hSimEvent = nullptr;
{
// clear cached var name mappings, new mapping will need to be made if re-connecting
unique_lock lock { mtxMappedVarNames };
mappedVarsNameCache.clear();
nextMappedVarID = 1;
}
setStatus(ClientStatus::Idle);
LOG_INF << "Shutdown complete, network disconnected.";
}
HRESULT connectServer(uint32_t timeout)
{
if ((status & ClientStatus::Connecting) == ClientStatus::Connecting)
return E_FAIL; // unlikely, but prevent recursion
if (!timeout)
timeout = settings.networkTimeout;
HRESULT hr;
if (!checkInit() && FAILED(hr = connectSimulator(timeout)))
return hr;
LOG_INF << "Connecting to " WSMCMND_PROJECT_NAME " server...";
setStatus(ClientStatus::Connecting);
// Send the initial "connect" event which we registered in connectSimulator(), using this client's ID as the data parameter.
if FAILED(hr = INVOKE_SIMCONNECT(TransmitClientEvent, hSim, SIMCONNECT_OBJECT_ID_USER, (SIMCONNECT_CLIENT_EVENT_ID)CLI_EVENT_CONNECT, (DWORD)clientId, SIMCONNECT_GROUP_PRIORITY_HIGHEST, SIMCONNECT_EVENT_FLAG_GROUPID_IS_PRIORITY)) {
setStatus(ClientStatus::SimConnected);
return hr;
}
// The connection response, if any, is written by the server into the "command response" client data area, CLI_DATA_ID_RESPONSE, processed in SIMCONNECT_RECV_ID_CLIENT_DATA
// wait until server connects or times out or disconnectSimulator() is called.
if (!waitCondition([&]() { return !runDispatchLoop || serverConnected; }, timeout)) {
LOG_ERR << "Server connection timed out or refused after " << timeout << "ms.";
setStatus(ClientStatus::SimConnected);
return E_TIMEOUT;
}
LOG_INF << "Connected to " WSMCMND_PROJECT_NAME " server v" << STREAM_HEX8(serverVersion);
if ((serverVersion & 0xFF000000) != (WSMCMND_VERSION & 0xFF000000))
LOG_WRN << "Server major version does not match WASimClient version " << STREAM_HEX8(WSMCMND_VERSION);
setStatus(ClientStatus::Connected);
// clear any pending list request (unlikely)
listResult.reset();
// make sure server knows our desired log level and set up data area/request if needed
updateServerLogLevel();
// set update status of data requests before adding any, in case we don't actually want results yet
sendServerCommand(Command(CommandId::Subscribe, (requestsPaused ? 0 : 1)));
// (re-)register (or delete) any saved DataRequests
registerAllDataRequests();
// same with calculator events
registerAllEvents();
return S_OK;
}
void disconnectServer(bool notifyServer = true)
{
if (!serverConnected || (status & ClientStatus::Connecting) == ClientStatus::Connecting)
return;
// send disconnect command
if (notifyServer)
sendServerCommand(Command(CommandId::Disconnect));
// clear command tracking queue
unique_lock lock(mtxResponses);
reponses.clear();
serverConnected = false;
LOG_INF << "Disconnected from " WSMCMND_PROJECT_NAME " server.";
setStatus(ClientStatus::SimConnected);
}
HRESULT registerDataArea(const string &name, SIMCONNECT_CLIENT_DATA_ID cdaID, SIMCONNECT_CLIENT_DATA_DEFINITION_ID cddId, DWORD szOrType, bool readonly, bool nameIsFull = false, float deltaE = 0.0f)
{
// Map a unique named data storage area to CDA ID.
if (!checkInit())
return E_NOT_CONNECTED;
HRESULT hr;
const string cdaName(nameIsFull ? name : name + clientName);
if FAILED(hr = SimConnectHelper::registerDataArea(hSim, cdaName, cdaID, cddId, szOrType, true, readonly, deltaE))
return hr;
const uint32_t alloc = Utilities::getActualValueSize(szOrType);;
totalDataAlloc += alloc;
LOG_DBG << "Created CDA ID " << cdaID << " named " << quoted(cdaName) << " of size " << alloc << "; Total data allocation : " << totalDataAlloc;
return S_OK;
}
#pragma endregion
#pragma region Command sending ----------------------------------------------
// Sends a const command as provided.
HRESULT sendServerCommand(const Command &command) const
{
if (!isConnected()) {
LOG_ERR << "Server not connected, cannot send " << command;
return E_NOT_CONNECTED;
}
LOG_TRC << "Sending command: " << command;
return INVOKE_SIMCONNECT(SetClientData, hSim,
(SIMCONNECT_CLIENT_DATA_ID)CLI_DATA_COMMAND, (SIMCONNECT_CLIENT_DATA_DEFINITION_ID)CLI_DATA_COMMAND,
SIMCONNECT_CLIENT_DATA_SET_FLAG_DEFAULT, 0UL, (DWORD)sizeof(Command), (void *)&command
);
}
// Sends command and enqueues a tracked response record with given condition var. Optionally returns new token.
HRESULT sendServerCommand(Command &&command, weak_ptr<condition_variable_any> cv, uint32_t *newToken = nullptr)
{
if (cv.expired())
return E_INVALIDARG;
if (!command.token)
command.token = nextCmdToken++;
enqueueTrackedResponse(command.token, cv);
const HRESULT hr = sendServerCommand(command);
if FAILED(hr) {
unique_lock vlock(mtxResponses);
reponses.erase(command.token);
}
if (newToken)
*newToken = command.token;
return hr;
}
// Sends command and waits for response. Default timeout is settings.networkTimeout.
HRESULT sendCommandWithResponse(Command &&command, Command *response, uint32_t timeout = 0)
{
uint32_t token;
shared_ptr<condition_variable_any> cv = make_shared<condition_variable_any>();
const CommandId origId = command.commandId;
HRESULT hr = sendServerCommand(move(command), weak_ptr(cv), &token);
if SUCCEEDED(hr) {
if FAILED(hr = waitCommandResponse(token, response, timeout))
LOG_ERR << "Command " << Utilities::getEnumName(origId, CommandIdNames) << " timed out after " << (timeout ? timeout : settings.networkTimeout) << "ms.";
}
return hr;
}
#pragma endregion
#pragma region Command Response tracking ----------------------------------------------
TrackedResponse *findTrackedResponse(uint32_t token)
{
shared_lock lock{mtxResponses};
const responseMap_t::iterator pos = reponses.find(token);
if (pos != reponses.cend())
return &pos->second;
return nullptr;
}
TrackedResponse *enqueueTrackedResponse(uint32_t token, weak_ptr<condition_variable_any> cv)
{
unique_lock lock{mtxResponses};
return &reponses.try_emplace(token, token, cv).first->second;
}
// Blocks and waits for a response to a specific command token. `timeout` can be -1 to use `extraPredicate` only (which is then required).
HRESULT waitCommandResponse(uint32_t token, Command *response, uint32_t timeout = 0, std::function<bool(void)> extraPredicate = nullptr)
{
TrackedResponse *tr = findTrackedResponse(token);
shared_ptr<condition_variable_any> cv {};
if (!tr || !(cv = tr->cv.lock()))
return E_FAIL;
if (!timeout)
timeout = settings.networkTimeout;
bool stopped = false;
auto stop_waiting = [=, &stopped]() {
return stopped =
!serverConnected || (tr->response.commandId != CommandId::None && tr->response.token == token && (!extraPredicate || extraPredicate()));
};
HRESULT hr = E_TIMEOUT;
if (stop_waiting()) {
hr = S_OK;
}
else {
unique_lock lock(tr->mutex);
if (timeout > 0) {
if (cv->wait_for(lock, chrono::milliseconds(timeout), stop_waiting))
hr = S_OK;
}
else if (!!extraPredicate) {
cv->wait(lock, stop_waiting);
hr = stopped ? ERROR_ABANDONED_WAIT_0 : S_OK;
}
else {
hr = E_INVALIDARG;
LOG_DBG << "waitCommandResponse() requires a predicate condition when timeout parameter is < 0.";
}
}
if (SUCCEEDED(hr) && !!response) {
unique_lock lock(tr->mutex);
*response = move(tr->response);
}
unique_lock vlock(mtxResponses);
reponses.erase(token);
return hr;
}
#if 0 // not used
// Waits for a response to a specific command token using an async thread.
HRESULT waitCommandResponseAsync(uint32_t token, Command *response, uint32_t timeout = 0, std::function<bool(void)> extraPredicate = nullptr)
{
if (!timeout)
timeout = settings.networkTimeout;
future<HRESULT> taskResult = async(launch::async, &Private::waitCommandResponse, this, token, response, timeout, extraPredicate);
const future_status taskStat = taskResult.wait_for(chrono::milliseconds(timeout * 2));
if (taskStat == future_status::ready)
return taskResult.get();
return E_TIMEOUT;
}
#endif
// Waits for completion of list request results, or a timeout. This is used on a new thread.
void waitListRequestEnd()
{
auto stop_waiting = [this]() {
return listResult.nextTimeout.load() >= Clock::now();
};
Command response;
HRESULT hr = waitCommandResponse(listResult.token, &response, -1, stop_waiting);
if (hr == ERROR_ABANDONED_WAIT_0) {
LOG_ERR << "List request timed out.";
hr = E_TIMEOUT;
}
else if (hr != S_OK) {
LOG_ERR << "List request failed with result: " << LOG_HR(hr);
}
else if (response.commandId != CommandId::Ack) {
LOG_WRN << "Server returned Nak for list request of " << Utilities::getEnumName(listResult.listType.load(), LookupItemTypeNames);
hr = E_FAIL;
}
if (listCb)
invokeCallback(listCb, ListResult { listResult.listType.load(), hr, listResult.getResult() });
listResult.reset(); // reset to none to indicate the current list request is finished
}
#pragma endregion
#pragma region Server-side logging commands ----------------------------------------------
void setServerLogLevel(LogLevel level, LogFacility fac = LogFacility::Remote) {
if (fac == LogFacility::None || fac > LogFacility::All)
return;
if (+fac & +LogFacility::Remote)
settings.logLevel(LogSource::Server, LogFacility::Remote) = level;
if (+fac & +LogFacility::Console)
settings.logLevel(LogSource::Server, LogFacility::Console) = level;
if (+fac & +LogFacility::File)
settings.logLevel(LogSource::Server, LogFacility::File) = level;
updateServerLogLevel(fac);
}
void updateServerLogLevel(LogFacility fac = LogFacility::Remote) {
if (checkInit() && (!(+fac & +LogFacility::Remote) || SUCCEEDED(registerLogDataArea())))
sendServerCommand(Command(CommandId::Log, +settings.logLevel(LogSource::Server, fac), nullptr, (double)fac));
}
HRESULT registerLogDataArea() {
if (logCDAcreated || settings.logLevel(LogSource::Server, LogFacility::Remote) == LogLevel::None)
return S_OK;
HRESULT hr;
// register log area for reading; server can write to this channel
if SUCCEEDED(hr = registerDataArea(CDA_NAME_LOG_PFX, CLI_DATA_LOG, CLI_DATA_LOG, sizeof(LogRecord), false)) {
// start/stop listening on the log channel
INVOKE_SIMCONNECT(RequestClientData, hSim, (SIMCONNECT_CLIENT_DATA_ID)CLI_DATA_LOG, (SIMCONNECT_DATA_REQUEST_ID)DATA_REQ_LOG,
(SIMCONNECT_CLIENT_DATA_DEFINITION_ID)CLI_DATA_LOG, SIMCONNECT_CLIENT_DATA_PERIOD_ON_SET, 0UL, 0UL, 0UL, 0UL);
}
logCDAcreated = SUCCEEDED(hr);
return hr;
}
#pragma endregion
#pragma region Remote Variables accessors ----------------------------------------------
// shared for getVariable() and setLocalVariable()
const string buildVariableCommandString(const VariableRequest &v, bool isLocal) const
{
const bool isIndexed = isLocal || Utilities::isIndexedVariableType(v.variableType);
const bool hasUnits = isLocal || Utilities::isUnitBasedVariableType(v.variableType);
string sValue = (isIndexed && v.variableId > -1 ? to_string(v.variableId) : v.variableName);
if (sValue.empty())
return sValue;
if (v.variableType == 'A' && v.simVarIndex)
sValue += ':' + to_string(v.simVarIndex);
if (hasUnits) {
if (isIndexed && v.unitId > -1)
sValue += ',' + to_string(v.unitId);
else if (!v.unitName.empty())
sValue += ',' + v.unitName;
}
return sValue;
}
HRESULT getVariable(const VariableRequest &v, double *result, std::string *sResult = nullptr, double dflt = 0.0)
{
const string sValue = buildVariableCommandString(v, false);
if (sValue.empty() || sValue.length() >= STRSZ_CMD)
return E_INVALIDARG;
HRESULT hr;
Command response;
if FAILED(hr = sendCommandWithResponse(Command(v.createLVar && v.variableType == 'L' ? CommandId::GetCreate : CommandId::Get, v.variableType, sValue.c_str(), dflt), &response))
return hr;
if (response.commandId != CommandId::Ack) {
LOG_WRN << "Get Variable request for " << quoted(sValue) << " returned Nak response. Reason, if any: " << quoted(response.sData);
return E_FAIL;
}
if (result)
*result = response.fData;
if (sResult)
*sResult = response.sData;
return S_OK;
}
HRESULT setLocalVariable(const VariableRequest &v, const double value)
{
const string sValue = buildVariableCommandString(v, true);
if (sValue.empty() || sValue.length() >= STRSZ_CMD)
return E_INVALIDARG;
return sendServerCommand(Command(v.createLVar ? CommandId::SetCreate : CommandId::Set, 'L', sValue.c_str(), value));
}
HRESULT setVariable(const VariableRequest &v, const double value)
{
if (v.variableType == 'L')
return setLocalVariable(v, value);
if (!Utilities::isSettableVariableType(v.variableType)) {
LOG_WRN << "Cannot Set a variable of type '" << v.variableType << "'.";
return E_INVALIDARG;
}
// All other variable types can only be set via calculator code and require a string-based name
if (v.variableName.empty()) {
LOG_WRN << "A variable name is required to set variable of type '" << v.variableType << "'.";
return E_INVALIDARG;
}
if (v.unitId > -1 && v.unitName.empty()) {
LOG_WRN << "A variable of type '" << v.variableType << "' unit ID; use a unit name instead.";
return E_INVALIDARG;
}