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
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
|
/*
* Remote Laboratory Component Analyzer Part
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, 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.
*
* You should have received a copy of the GNU General Public License along
* with this program; if not, write to the Free Software Foundation, Inc.,
* 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
*
* (c) 2014 - 2015 Timothy Pearson
* Raptor Engineering
* http://www.raptorengineeringinc.com
*/
#include "define.h"
#include "part.h"
#include <tdeaboutdata.h> //::createAboutData()
#include <tdeaction.h>
#include <tdelocale.h>
#include <tdemessagebox.h> //::start()
#include <tdeparts/genericfactory.h>
#include <kurlrequester.h>
#include <tdefiledialog.h>
#include <kstatusbar.h>
#include <kstdaction.h>
#include <tqfile.h> //encodeName()
#include <tqtimer.h>
#include <tqvbox.h>
#include <tqsocket.h>
#include <tqmutex.h>
#include <tqeventloop.h>
#include <tqapplication.h>
#include <tqpushbutton.h>
#include <tqcombobox.h>
#include <tqcheckbox.h>
#include <klineedit.h>
#include <ktextedit.h>
#include <unistd.h> //access()
#include <stdint.h>
#include <cmath>
#include "layout.h"
#include "tracewidget.h"
#include "floatspinbox.h"
#define NETWORK_COMM_TIMEOUT_MS 15000
/* exception handling */
struct exit_exception {
int c;
exit_exception(int c):c(c) { }
};
namespace RemoteLab {
typedef KParts::GenericFactory<RemoteLab::CompAnalyzerPart> Factory;
#define CLIENT_LIBRARY "libremotelab_companalyzer"
K_EXPORT_COMPONENT_FACTORY( libremotelab_companalyzer, RemoteLab::Factory )
#ifndef QT_NO_DATASTREAM
TQDataStream &operator<<( TQDataStream &s, const CompAnalyzerMeasurement &data ) {
s << data.status;
s << data.parameter;
s << data.type;
s << data.value;
s << data.frequency;
return s;
}
TQDataStream &operator>>( TQDataStream &s, CompAnalyzerMeasurement &data ) {
s >> data.status;
s >> data.parameter;
s >> data.type;
s >> data.value;
s >> data.frequency;
return s;
}
#endif
CompAnalyzerWorker::CompAnalyzerWorker() : TQObject() {
m_sweepStepMutex = new TQMutex(false);
m_currentStateMutex = new TQMutex(false);
m_networkDataMutex = new TQMutex(false);
m_outboundQueueMutex = new TQMutex(false);
m_inboundQueueMutex = new TQMutex(false);
m_newData = false;
m_currentState = Initializing;
m_startupState = StartSelectInstrument;
m_lastNetworkTransmissionEvent = NoEvent;
}
CompAnalyzerWorker::~CompAnalyzerWorker() {
delete m_sweepStepMutex;
m_sweepStepMutex = NULL;
delete m_currentStateMutex;
m_currentStateMutex = NULL;
delete m_networkDataMutex;
m_networkDataMutex = NULL;
delete m_inboundQueueMutex;
m_inboundQueueMutex = NULL;
delete m_outboundQueueMutex;
m_outboundQueueMutex = NULL;
}
void CompAnalyzerWorker::run() {
TQEventLoop* eventLoop = TQApplication::eventLoop();
if (!eventLoop) {
return;
}
while (1) {
m_instrumentMutex->lock();
CompAnalyzerPartState state = currentState();
CompAnalyzerEventType lastTxEvent = m_lastNetworkTransmissionEvent;
// Handle inbound queue
m_inboundQueueMutex->lock();
if (m_inboundQueue.count() > 0) {
TQDataStream ds(m_socket);
ds.setPrintableData(true);
CompAnalyzerEventQueue::iterator it;
for (it = m_inboundQueue.begin(); it != m_inboundQueue.end(); ++it) {
if ((*it).first == TxRxSyncPoint) {
break;
}
else if ((*it).first == Initialize) {
setCurrentState(Initializing);
m_lastNetworkTransmissionEvent = OtherEvent;
ds << TQString("COMPONENT ANALYZER");
m_socket->writeEndOfFrame();
it = m_inboundQueue.erase(it);
}
else if ((*it).first == GetMeasurement) {
m_lastNetworkTransmissionEvent = GetMeasurement;
ds << TQString("GETMEASUREMENT");
m_socket->writeEndOfFrame();
it = m_inboundQueue.erase(it);
}
else if ((*it).first == GetMaximumFrequency) {
m_lastNetworkTransmissionEvent = GetMaximumFrequency;
ds << TQString("GETMAXMEASUREMENTFREQUENCY");
m_socket->writeEndOfFrame();
it = m_inboundQueue.erase(it);
}
else if ((*it).first == GetMinimumFrequency) {
m_lastNetworkTransmissionEvent = GetMinimumFrequency;
ds << TQString("GETMINMEASUREMENTFREQUENCY");
m_socket->writeEndOfFrame();
it = m_inboundQueue.erase(it);
}
else if ((*it).first == SetFrequency) {
m_lastNetworkTransmissionEvent = SetFrequency;
ds << TQString("SETMEASUREMENTFREQUENCY");
ds << (*it).second.toDouble();
m_socket->writeEndOfFrame();
it = m_inboundQueue.erase(it);
}
else if ((*it).first == ChangeMeasurementSource) {
m_lastNetworkTransmissionEvent = ChangeMeasurementSource;
TQ_UINT8 number_of_parameters = 2;
ds << TQString("SETMEASUREDPARAMETERS");
ds << number_of_parameters;
ds << m_sourceList[0];
ds << m_sourceList[1];
m_socket->writeEndOfFrame();
it = m_inboundQueue.erase(it);
}
// If the next command is a sync point stop command list execution
if ((*it).first == TxRxSyncPoint) {
break;
}
}
m_socket->flush();
}
m_inboundQueueMutex->unlock();
// Handle outbound queue
if (m_newData) {
bool queue_modified = false;
m_networkDataMutex->lock();
m_newData = false;
// Receive data
if (m_socket->canReadFrame()) {
TQDataStream ds(m_socket);
ds.setPrintableData(true);
while (!ds.atEnd() && m_socket->canReadFrame(false)) {
// Get command status
TQString input;
ds >> input;
if (input == "") {
continue;
}
// Response received
clearInboundQueueSyncPoint();
if (state == Initializing) {
if (input == "ACK") {
if (m_startupState == StartSelectInstrument) {
m_startupState = StartGetMaximumFrequency;
appendItemToInboundQueue(CompAnalyzerEvent(GetMaximumFrequency, TQVariant()), true);
}
else if (m_startupState == StartGetMaximumFrequency) {
ds >> m_instrumentLimits.maxFrequency;
m_startupState = StartGetMinimumFrequency;
appendItemToInboundQueue(CompAnalyzerEvent(GetMinimumFrequency, TQVariant()), true);
}
else if (m_startupState == StartGetMinimumFrequency) {
ds >> m_instrumentLimits.minFrequency;
// TODO
// This should be loaded from the instrument
// Add requisite functionality to the GPIB server and then
// update this routine to use it....
m_instrumentLimits.allowedMeasurements.clear();
AllowedMeasurementInfoList parameterASourceValues;
parameterASourceValues.append(AllowedMeasurementInfo(0, i18n("Resistance")));
parameterASourceValues.append(AllowedMeasurementInfo(2, i18n("Conductance")));
parameterASourceValues.append(AllowedMeasurementInfo(4, i18n("Inductance")));
parameterASourceValues.append(AllowedMeasurementInfo(5, i18n("Capacitance")));
parameterASourceValues.append(AllowedMeasurementInfo(8, i18n("Impedance")));
parameterASourceValues.append(AllowedMeasurementInfo(9, i18n("Admittance")));
parameterASourceValues.append(AllowedMeasurementInfo(10, i18n("Reflection Coefficient (Absolute)")));
parameterASourceValues.append(AllowedMeasurementInfo(11, i18n("Reflection Coefficient (X)")));
AllowedMeasurementInfoList parameterBSourceValues;
parameterBSourceValues.append(AllowedMeasurementInfo(0, i18n("Resistance")));
parameterBSourceValues.append(AllowedMeasurementInfo(2, i18n("Conductance")));
parameterBSourceValues.append(AllowedMeasurementInfo(6, i18n("Dissipation Factor")));
parameterBSourceValues.append(AllowedMeasurementInfo(7, i18n("Quality Factor")));
parameterBSourceValues.append(AllowedMeasurementInfo(13, i18n("Phase Angle (°)")));
parameterBSourceValues.append(AllowedMeasurementInfo(14, i18n("Phase Angle (radians)")));
m_instrumentLimits.allowedMeasurements.append(parameterASourceValues);
m_instrumentLimits.allowedMeasurements.append(parameterBSourceValues);
m_startupState = StartDone;
setCurrentState(FreeRunning);
// Request first measurement
appendItemToInboundQueue(CompAnalyzerEvent(GetMeasurement, TQVariant()), true);
// Notify GUI that new configuration data is available
m_outboundQueueMutex->lock();
m_outboundQueue.push_back(CompAnalyzerEvent(ConfigurationDataReceived, TQVariant()));
m_outboundQueueMutex->unlock();
}
}
else {
setCurrentState(CommunicationFailure);
}
queue_modified = true;
}
else if ((state == FreeRunning) || (state == FrequencySweepRead)) {
if (input == "ACK") {
if (lastTxEvent == GetMeasurement) {
int i;
CompAnalyzerMeasurement measurement;
CompAnalyzerMeasurementList measurements;
TQ_UINT8 number_of_parameters;
ds >> number_of_parameters;
for (i=0; i < number_of_parameters; i++) {
ds >> measurement.status;
ds >> measurement.parameter;
ds >> measurement.type;
ds >> measurement.value;
ds >> measurement.frequency;
measurements.append(measurement);
}
if (nextInboundQueueEvent() == StartSweep) {
eraseNextInboundQueueEvent(true);
// Set initial sweep frequency
m_sweepCurrentFrequency = m_sweepStart;
m_sweepStepMutex->lock();
m_sweepStepNumber = 0;
m_sweepStepMutex->unlock();
appendItemToInboundQueue(CompAnalyzerEvent(SetFrequency, TQVariant(m_sweepCurrentFrequency)), true);
setCurrentState(FrequencySweepWrite);
}
else if (nextInboundQueueEvent() == AbortSweep) {
eraseNextInboundQueueEvent(true);
// Exit sweep mode
setCurrentState(FreeRunning);
// Request measurement
appendItemToInboundQueue(CompAnalyzerEvent(GetMeasurement, TQVariant()), true);
}
else {
if (state == FrequencySweepRead) {
// Set up next measurement frequency
m_sweepCurrentFrequency += m_sweepStep;
m_sweepStepMutex->lock();
m_sweepStepNumber++;
m_sweepStepMutex->unlock();
if (m_sweepCurrentFrequency <= m_sweepEnd) {
// Set next sweep frequency step
appendItemToInboundQueue(CompAnalyzerEvent(SetFrequency, TQVariant(m_sweepCurrentFrequency)), true);
setCurrentState(FrequencySweepWrite);
}
else {
// Exit sweep mode
setCurrentState(FreeRunning);
// Request measurement
appendItemToInboundQueue(CompAnalyzerEvent(GetMeasurement, TQVariant()), true);
}
}
else {
// Request another measurement
appendItemToInboundQueue(CompAnalyzerEvent(GetMeasurement, TQVariant()), true);
}
}
// Send data to GUI
TQByteArray measurementStreamData;
{
TQDataStream measurementStream(measurementStreamData, IO_WriteOnly);
measurementStream << measurements;
measurementStream << m_sweepStepNumber - 1;
}
m_outboundQueueMutex->lock();
if (state == FrequencySweepRead) {
m_outboundQueue.push_back(CompAnalyzerEvent(SweepMeasurementsReceived, TQVariant(measurementStreamData)));
}
else {
m_outboundQueue.push_back(CompAnalyzerEvent(MeasurementsReceived, TQVariant(measurementStreamData)));
}
m_outboundQueueMutex->unlock();
}
}
else if (input.startsWith("EXT")) {
// Extended error
TQString extendedError = input.remove(0, 3);
m_outboundQueue.push_back(CompAnalyzerEvent(ExtendedErrorReceived, TQVariant(extendedError)));
setCurrentState(CommunicationFailure);
}
else {
setCurrentState(CommunicationFailure);
}
queue_modified = true;
}
else if ((state == FreeRunning) || (state == FrequencySweepWrite)) {
// Request another measurement
appendItemToInboundQueue(CompAnalyzerEvent(GetMeasurement, TQVariant()), true);
setCurrentState(FrequencySweepRead);
}
m_socket->clearFrameTail();
}
}
m_networkDataMutex->unlock();
if (queue_modified) {
emit(outboundQueueUpdated());
}
}
m_instrumentMutex->unlock();
// Wait for queue status change or new network activity
if (!eventLoop->processEvents(TQEventLoop::ExcludeUserInput)) {
eventLoop->processEvents(TQEventLoop::ExcludeUserInput | TQEventLoop::WaitForMore);
}
}
eventLoop->exit(0);
}
void CompAnalyzerWorker::resetInboundQueue() {
m_inboundQueueMutex->lock();
m_inboundQueue.clear();
m_inboundQueueMutex->unlock();
}
void CompAnalyzerWorker::appendItemToInboundQueue(CompAnalyzerEvent item, bool syncPoint) {
m_inboundQueueMutex->lock();
m_inboundQueue.push_back(item);
if (syncPoint) {
m_inboundQueue.push_back(CompAnalyzerEvent(TxRxSyncPoint, TQVariant()));
}
m_inboundQueueMutex->unlock();
}
bool CompAnalyzerWorker::itemTypeInInboundQueue(CompAnalyzerEventType type) {
bool ret = false;
m_inboundQueueMutex->lock();
CompAnalyzerEventQueue::iterator it;
for (it = m_inboundQueue.begin(); it != m_inboundQueue.end(); ++it) {
if ((*it).first == type) {
ret = true;
}
}
m_inboundQueueMutex->unlock();
return ret;
}
bool CompAnalyzerWorker::syncPointActive() {
bool active = false;
m_inboundQueueMutex->lock();
CompAnalyzerEventQueue::iterator it = m_inboundQueue.begin();
if ((it) && (it != m_inboundQueue.end())) {
if ((*it).first == TxRxSyncPoint) {
active = true;
}
}
m_inboundQueueMutex->unlock();
return active;
}
void CompAnalyzerWorker::wake() {
// Do nothing -- the main event loop will wake when this is called
}
void CompAnalyzerWorker::dataReceived() {
if (!m_networkDataMutex->tryLock()) {
TQTimer::singleShot(0, this, TQT_SLOT(dataReceived()));
}
else {
m_newData = true;
m_networkDataMutex->unlock();
}
}
void CompAnalyzerWorker::lockOutboundQueue() {
m_outboundQueueMutex->lock();
}
void CompAnalyzerWorker::unlockOutboundQueue() {
m_outboundQueueMutex->unlock();
}
CompAnalyzerEventQueue* CompAnalyzerWorker::outboundQueue() {
return &m_outboundQueue;
}
CompAnalyzerEventType CompAnalyzerWorker::nextInboundQueueEvent() {
CompAnalyzerEventType ret = NoEvent;
m_inboundQueueMutex->lock();
CompAnalyzerEventQueue::iterator it = m_inboundQueue.begin();
if ((it) && (it != m_inboundQueue.end())) {
ret = (*it).first;
}
m_inboundQueueMutex->unlock();
return ret;
}
void CompAnalyzerWorker::clearInboundQueueSyncPoint() {
m_inboundQueueMutex->lock();
CompAnalyzerEventQueue::iterator it = m_inboundQueue.begin();
if ((it) && (it != m_inboundQueue.end())) {
if ((*it).first == TxRxSyncPoint) {
m_inboundQueue.erase(it);
}
}
m_inboundQueueMutex->unlock();
}
void CompAnalyzerWorker::eraseNextInboundQueueEvent(bool clearSyncPoint) {
m_inboundQueueMutex->lock();
CompAnalyzerEventQueue::iterator it = m_inboundQueue.begin();
if ((it) && (it != m_inboundQueue.end())) {
m_inboundQueue.erase(it);
}
if (clearSyncPoint) {
it = m_inboundQueue.begin();
if ((it) && (it != m_inboundQueue.end())) {
if ((*it).first == TxRxSyncPoint) {
m_inboundQueue.erase(it);
}
}
}
m_inboundQueueMutex->unlock();
}
CompAnalyzerInstrumentLimits CompAnalyzerWorker::getInstrumentLimits() {
return m_instrumentLimits;
}
void CompAnalyzerWorker::setNewParameterSourceList(TQValueList<TQ_UINT32> list) {
m_sourceList = list;
}
CompAnalyzerPartState CompAnalyzerWorker::currentState() {
CompAnalyzerPartState ret;
m_currentStateMutex->lock();
ret = m_currentState;
m_currentStateMutex->unlock();
return ret;
}
void CompAnalyzerWorker::setCurrentState(CompAnalyzerPartState state) {
CompAnalyzerPartState prevState = m_currentState;
m_currentStateMutex->lock();
m_currentState = state;
m_currentStateMutex->unlock();
if (m_currentState != prevState) {
m_outboundQueueMutex->lock();
m_outboundQueue.push_back(CompAnalyzerEvent(StateChanged, TQVariant()));
m_outboundQueueMutex->unlock();
}
}
void CompAnalyzerWorker::setSweepStartFrequency(double hz) {
m_sweepStart = hz;
}
void CompAnalyzerWorker::setSweepEndFrequency(double hz) {
m_sweepEnd = hz;
}
double CompAnalyzerWorker::sweepStartFrequency() {
return m_sweepStart;
}
double CompAnalyzerWorker::sweepEndFrequency() {
return m_sweepEnd;
}
double CompAnalyzerWorker::sweepStepFrequency() {
return m_sweepStep;
}
void CompAnalyzerWorker::setSweepStepFrequency(double hz) {
m_sweepStep = hz;
}
unsigned int CompAnalyzerWorker::sweepStepNumber() {
unsigned int ret;
m_sweepStepMutex->lock();
ret = m_sweepStepNumber;
m_sweepStepMutex->unlock();
return ret;
}
CompAnalyzerPart::CompAnalyzerPart( TQWidget *parentWidget, const char *widgetName, TQObject *parent, const char *name, const TQStringList& )
: RemoteInstrumentPart( parent, name ), m_commHandlerState(-1), m_commHandlerMode(0), m_commHandlerCommandState(0), m_connectionActiveAndValid(false), m_instrumentSettingsValid(false), m_base(0)
{
// Initialize important base class variables
m_clientLibraryName = CLIENT_LIBRARY;
// Initialize mutex
m_instrumentMutex = new TQMutex(false);
// Initialize kpart
setInstance(Factory::instance());
setWidget(new TQVBox(parentWidget, widgetName));
// Set up worker
m_worker = new CompAnalyzerWorker();
m_workerThread = new TQEventLoopThread();
m_worker->moveToThread(m_workerThread);
TQObject::connect(this, TQT_SIGNAL(wakeWorkerThread()), m_worker, TQT_SLOT(wake()));
TQObject::connect(m_worker, TQT_SIGNAL(outboundQueueUpdated()), this, TQT_SLOT(processOutboundQueue()));
// Create timers
m_updateTimeoutTimer = new TQTimer(this);
connect(m_updateTimeoutTimer, SIGNAL(timeout()), this, SLOT(networkTimeout()));
// Create widgets
m_base = new CompAnalyzerBase(widget());
// Initialize widgets
m_base->setMinimumSize(500, 350);
m_base->parameterADisplay->setNumberOfDigits(12);
m_base->parameterBDisplay->setNumberOfDigits(12);
m_base->frequencyDisplay->setNumberOfDigits(12);
m_traceWidget = m_base->traceWidget;
m_traceWidget->setSizePolicy(TQSizePolicy(TQSizePolicy::MinimumExpanding, TQSizePolicy::MinimumExpanding));
m_traceWidget->setNumberOfCursors(4);
m_traceWidget->setZoomCursorStartIndex(0);
m_traceWidget->setCursorOrientation(0, TQt::Horizontal);
m_traceWidget->setCursorOrientation(1, TQt::Horizontal);
m_traceWidget->setCursorOrientation(2, TQt::Vertical);
m_traceWidget->setCursorOrientation(3, TQt::Vertical);
m_traceWidget->setCursorEnabled(0, true);
m_traceWidget->setCursorEnabled(1, true);
m_traceWidget->setCursorEnabled(2, true);
m_traceWidget->setCursorEnabled(3, true);
m_traceWidget->setCursorName(0, "Cursor H1");
m_traceWidget->setCursorName(1, "Cursor H2");
m_traceWidget->setCursorName(2, "Cursor V1");
m_traceWidget->setCursorName(3, "Cursor V2");
m_traceWidget->setCursorPosition(0, 25);
m_traceWidget->setCursorPosition(1, 75);
m_traceWidget->setCursorPosition(2, 25);
m_traceWidget->setCursorPosition(3, 75);
TraceNumberList activeTraces;
for (uint trace=0; trace<MAXTRACES; trace++) {
activeTraces.append(trace);
}
m_traceWidget->setCursorActiveTraceList(0, activeTraces);
m_traceWidget->setCursorActiveTraceList(1, activeTraces);
m_traceWidget->setCursorActiveTraceList(2, activeTraces);
m_traceWidget->setCursorActiveTraceList(3, activeTraces);
m_traceWidget->setZoomBoxEnabled(true);
connect(m_base->parameterASourceCombo, SIGNAL(activated(int)), this, SLOT(parameterASourceChanged(int)));
connect(m_base->parameterBSourceCombo, SIGNAL(activated(int)), this, SLOT(parameterBSourceChanged(int)));
connect(m_base->measurementFrequencyBox, SIGNAL(floatValueChanged(double)), this, SLOT(frequencyInputChanged(double)));
connect(m_base->sweepStartFrequencyBox, SIGNAL(floatValueChanged(double)), this, SLOT(processLockouts()));
connect(m_base->sweepEndFrequencyBox, SIGNAL(floatValueChanged(double)), this, SLOT(processLockouts()));
connect(m_base->sweepStepFrequencyBox, SIGNAL(floatValueChanged(double)), this, SLOT(processLockouts()));
m_base->traceZoomWidget->setSizePolicy(TQSizePolicy(TQSizePolicy::MinimumExpanding, TQSizePolicy::MinimumExpanding));
connect(m_traceWidget, SIGNAL(zoomBoxChanged(const TQRectF&)), this, SLOT(updateZoomWidgetLimits(const TQRectF&)));
connect(m_base->sweepStartButton, SIGNAL(clicked()), this, SLOT(startSweepClicked()));
connect(m_base->sweepStopButton, SIGNAL(clicked()), this, SLOT(stopSweepClicked()));
connect(m_base->waveformSave, SIGNAL(clicked()), this, SLOT(saveWaveforms()));
connect(m_base->waveformRecall, SIGNAL(clicked()), this, SLOT(recallWaveforms()));
connect(m_base->autoSave, SIGNAL(clicked()), this, SLOT(processLockouts()));
// Initialize data
m_hdivs = 10;
m_vdivs = 8;
m_maxNumberOfTraces = 2;
for (int traceno=0; traceno<=MAXTRACES; traceno++) {
m_samplesInTrace[traceno] = 0;
m_channelActive[traceno] = false;
m_traceUnits[traceno] = "";
}
updateGraticule();
TQTimer::singleShot(0, this, TQT_SLOT(postInit()));
}
CompAnalyzerPart::~CompAnalyzerPart() {
if (m_instrumentMutex->locked()) {
printf("[WARNING] Exiting when data transfer still in progress!\n\r"); fflush(stdout);
}
disconnectFromServer();
delete m_instrumentMutex;
if (m_workerThread) {
m_workerThread->terminate();
m_workerThread->wait();
delete m_workerThread;
m_workerThread = NULL;
delete m_worker;
m_worker = NULL;
}
}
void CompAnalyzerPart::postInit() {
setUsingFixedSize(false);
}
bool CompAnalyzerPart::openURL(const KURL &url) {
int ret;
m_connectionActiveAndValid = false;
ret = connectToServer(url.url());
processLockouts();
return (ret != 0);
}
bool CompAnalyzerPart::closeURL() {
disconnectFromServer();
m_url = KURL();
return true;
}
void CompAnalyzerPart::processLockouts() {
CompAnalyzerPartState state = m_worker->currentState();
if (m_connectionActiveAndValid) {
m_base->setEnabled(true);
}
else {
m_base->setEnabled(false);
}
if ((state == FrequencySweepWrite) || (state == FrequencySweepRead)) {
m_base->sweepStartButton->setEnabled(false);
if (!m_worker->itemTypeInInboundQueue(AbortSweep)) {
m_base->sweepStopButton->setEnabled(true);
}
else {
m_base->sweepStopButton->setEnabled(false);
}
m_base->parameterASourceCombo->setEnabled(false);
m_base->parameterBSourceCombo->setEnabled(false);
m_base->measurementFrequencyBox->setEnabled(false);
m_base->sweepStartFrequencyBox->setEnabled(false);
m_base->sweepEndFrequencyBox->setEnabled(false);
m_base->sweepStepFrequencyBox->setEnabled(false);
m_base->waveformRecall->setEnabled(false);
}
else {
if (m_base->sweepEndFrequencyBox->floatValue() > m_base->sweepStartFrequencyBox->floatValue()) {
if (!m_worker->itemTypeInInboundQueue(StartSweep)) {
m_base->sweepStartButton->setEnabled(true);
}
else {
m_base->sweepStartButton->setEnabled(true);
}
}
else {
m_base->sweepStartButton->setEnabled(false);
}
m_base->sweepStopButton->setEnabled(false);
if (m_instrumentSettingsValid) {
m_base->parameterASourceCombo->setEnabled(true);
m_base->parameterBSourceCombo->setEnabled(true);
m_base->measurementFrequencyBox->setEnabled(true);
}
else {
m_base->parameterASourceCombo->setEnabled(false);
m_base->parameterBSourceCombo->setEnabled(false);
m_base->measurementFrequencyBox->setEnabled(false);
}
m_base->sweepStartFrequencyBox->setEnabled(true);
m_base->sweepEndFrequencyBox->setEnabled(true);
m_base->sweepStepFrequencyBox->setEnabled(true);
m_base->waveformRecall->setEnabled(true);
}
if (m_base->autoSave->isOn()) {
m_base->autoSaveFile->setEnabled(true);
}
else {
m_base->autoSaveFile->setEnabled(false);
}
}
void CompAnalyzerPart::disconnectFromServerCallback() {
m_updateTimeoutTimer->stop();
m_connectionActiveAndValid = false;
}
void CompAnalyzerPart::connectionFinishedCallback() {
// Finish worker setup
m_worker->m_socket = m_socket;
m_worker->m_instrumentMutex = m_instrumentMutex;
m_socket->moveToThread(m_workerThread);
m_worker->appendItemToInboundQueue(CompAnalyzerEvent(Initialize, TQVariant()), true);
connect(m_socket, SIGNAL(readyRead()), m_socket, SLOT(processPendingData()));
m_socket->processPendingData();
connect(m_socket, SIGNAL(newDataReceived()), m_worker, SLOT(dataReceived()));
m_tickerState = 0;
m_commHandlerState = 0;
m_commHandlerMode = 0;
m_socket->setDataTimeout(NETWORK_COMM_TIMEOUT_MS);
m_updateTimeoutTimer->start(NETWORK_COMM_TIMEOUT_MS, TRUE);
// Start worker
m_workerThread->start();
TQTimer::singleShot(0, m_worker, SLOT(run()));
processLockouts();
networkTick();
return;
}
void CompAnalyzerPart::connectionStatusChangedCallback() {
processLockouts();
}
void CompAnalyzerPart::setTickerMessage(TQString message) {
m_connectionActiveAndValid = true;
TQString tickerChar;
switch (m_tickerState) {
case 0:
tickerChar = "-";
break;
case 1:
tickerChar = "\\";
break;
case 2:
tickerChar = "|";
break;
case 3:
tickerChar = "/";
break;
}
setStatusMessage(message + TQString("... %1").arg(tickerChar));
m_tickerState++;
if (m_tickerState > 3) {
m_tickerState = 0;
}
}
void CompAnalyzerPart::patWatchDog() {
m_updateTimeoutTimer->stop();
}
void CompAnalyzerPart::requestNetworkOperation(CompAnalyzerEvent item, bool syncPoint) {
m_updateTimeoutTimer->stop();
m_worker->appendItemToInboundQueue(item, syncPoint);
m_updateTimeoutTimer->start(NETWORK_COMM_TIMEOUT_MS, TRUE);
emit(wakeWorkerThread());
}
void CompAnalyzerPart::processOutboundQueue() {
bool had_events = false;
m_worker->lockOutboundQueue();
CompAnalyzerEventQueue* eventQueue = m_worker->outboundQueue();
CompAnalyzerEventQueue::iterator it;
for (it = eventQueue->begin(); it != eventQueue->end(); ++it) {
patWatchDog();
if ((*it).first == StateChanged) {
CompAnalyzerPartState state = m_worker->currentState();
if (m_connectionActiveAndValid) {
if (state == CommunicationFailure) {
networkTimeout();
}
}
}
else if ((*it).first == ExtendedErrorReceived) {
m_updateTimeoutTimer->stop();
m_socket->clearIncomingData();
setStatusMessage((*it).second.toString());
m_connectionActiveAndValid = false;
processLockouts();
// Try to recover
m_worker->resetInboundQueue();
requestNetworkOperation(CompAnalyzerEvent(Initialize, TQVariant()), true);
}
else if ((*it).first == ConfigurationDataReceived) {
// Get configuration data
CompAnalyzerInstrumentLimits instrumentLimits = m_worker->getInstrumentLimits();
m_parameterSourceValues = instrumentLimits.allowedMeasurements;
m_base->measurementFrequencyBox->setLineStep(1);
m_base->measurementFrequencyBox->setFloatMax(instrumentLimits.maxFrequency / 1000000.0);
m_base->measurementFrequencyBox->setFloatMin(instrumentLimits.minFrequency / 1000000.0);
m_base->measurementFrequencyBox->setFloatValue(instrumentLimits.minFrequency / 1000000.0);
m_base->sweepStartFrequencyBox->setLineStep(1);
m_base->sweepStartFrequencyBox->setFloatMax(instrumentLimits.maxFrequency / 1000000.0);
m_base->sweepStartFrequencyBox->setFloatMin(instrumentLimits.minFrequency / 1000000.0);
m_base->sweepStartFrequencyBox->setFloatValue(instrumentLimits.minFrequency / 1000000.0);
m_base->sweepEndFrequencyBox->setLineStep(1);
m_base->sweepEndFrequencyBox->setFloatMax(instrumentLimits.maxFrequency / 1000000.0);
m_base->sweepEndFrequencyBox->setFloatMin(instrumentLimits.minFrequency / 1000000.0);
m_base->sweepEndFrequencyBox->setFloatValue(instrumentLimits.minFrequency / 1000000.0);
m_base->sweepStepFrequencyBox->setLineStep(1);
m_base->sweepStepFrequencyBox->setFloatMax((instrumentLimits.maxFrequency - instrumentLimits.minFrequency) / 1000000.0);
m_base->sweepStepFrequencyBox->setFloatMin(0.000001); // 1Hz
if (instrumentLimits.maxFrequency >= 1.0) {
m_base->sweepStepFrequencyBox->setFloatValue(1.0); // 1MHz
}
else {
// Fallback...
m_base->sweepStepFrequencyBox->setFloatValue(instrumentLimits.minFrequency);
}
m_instrumentSettingsValid = false;
// Update GUI
unsigned int parameter_number = 0;
TQValueList<AllowedMeasurementInfoList>::iterator it;
AllowedMeasurementInfoList::iterator it2;
for (it = m_parameterSourceValues.begin(); it != m_parameterSourceValues.end(); ++it) {
AllowedMeasurementInfoList allowedValuePairs = *it;
if (parameter_number == 0) {
m_base->parameterASourceCombo->clear();
for (it2 = allowedValuePairs.begin(); it2 != allowedValuePairs.end(); ++it2) {
m_base->parameterASourceCombo->insertItem((*it2).second, -1);
}
}
else if (parameter_number == 1) {
m_base->parameterBSourceCombo->clear();
for (it2 = allowedValuePairs.begin(); it2 != allowedValuePairs.end(); ++it2) {
m_base->parameterBSourceCombo->insertItem((*it2).second, -1);
}
}
parameter_number++;
}
m_connectionActiveAndValid = true;
}
else if (((*it).first == MeasurementsReceived) || ((*it).first == SweepMeasurementsReceived)) {
TQ_UINT32 sample_number;
unsigned int parameter_number;
CompAnalyzerMeasurementList measurements;
TQByteArray measurementStreamData = (*it).second.toByteArray();
TQDataStream measurementStream(measurementStreamData, IO_ReadOnly);
measurementStream >> measurements;
measurementStream >> sample_number;
// If frequency sweep is in progress, then add sample points to graph
if ((*it).first == SweepMeasurementsReceived) {
unsigned int traceno = 0;
CompAnalyzerMeasurementList::iterator it;
for (it = measurements.begin(); it != measurements.end(); ++it) {
TQDoubleArray sampleArray = m_traceWidget->samples(traceno);
TQDoubleArray positionArray = m_traceWidget->positions(traceno);
if (sampleArray.count() < (sample_number + 1)) {
sampleArray.resize(sample_number + 1);
}
if (positionArray.count() < (sample_number + 1)) {
positionArray.resize(sample_number + 1);
}
sampleArray[sample_number] = (*it).value;
positionArray[sample_number] = (*it).frequency;
if (sample_number == 0) {
m_sensorList[traceno].max = (*it).value;
m_sensorList[traceno].min = (*it).value;
}
else {
if ((*it).value > m_sensorList[traceno].max) {
m_sensorList[traceno].max = (*it).value;
}
if ((*it).value < m_sensorList[traceno].min) {
m_sensorList[traceno].min = (*it).value;
}
}
m_traceWidget->setSamples(traceno, sampleArray);
m_traceWidget->setPositions(traceno, positionArray);
m_base->traceZoomWidget->setSamples(traceno, sampleArray);
m_base->traceZoomWidget->setPositions(traceno, positionArray);
traceno++;
}
updateGraticule();
m_traceWidget->repaint(false);
m_base->traceZoomWidget->repaint(false);
processAutosave();
}
// Update displays
parameter_number = 0;
CompAnalyzerMeasurementList::iterator it;
for (it = measurements.begin(); it != measurements.end(); ++it) {
if (parameter_number == 0) {
m_base->parameterADisplay->setValue((*it).value, 5, true);
}
else if (parameter_number == 1) {
m_base->parameterBDisplay->setValue((*it).value, 5, true);
}
m_base->frequencyDisplay->setValue((*it).frequency / 1000000.0, 2, true);
// Update instrument control selectors
if (m_parameterSourceValues.count() < (parameter_number + 1)) {
continue;
}
AllowedMeasurementInfoList::iterator it2;
for (it2 = m_parameterSourceValues[parameter_number].begin(); it2 != m_parameterSourceValues[parameter_number].end(); ++it2) {
if ((*it2).first == (*it).parameter) {
if (parameter_number == 0) {
m_base->parameterASourceCombo->setCurrentText((*it2).second);
}
if (parameter_number == 1) {
m_base->parameterBSourceCombo->setCurrentText((*it2).second);
}
}
}
parameter_number++;
}
m_instrumentSettingsValid = true;
m_connectionActiveAndValid = true;
}
had_events = true;
}
if (had_events) {
if (m_connectionActiveAndValid) {
networkTick();
}
eventQueue->clear();
}
m_worker->unlockOutboundQueue();
processLockouts();
}
void CompAnalyzerPart::networkTick() {
setTickerMessage(i18n("Connected"));
m_connectionActiveAndValid = true;
processLockouts();
}
void CompAnalyzerPart::networkTimeout() {
m_updateTimeoutTimer->stop();
m_socket->clearIncomingData();
setStatusMessage(i18n("Server ping timeout. Please verify the status of your network connection."));
m_connectionActiveAndValid = false;
processLockouts();
// Try to recover
m_worker->resetInboundQueue();
requestNetworkOperation(CompAnalyzerEvent(Initialize, TQVariant()), true);
}
void CompAnalyzerPart::updateZoomWidgetLimits(const TQRectF& zoomRect) {
for (int traceno=0; traceno<m_maxNumberOfTraces; traceno++) {
TQRectF fullZoomRect = m_traceWidget->displayLimits(traceno);
double widthSpan = fullZoomRect.width()-fullZoomRect.x();
double heightSpan = fullZoomRect.height()-fullZoomRect.y();
TQRectF zoomLimitsRect((fullZoomRect.x()+(widthSpan*(zoomRect.x()/100.0))), (fullZoomRect.y()+(heightSpan*(zoomRect.y()/100.0))), (fullZoomRect.x()+(widthSpan*((zoomRect.x()/100.0)+(zoomRect.width()/100.0)))), (fullZoomRect.y()+(heightSpan*((zoomRect.y()/100.0)+(zoomRect.height()/100.0)))));
m_base->traceZoomWidget->setDisplayLimits(traceno, zoomLimitsRect);
}
}
void CompAnalyzerPart::updateGraticule() {
m_traceWidget->setNumberOfHorizontalDivisions(m_hdivs);
m_traceWidget->setNumberOfVerticalDivisions(m_vdivs);
m_base->traceZoomWidget->setNumberOfHorizontalDivisions(m_hdivs);
m_base->traceZoomWidget->setNumberOfVerticalDivisions(m_vdivs);
if (m_maxNumberOfTraces > 0) m_traceWidget->setTraceColor(0, TQColor(255, 255, 255));
if (m_maxNumberOfTraces > 1) m_traceWidget->setTraceColor(1, TQColor(128, 255, 128));
if (m_maxNumberOfTraces > 2) m_traceWidget->setTraceColor(2, TQColor(255, 255, 128));
if (m_maxNumberOfTraces > 3) m_traceWidget->setTraceColor(3, TQColor(128, 128, 255));
if (m_maxNumberOfTraces > 0) m_base->traceZoomWidget->setTraceColor(0, TQColor(255, 255, 255));
if (m_maxNumberOfTraces > 1) m_base->traceZoomWidget->setTraceColor(1, TQColor(128, 255, 128));
if (m_maxNumberOfTraces > 2) m_base->traceZoomWidget->setTraceColor(2, TQColor(255, 255, 128));
if (m_maxNumberOfTraces > 3) m_base->traceZoomWidget->setTraceColor(3, TQColor(128, 128, 255));
for (int traceno=0; traceno<m_maxNumberOfTraces; traceno++) {
if (m_sensorList.count() < (traceno + 1)) {
continue;
}
if (traceno == 0) {
m_sensorList[traceno].name = m_base->parameterASourceCombo->currentText();
}
else if (traceno == 1) {
m_sensorList[traceno].name = m_base->parameterBSourceCombo->currentText();
}
m_sensorList[traceno].units = parameterNameToMeasurementUnits(m_sensorList[traceno].name, traceno);
m_traceWidget->setTraceEnabled(traceno, m_channelActive[traceno]);
m_traceWidget->setTraceName(traceno, m_sensorList[traceno].name);
m_traceWidget->setTraceHorizontalUnits(traceno, "Hz");
m_traceWidget->setTraceVerticalUnits(traceno, m_sensorList[traceno].units);
m_base->traceZoomWidget->setTraceEnabled(traceno, m_channelActive[traceno], TraceWidget::SummaryText);
m_base->traceZoomWidget->setTraceName(traceno, m_sensorList[traceno].name);
m_base->traceZoomWidget->setTraceHorizontalUnits(traceno, "Hz");
m_base->traceZoomWidget->setTraceVerticalUnits(traceno, m_sensorList[traceno].units);
double startfreq = 0.0;
double endfreq = 0.0;
if (m_samplesInTrace[traceno] > 0) {
startfreq = m_worker->sweepStartFrequency();
endfreq = m_worker->sweepEndFrequency();
}
m_traceWidget->setDisplayLimits(traceno, TQRectF(startfreq, m_sensorList[traceno].max, endfreq, m_sensorList[traceno].min));
}
updateZoomWidgetLimits(m_traceWidget->zoomBox());
}
void CompAnalyzerPart::frequencyInputChanged(double value) {
double frequency = value * 1000000.0;
requestNetworkOperation(CompAnalyzerEvent(SetFrequency, TQVariant(frequency)), true);
processLockouts();
}
void CompAnalyzerPart::parameterASourceChanged(int index) {
TQValueList<TQ_UINT32> sourceIndexList;
TQString newSource = m_base->parameterASourceCombo->text(index);
TQString source = m_base->parameterBSourceCombo->currentText();
AllowedMeasurementInfoList::iterator it2;
for (it2 = m_parameterSourceValues[0].begin(); it2 != m_parameterSourceValues[0].end(); ++it2) {
if ((*it2).second == newSource) {
sourceIndexList.append((*it2).first);
break;
}
}
for (it2 = m_parameterSourceValues[1].begin(); it2 != m_parameterSourceValues[1].end(); ++it2) {
if ((*it2).second == source) {
sourceIndexList.append((*it2).first);
break;
}
}
if (sourceIndexList.count() >= 2) {
m_worker->setNewParameterSourceList(sourceIndexList);
requestNetworkOperation(CompAnalyzerEvent(ChangeMeasurementSource, TQVariant()), true);
}
processLockouts();
}
void CompAnalyzerPart::parameterBSourceChanged(int index) {
TQValueList<TQ_UINT32> sourceIndexList;
TQString newSource = m_base->parameterBSourceCombo->text(index);
TQString source = m_base->parameterASourceCombo->currentText();
AllowedMeasurementInfoList::iterator it2;
for (it2 = m_parameterSourceValues[0].begin(); it2 != m_parameterSourceValues[0].end(); ++it2) {
if ((*it2).second == source) {
sourceIndexList.append((*it2).first);
break;
}
}
for (it2 = m_parameterSourceValues[1].begin(); it2 != m_parameterSourceValues[1].end(); ++it2) {
if ((*it2).second == newSource) {
sourceIndexList.append((*it2).first);
break;
}
}
if (sourceIndexList.count() >= 2) {
m_worker->setNewParameterSourceList(sourceIndexList);
requestNetworkOperation(CompAnalyzerEvent(ChangeMeasurementSource, TQVariant()), true);
}
processLockouts();
}
void CompAnalyzerPart::startSweepClicked() {
int traceno;
double start = m_base->sweepStartFrequencyBox->floatValue() * 1000000.0;
double end = m_base->sweepEndFrequencyBox->floatValue() * 1000000.0;
double step = m_base->sweepStepFrequencyBox->floatValue() * 1000000.0;
if (end <= start) {
return;
}
m_worker->setSweepStartFrequency(start);
m_worker->setSweepEndFrequency(end);
m_worker->setSweepStepFrequency(step);
m_sensorList.clear();
for ( traceno=0; traceno<m_maxNumberOfTraces; traceno++) {
m_sensorList.append(SensorType());
}
for (traceno=0; traceno<m_maxNumberOfTraces; traceno++) {
m_samplesInTrace[traceno] = ((end - start) / step) + 1;
m_channelActive[traceno] = true;
m_sensorList[traceno].name = "";
m_sensorList[traceno].units = "";
m_sensorList[traceno].max = 0;
m_sensorList[traceno].min = 0;
m_traceUnits[traceno] = m_sensorList[traceno].units;
}
m_traceWidget->setNumberOfSamples(traceno, m_samplesInTrace[traceno]);
m_base->traceZoomWidget->setNumberOfSamples(traceno, m_samplesInTrace[traceno]);
// Clear graph
for (int traceno=0; traceno<m_maxNumberOfTraces; traceno++) {
TQDoubleArray sampleArray = m_traceWidget->samples(traceno);
TQDoubleArray positionArray = m_traceWidget->positions(traceno);
if (sampleArray.count() != (unsigned int)m_samplesInTrace[traceno]) {
sampleArray.resize(m_samplesInTrace[traceno]);
}
if (positionArray.count() != (unsigned int)m_samplesInTrace[traceno]) {
positionArray.resize(m_samplesInTrace[traceno]);
}
sampleArray.fill(NAN);
positionArray.fill(NAN);
m_traceWidget->setSamples(traceno, sampleArray);
m_traceWidget->setPositions(traceno, positionArray);
m_base->traceZoomWidget->setSamples(traceno, sampleArray);
m_base->traceZoomWidget->setPositions(traceno, positionArray);
}
updateGraticule();
requestNetworkOperation(CompAnalyzerEvent(StartSweep, TQVariant()), true);
processLockouts();
}
void CompAnalyzerPart::stopSweepClicked() {
requestNetworkOperation(CompAnalyzerEvent(AbortSweep, TQVariant()), true);
processLockouts();
}
void CompAnalyzerPart::processAutosave() {
if (m_base->autoSave->isOn()) {
if (m_base->autoSaveFile->url() != "") {
saveWaveforms(m_base->autoSaveFile->url());
}
}
}
#define WAVEFORM_MAGIC_NUMBER 3
#define WAVEFORM_FILE_VERSION 1
void CompAnalyzerPart::saveWaveforms() {
saveWaveforms(TQString::null);
}
void CompAnalyzerPart::saveWaveforms(TQString fileName) {
TQString saveFileName;
if (fileName != "") {
saveFileName = fileName;
}
else {
saveFileName = KFileDialog::getSaveFileName(TQString::null, "*.wfm|Waveform Files (*.wfm)", 0, i18n("Save waveforms..."));
}
if (saveFileName != "") {
TQFile file(saveFileName);
file.open(IO_WriteOnly);
TQDataStream ds(&file);
TQ_INT32 magicNumber = WAVEFORM_MAGIC_NUMBER;
TQ_INT32 version = WAVEFORM_FILE_VERSION;
ds << magicNumber;
ds << version;
ds << m_sensorList;
ds << m_hdivs;
ds << m_vdivs;
ds << m_maxNumberOfTraces;
ds << m_worker->sweepStartFrequency();
ds << m_worker->sweepEndFrequency();
ds << m_worker->sweepStepFrequency();
for (int traceno=0; traceno<m_maxNumberOfTraces; traceno++) {
TQ_UINT8 boolValue;
boolValue = m_channelActive[traceno];
ds << boolValue;
ds << m_samplesInTrace[traceno];
ds << m_traceUnits[traceno];
ds << m_traceWidget->samples(traceno);
ds << m_traceWidget->positions(traceno);
}
for (int cursorno=0; cursorno<4; cursorno++) {
ds << m_traceWidget->cursorPosition(cursorno);
}
ds << m_base->userNotes->text();
}
processLockouts();
}
void CompAnalyzerPart::recallWaveforms() {
TQString openFileName = KFileDialog::getOpenFileName(TQString::null, "*.wfm|Waveform Files (*.wfm)", 0, i18n("Open waveforms..."));
if (openFileName != "") {
TQFile file(openFileName);
file.open(IO_ReadOnly);
TQDataStream ds(&file);
TQ_INT32 magicNumber;
TQ_INT32 version;
ds >> magicNumber;
if (magicNumber == WAVEFORM_MAGIC_NUMBER) {
ds >> version;
if (version == WAVEFORM_FILE_VERSION) {
double sweepStartFrequency;
double sweepEndFrequency;
double sweepStepFrequency;
ds >> m_sensorList;
ds >> m_hdivs;
ds >> m_vdivs;
ds >> m_maxNumberOfTraces;
ds >> sweepStartFrequency;
ds >> sweepEndFrequency;
ds >> sweepStepFrequency;
for (int traceno=0; traceno<m_maxNumberOfTraces; traceno++) {
TQ_UINT8 boolValue;
ds >> boolValue;
m_channelActive[traceno] = (boolValue!=0)?true:false;
ds >> m_samplesInTrace[traceno];
ds >> m_traceUnits[traceno];
TQDoubleArray values;
TQDoubleArray positions;
ds >> values;
ds >> positions;
m_traceWidget->setNumberOfSamples(traceno, m_samplesInTrace[traceno], true);
m_traceWidget->setSamples(traceno, values);
m_traceWidget->setPositions(traceno, positions);
m_base->traceZoomWidget->setSamples(traceno, values);
m_base->traceZoomWidget->setPositions(traceno, positions);
m_traceWidget->setDisplayLimits(traceno, TQRectF(positions[0], m_sensorList[traceno].max, positions[positions.count() - 1], m_sensorList[traceno].min));
if (traceno == 0) {
m_worker->setSweepStartFrequency(positions[0]);
m_worker->setSweepEndFrequency(positions[positions.count() - 1]);
}
}
for (int cursorno=0; cursorno<4; cursorno++) {
double cursorPos;
ds >> cursorPos;
m_traceWidget->setCursorPosition(cursorno, cursorPos);
}
updateGraticule();
m_traceWidget->repaint(false);
m_base->traceZoomWidget->repaint(false);
TQString notes;
ds >> notes;
m_base->userNotes->setText(notes);
m_base->sweepStartFrequencyBox->setFloatValue(sweepStartFrequency / 1000000.0);
m_base->sweepEndFrequencyBox->setFloatValue(sweepEndFrequency / 1000000.0);
m_base->sweepStepFrequencyBox->setFloatValue(sweepStepFrequency / 1000000.0);
}
else {
KMessageBox::error(0, i18n("<qt>The selected waveform file version does not match this client</qt>"), i18n("Invalid File"));
}
}
else {
KMessageBox::error(0, i18n("<qt>Invalid waveform file selected</qt>"), i18n("Invalid File"));
}
}
processLockouts();
}
TQString CompAnalyzerPart::parameterMeasurementUnits(TQ_UINT32 parameter) {
TQString ret;
switch (parameter) {
case 0:
// Resistance
ret = i18n("Ω");
break;
case 1:
// Reactance
ret = i18n("Ω");
break;
case 2:
// Conductance
ret = i18n("S");
break;
case 3:
// Susceptance
ret = i18n("S");
break;
case 4:
// Inductance
ret = i18n("H");
break;
case 5:
// Capacitance
ret = i18n("F");
break;
case 6:
// Dissipation Factor
ret = TQString::null;
break;
case 7:
// Quality Factor
ret = TQString::null;
break;
case 8:
// Impedance
ret = i18n("Ω");
break;
case 9:
// Admittance
ret = i18n("S");
break;
case 10:
// Reflection (absolute)
ret = TQString::null;
break;
case 11:
// Reflection (X)
ret = TQString::null;
break;
case 12:
// Reflection (Y)
ret = TQString::null;
break;
case 13:
// Phase angle (degrees)
ret = i18n("°");
break;
case 14:
// Phase angle (radians)
ret = i18n("rad");
break;
}
return ret;
}
TQString CompAnalyzerPart::parameterNameToMeasurementUnits(TQString name, unsigned int parameter_index) {
TQString ret;
AllowedMeasurementInfoList::iterator it2;
for (it2 = m_parameterSourceValues[parameter_index].begin(); it2 != m_parameterSourceValues[parameter_index].end(); ++it2) {
if ((*it2).second == name) {
ret = parameterMeasurementUnits((*it2).first);
}
}
return ret;
}
TDEAboutData* CompAnalyzerPart::createAboutData() {
return new TDEAboutData( APP_NAME, I18N_NOOP( APP_PRETTYNAME ), APP_VERSION );
}
} //namespace RemoteLab
#include "part.moc"
|