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
|
pragma Singleton
import Quickshell
import Quickshell.Io
import QtQuick
Singleton {
id: root
Component.onCompleted: {
// Trigger ethernet device detection after initialization
Qt.callLater(() => {
getEthernetDevices();
});
// Load saved connections on startup
listConnectionsProc.running = true;
}
readonly property list<AccessPoint> networks: []
readonly property AccessPoint active: networks.find(n => n.active) ?? null
property bool wifiEnabled: true
readonly property bool scanning: rescanProc.running
property list<var> ethernetDevices: []
readonly property var activeEthernet: ethernetDevices.find(d => d.connected) ?? null
property int ethernetDeviceCount: 0
property string ethernetDebugInfo: ""
property bool ethernetProcessRunning: false
property var ethernetDeviceDetails: null
property var wirelessDeviceDetails: null
property string connectionStatus: ""
property string connectionDebug: ""
function clearConnectionStatus(): void {
connectionStatus = "";
// Don't clear debug - keep it for reference
// connectionDebug = "";
}
function setConnectionStatus(status: string): void {
connectionStatus = status;
}
function addDebugInfo(info: string): void {
const timestamp = new Date().toLocaleTimeString();
const newInfo = "[" + timestamp + "] " + info;
// CRITICAL: Always append - NEVER replace
// Get current value - NEVER allow it to be empty/cleared
let current = connectionDebug;
if (!current || current === undefined || current === null) {
current = "";
}
// ALWAYS append - never replace
// If current is empty, just use newInfo, otherwise append with newline
const updated = (current.length > 0) ? (current + "\n" + newInfo) : newInfo;
// CRITICAL: Only assign if we're appending, never replace
connectionDebug = updated;
}
function enableWifi(enabled: bool): void {
const cmd = enabled ? "on" : "off";
enableWifiProc.exec(["nmcli", "radio", "wifi", cmd]);
}
function toggleWifi(): void {
const cmd = wifiEnabled ? "off" : "on";
enableWifiProc.exec(["nmcli", "radio", "wifi", cmd]);
}
function rescanWifi(): void {
rescanProc.running = true;
}
property var pendingConnection: null
signal connectionFailed(string ssid)
function connectToNetwork(ssid: string, password: string, bssid: string, callback: var): void {
// When password is provided, use BSSID for more reliable connection
// When no password, use SSID (will use saved password if available)
const hasBssid = bssid !== undefined && bssid !== null && bssid.length > 0;
let cmd = [];
// Set up pending connection tracking if callback provided
if (callback) {
root.pendingConnection = { ssid: ssid, bssid: hasBssid ? bssid : "", callback: callback };
}
if (password && password.length > 0) {
// When password is provided, try BSSID first if available, otherwise use SSID
if (hasBssid) {
// Use BSSID when password is provided - ensure BSSID is uppercase
const bssidUpper = bssid.toUpperCase();
// Check if a connection with this SSID already exists
const existingConnection = root.savedConnections.find(conn =>
conn && conn.toLowerCase().trim() === ssid.toLowerCase().trim()
);
if (existingConnection) {
// Connection already exists - delete it first, then create new one with updated password
root.addDebugInfo(qsTr("Connection '%1' already exists, deleting it first...").arg(existingConnection));
deleteConnectionProc.exec(["nmcli", "connection", "delete", existingConnection]);
// Wait a moment for deletion to complete, then create new connection
Qt.callLater(() => {
createConnectionWithPassword(ssid, bssidUpper, password);
}, 300);
return;
} else {
// No existing connection, create new one
createConnectionWithPassword(ssid, bssidUpper, password);
return;
}
} else {
// Fallback to SSID if BSSID not available - use device wifi connect
cmd = ["nmcli", "device", "wifi", "connect", ssid, "password", password];
root.setConnectionStatus(qsTr("Connecting to %1...").arg(ssid));
root.addDebugInfo(qsTr("Using SSID only (no BSSID): %1").arg(ssid));
}
} else {
// Try to connect to existing connection first (will use saved password if available)
cmd = ["nmcli", "device", "wifi", "connect", ssid];
root.setConnectionStatus(qsTr("Connecting to %1 (using saved password)...").arg(ssid));
root.addDebugInfo(qsTr("Using saved password for: %1").arg(ssid));
}
// Show the exact command being executed
const cmdStr = cmd.join(" ");
root.addDebugInfo(qsTr("=== COMMAND TO EXECUTE ==="));
root.addDebugInfo(qsTr("Command: %1").arg(cmdStr));
root.addDebugInfo(qsTr("Command array: [%1]").arg(cmd.map((arg, i) => `"${arg}"`).join(", ")));
root.addDebugInfo(qsTr("Command array length: %1").arg(cmd.length));
root.addDebugInfo(qsTr("==========================="));
// Set command and start process
root.addDebugInfo(qsTr("Setting command property..."));
connectProc.command = cmd;
const setCmdStr = connectProc.command ? connectProc.command.join(" ") : "null";
root.addDebugInfo(qsTr("Command property set, value: %1").arg(setCmdStr));
root.addDebugInfo(qsTr("Command property verified: %1").arg(setCmdStr === cmdStr ? "Match" : "MISMATCH"));
// If we're creating a connection profile, we need to activate it after creation
const isConnectionAdd = cmd.length > 0 && cmd[0] === "nmcli" && cmd[1] === "connection" && cmd[2] === "add";
// Wait a moment before starting to ensure command is set
Qt.callLater(() => {
root.addDebugInfo(qsTr("=== STARTING PROCESS ==="));
root.addDebugInfo(qsTr("Current running state: %1").arg(connectProc.running));
root.addDebugInfo(qsTr("Command to run: %1").arg(connectProc.command ? connectProc.command.join(" ") : "NOT SET"));
root.addDebugInfo(qsTr("Is connection add command: %1").arg(isConnectionAdd));
connectProc.running = true;
root.addDebugInfo(qsTr("Process running set to: %1").arg(connectProc.running));
root.addDebugInfo(qsTr("========================"));
// Check if process actually started after a short delay
Qt.callLater(() => {
root.addDebugInfo(qsTr("Process status check (100ms later):"));
root.addDebugInfo(qsTr(" Running: %1").arg(connectProc.running));
root.addDebugInfo(qsTr(" Command: %1").arg(connectProc.command ? connectProc.command.join(" ") : "null"));
if (!connectProc.running) {
root.addDebugInfo(qsTr("WARNING: Process did not start!"));
root.setConnectionStatus(qsTr("Error: Process failed to start"));
}
}, 100);
});
// Start connection check timer if we have a callback
if (callback) {
root.addDebugInfo(qsTr("Starting connection check timer (4 second interval)"));
connectionCheckTimer.start();
} else {
root.addDebugInfo(qsTr("No callback provided - not starting connection check timer"));
}
}
function createConnectionWithPassword(ssid: string, bssidUpper: string, password: string): void {
// Create connection profile with all required properties for BSSID + password
const cmd = ["nmcli", "connection", "add",
"type", "wifi",
"con-name", ssid,
"ifname", "*",
"ssid", ssid,
"802-11-wireless.bssid", bssidUpper,
"802-11-wireless-security.key-mgmt", "wpa-psk",
"802-11-wireless-security.psk", password];
root.setConnectionStatus(qsTr("Connecting to %1 (BSSID: %2)...").arg(ssid).arg(bssidUpper));
root.addDebugInfo(qsTr("Using BSSID: %1 for SSID: %2").arg(bssidUpper).arg(ssid));
root.addDebugInfo(qsTr("Creating connection profile with password and key-mgmt"));
// Set command and start process
connectProc.command = cmd;
Qt.callLater(() => {
connectProc.running = true;
});
}
function connectToNetworkWithPasswordCheck(ssid: string, isSecure: bool, callback: var, bssid: string): void {
root.addDebugInfo(qsTr("=== connectToNetworkWithPasswordCheck ==="));
root.addDebugInfo(qsTr("SSID: %1, isSecure: %2").arg(ssid).arg(isSecure));
// For secure networks, try connecting without password first
// If connection succeeds (saved password exists), we're done
// If it fails with password error, callback will be called to show password dialog
if (isSecure) {
const hasBssid = bssid !== undefined && bssid !== null && bssid.length > 0;
root.pendingConnection = { ssid: ssid, bssid: hasBssid ? bssid : "", callback: callback };
root.addDebugInfo(qsTr("Trying to connect without password (will use saved if available)"));
// Try connecting without password - will use saved password if available
connectProc.exec(["nmcli", "device", "wifi", "connect", ssid]);
// Start timer to check if connection succeeded
root.addDebugInfo(qsTr("Starting connection check timer"));
connectionCheckTimer.start();
} else {
root.addDebugInfo(qsTr("Network is not secure, connecting directly"));
connectToNetwork(ssid, "", bssid, null);
}
root.addDebugInfo(qsTr("========================================="));
}
function disconnectFromNetwork(): void {
// Try to disconnect - use connection name if available, otherwise use device
if (active && active.ssid) {
// First try to disconnect by connection name (more reliable)
disconnectByConnectionProc.exec(["nmcli", "connection", "down", active.ssid]);
} else {
// Fallback: disconnect by device
disconnectProc.exec(["nmcli", "device", "disconnect", "wifi"]);
}
}
function forgetNetwork(ssid: string): void {
// Delete the connection profile for this network
// This will remove the saved password and connection settings
if (ssid && ssid.length > 0) {
deleteConnectionProc.exec(["nmcli", "connection", "delete", ssid]);
// Also refresh network list after deletion
Qt.callLater(() => {
getNetworks.running = true;
}, 500);
}
}
function hasConnectionProfile(ssid: string): bool {
// Check if a connection profile exists for this SSID
// This is synchronous check - returns true if connection exists
if (!ssid || ssid.length === 0) {
return false;
}
// Use nmcli to check if connection exists
// We'll use a Process to check, but for now return false
// The actual check will be done asynchronously
return false;
}
property list<string> savedConnections: []
property list<string> savedConnectionSsids: []
property var wifiConnectionQueue: []
property int currentSsidQueryIndex: 0
Process {
id: listConnectionsProc
command: ["nmcli", "-t", "-f", "NAME,TYPE", "connection", "show"]
environment: ({
LANG: "C.UTF-8",
LC_ALL: "C.UTF-8"
})
onExited: {
if (exitCode === 0) {
parseConnectionList(stdout.text);
}
}
stdout: StdioCollector {
onStreamFinished: {
parseConnectionList(text);
}
}
}
function parseConnectionList(output: string): void {
const lines = output.trim().split("\n").filter(line => line.length > 0);
const wifiConnections = [];
const connections = [];
// First pass: identify WiFi connections
for (const line of lines) {
const parts = line.split(":");
if (parts.length >= 2) {
const name = parts[0];
const type = parts[1];
connections.push(name);
if (type === "802-11-wireless") {
wifiConnections.push(name);
}
}
}
root.savedConnections = connections;
// Second pass: get SSIDs for WiFi connections
if (wifiConnections.length > 0) {
root.wifiConnectionQueue = wifiConnections;
root.currentSsidQueryIndex = 0;
root.savedConnectionSsids = [];
// Start querying SSIDs one by one
queryNextSsid();
} else {
root.savedConnectionSsids = [];
root.wifiConnectionQueue = [];
}
}
Process {
id: getSsidProc
environment: ({
LANG: "C.UTF-8",
LC_ALL: "C.UTF-8"
})
onExited: {
if (exitCode === 0) {
processSsidOutput(stdout.text);
} else {
// Move to next connection even if this one failed
queryNextSsid();
}
}
stdout: StdioCollector {
onStreamFinished: {
processSsidOutput(text);
}
}
}
function processSsidOutput(output: string): void {
// Parse "802-11-wireless.ssid:SSID_NAME" format
const lines = output.trim().split("\n");
for (const line of lines) {
if (line.startsWith("802-11-wireless.ssid:")) {
const ssid = line.substring("802-11-wireless.ssid:".length).trim();
if (ssid && ssid.length > 0) {
// Add to list if not already present (case-insensitive)
const ssidLower = ssid.toLowerCase();
if (!root.savedConnectionSsids.some(s => s && s.toLowerCase() === ssidLower)) {
// Create new array to trigger QML property change notification
const newList = root.savedConnectionSsids.slice();
newList.push(ssid);
root.savedConnectionSsids = newList;
}
}
}
}
// Query next connection
queryNextSsid();
}
function queryNextSsid(): void {
if (root.currentSsidQueryIndex < root.wifiConnectionQueue.length) {
const connectionName = root.wifiConnectionQueue[root.currentSsidQueryIndex];
root.currentSsidQueryIndex++;
getSsidProc.command = ["nmcli", "-t", "-f", "802-11-wireless.ssid", "connection", "show", connectionName];
getSsidProc.running = true;
} else {
// All SSIDs retrieved
root.wifiConnectionQueue = [];
root.currentSsidQueryIndex = 0;
}
}
function hasSavedProfile(ssid: string): bool {
if (!ssid || ssid.length === 0) {
return false;
}
const ssidLower = ssid.toLowerCase().trim();
// If currently connected to this network, it definitely has a saved profile
if (root.active && root.active.ssid) {
const activeSsidLower = root.active.ssid.toLowerCase().trim();
if (activeSsidLower === ssidLower) {
return true;
}
}
// Check if SSID is in saved connections (case-insensitive comparison)
const hasSsid = root.savedConnectionSsids.some(savedSsid =>
savedSsid && savedSsid.toLowerCase().trim() === ssidLower
);
if (hasSsid) {
return true;
}
// Fallback: also check if connection name matches SSID (some connections use SSID as name)
const hasConnectionName = root.savedConnections.some(connName =>
connName && connName.toLowerCase().trim() === ssidLower
);
return hasConnectionName;
}
function getWifiStatus(): void {
wifiStatusProc.running = true;
}
function getEthernetDevices(): void {
getEthernetDevicesProc.running = true;
}
function connectEthernet(connectionName: string, interfaceName: string): void {
if (connectionName && connectionName.length > 0) {
// Use connection name if available
connectEthernetProc.exec(["nmcli", "connection", "up", connectionName]);
} else if (interfaceName && interfaceName.length > 0) {
// Fallback to device interface if no connection name
connectEthernetProc.exec(["nmcli", "device", "connect", interfaceName]);
}
}
function disconnectEthernet(connectionName: string): void {
disconnectEthernetProc.exec(["nmcli", "connection", "down", connectionName]);
}
function updateEthernetDeviceDetails(interfaceName: string): void {
if (interfaceName && interfaceName.length > 0) {
getEthernetDetailsProc.exec(["nmcli", "device", "show", interfaceName]);
} else {
ethernetDeviceDetails = null;
}
}
function updateWirelessDeviceDetails(): void {
// Find the wireless interface by looking for wifi devices
findWirelessInterfaceProc.exec(["nmcli", "device", "status"]);
}
function cidrToSubnetMask(cidr: string): string {
// Convert CIDR notation (e.g., "24") to subnet mask (e.g., "255.255.255.0")
const cidrNum = parseInt(cidr);
if (isNaN(cidrNum) || cidrNum < 0 || cidrNum > 32) {
return "";
}
const mask = (0xffffffff << (32 - cidrNum)) >>> 0;
const octets = [
(mask >>> 24) & 0xff,
(mask >>> 16) & 0xff,
(mask >>> 8) & 0xff,
mask & 0xff
];
return octets.join(".");
}
Process {
running: true
command: ["nmcli", "m"]
stdout: SplitParser {
onRead: {
getNetworks.running = true;
getEthernetDevices();
}
}
}
Process {
id: wifiStatusProc
running: true
command: ["nmcli", "radio", "wifi"]
environment: ({
LANG: "C.UTF-8",
LC_ALL: "C.UTF-8"
})
stdout: StdioCollector {
onStreamFinished: {
root.wifiEnabled = text.trim() === "enabled";
}
}
}
Process {
id: enableWifiProc
onExited: {
root.getWifiStatus();
getNetworks.running = true;
}
}
Process {
id: rescanProc
command: ["nmcli", "dev", "wifi", "list", "--rescan", "yes"]
onExited: {
getNetworks.running = true;
}
}
Timer {
id: connectionCheckTimer
interval: 4000
onTriggered: {
root.addDebugInfo(qsTr("=== CONNECTION CHECK TIMER (4s) ==="));
if (root.pendingConnection) {
const connected = root.active && root.active.ssid === root.pendingConnection.ssid;
root.addDebugInfo(qsTr("Checking connection status..."));
root.addDebugInfo(qsTr(" Pending SSID: %1").arg(root.pendingConnection.ssid));
root.addDebugInfo(qsTr(" Active SSID: %1").arg(root.active ? root.active.ssid : "None"));
root.addDebugInfo(qsTr(" Connected: %1").arg(connected));
if (!connected && root.pendingConnection.callback) {
// Connection didn't succeed after multiple checks, show password dialog
root.addDebugInfo(qsTr("Connection failed - calling password dialog callback"));
const pending = root.pendingConnection;
root.pendingConnection = null;
immediateCheckTimer.stop();
immediateCheckTimer.checkCount = 0;
pending.callback();
} else if (connected) {
// Connection succeeded, clear pending
root.addDebugInfo(qsTr("Connection succeeded!"));
root.setConnectionStatus(qsTr("Connected successfully!"));
root.pendingConnection = null;
immediateCheckTimer.stop();
immediateCheckTimer.checkCount = 0;
} else {
root.addDebugInfo(qsTr("Still connecting..."));
root.setConnectionStatus(qsTr("Still connecting..."));
}
} else {
root.addDebugInfo(qsTr("No pending connection"));
}
root.addDebugInfo(qsTr("================================"));
}
}
Timer {
id: immediateCheckTimer
interval: 500
repeat: true
triggeredOnStart: false
property int checkCount: 0
onRunningChanged: {
if (running) {
root.addDebugInfo(qsTr("Immediate check timer started (checks every 500ms)"));
}
}
onTriggered: {
if (root.pendingConnection) {
checkCount++;
const connected = root.active && root.active.ssid === root.pendingConnection.ssid;
root.addDebugInfo(qsTr("Immediate check #%1: Connected=%2").arg(checkCount).arg(connected));
if (connected) {
// Connection succeeded, stop timers and clear pending
root.addDebugInfo(qsTr("Connection succeeded on check #%1!").arg(checkCount));
root.setConnectionStatus(qsTr("Connected successfully!"));
connectionCheckTimer.stop();
immediateCheckTimer.stop();
immediateCheckTimer.checkCount = 0;
root.pendingConnection = null;
} else if (checkCount >= 6) {
root.addDebugInfo(qsTr("Checked %1 times (3 seconds) - connection taking longer").arg(checkCount));
root.setConnectionStatus(qsTr("Connection taking longer than expected..."));
// Checked 6 times (3 seconds total), connection likely failed
// Stop immediate check, let the main timer handle it
immediateCheckTimer.stop();
immediateCheckTimer.checkCount = 0;
}
} else {
root.addDebugInfo(qsTr("Immediate check: No pending connection, stopping timer"));
immediateCheckTimer.stop();
immediateCheckTimer.checkCount = 0;
}
}
}
Process {
id: connectProc
onRunningChanged: {
root.addDebugInfo(qsTr("Process running changed to: %1").arg(running));
}
onStarted: {
root.addDebugInfo(qsTr("Process started successfully"));
}
onExited: {
root.addDebugInfo(qsTr("=== PROCESS EXITED ==="));
root.addDebugInfo(qsTr("Exit code: %1").arg(exitCode));
root.addDebugInfo(qsTr("(Exit code 0 = success, non-zero = error)"));
// Check if this was a "connection add" command - if so, we need to activate it
const wasConnectionAdd = connectProc.command && connectProc.command.length > 0
&& connectProc.command[0] === "nmcli"
&& connectProc.command[1] === "connection"
&& connectProc.command[2] === "add";
if (wasConnectionAdd && root.pendingConnection) {
const ssid = root.pendingConnection.ssid;
// Check for duplicate connection warning in stderr text
const stderrText = connectProc.stderr ? connectProc.stderr.text : "";
const hasDuplicateWarning = stderrText && (
stderrText.includes("another connection with the name") ||
stderrText.includes("Reference the connection by its uuid")
);
// Even with duplicate warning (or if connection already exists), we should try to activate it
// Also try if exit code is non-zero but small (might be a warning, not a real error)
if (exitCode === 0 || hasDuplicateWarning || (exitCode > 0 && exitCode < 10)) {
if (hasDuplicateWarning) {
root.addDebugInfo(qsTr("Connection with name '%1' already exists (warning), will try to activate it").arg(ssid));
root.setConnectionStatus(qsTr("Activating existing connection..."));
} else {
root.addDebugInfo(qsTr("Connection profile created successfully, now activating: %1").arg(ssid));
root.setConnectionStatus(qsTr("Activating connection..."));
}
// Update saved connections list
listConnectionsProc.running = true;
// Try to activate the connection by SSID (connection name)
connectProc.command = ["nmcli", "connection", "up", ssid];
Qt.callLater(() => {
connectProc.running = true;
});
// Don't start timers yet - wait for activation to complete
return;
} else {
// Connection add failed - try using device wifi connect as fallback
root.addDebugInfo(qsTr("Connection add failed (exit code %1), trying device wifi connect as fallback").arg(exitCode));
// Extract password from the command if available
let password = "";
if (connectProc.command) {
const pskIndex = connectProc.command.findIndex(arg => arg === "802-11-wireless-security.psk");
if (pskIndex >= 0 && pskIndex + 1 < connectProc.command.length) {
password = connectProc.command[pskIndex + 1];
}
}
if (password && password.length > 0) {
root.addDebugInfo(qsTr("Using device wifi connect with password as fallback"));
connectProc.command = ["nmcli", "device", "wifi", "connect", ssid, "password", password];
Qt.callLater(() => {
connectProc.running = true;
});
return;
}
}
}
// Refresh network list after connection attempt
getNetworks.running = true;
// Check if connection succeeded after a short delay (network list needs to update)
if (root.pendingConnection) {
if (exitCode === 0) {
// Process succeeded, start checking connection status
root.setConnectionStatus(qsTr("Connection command succeeded, verifying..."));
root.addDebugInfo(qsTr("Command succeeded, checking connection status..."));
root.addDebugInfo(qsTr("Starting immediate check timer (500ms intervals)"));
immediateCheckTimer.start();
} else {
// Process failed, but wait a moment to see if connection still works
root.setConnectionStatus(qsTr("Connection command exited with code %1, checking status...").arg(exitCode));
root.addDebugInfo(qsTr("Command exited with error code %1").arg(exitCode));
root.addDebugInfo(qsTr("This usually means the command failed"));
root.addDebugInfo(qsTr("Checking connection status anyway..."));
root.addDebugInfo(qsTr("Starting immediate check timer (500ms intervals)"));
immediateCheckTimer.start();
}
} else {
root.addDebugInfo(qsTr("No pending connection - not starting immediate check timer"));
}
root.addDebugInfo(qsTr("======================"));
}
stdout: SplitParser {
onRead: {
getNetworks.running = true;
// Also log output for debugging
if (text && text.trim().length > 0) {
root.addDebugInfo(qsTr("STDOUT: %1").arg(text.trim()));
root.setConnectionStatus(qsTr("Status: %1").arg(text.trim()));
}
}
}
stderr: StdioCollector {
onStreamFinished: {
const error = text.trim();
root.addDebugInfo(qsTr("=== STDERR OUTPUT ==="));
if (error && error.length > 0) {
// Split error into lines and add each one
const errorLines = error.split("\n");
for (let i = 0; i < errorLines.length; i++) {
const line = errorLines[i].trim();
if (line.length > 0) {
root.addDebugInfo(qsTr("STDERR: %1").arg(line));
}
}
// Check for specific errors that indicate password is needed
// Be careful not to match success messages
const needsPassword = (error.includes("Secrets were required") ||
error.includes("No secrets provided") ||
error.includes("802-11-wireless-security.psk") ||
(error.includes("password") && !error.includes("Connection activated")) ||
(error.includes("Secrets") && !error.includes("Connection activated")) ||
(error.includes("802.11") && !error.includes("Connection activated"))) &&
!error.includes("Connection activated") &&
!error.includes("successfully");
if (needsPassword && root.pendingConnection && root.pendingConnection.callback) {
// Connection failed because password is needed - show dialog immediately
connectionCheckTimer.stop();
immediateCheckTimer.stop();
const pending = root.pendingConnection;
root.pendingConnection = null;
pending.callback();
} else if (error && error.length > 0 && !error.includes("Connection activated") && !error.includes("successfully")) {
// Log all errors (except success messages)
root.setConnectionStatus(qsTr("Error: %1").arg(errorLines[0] || error));
// Emit signal for UI to handle
root.connectionFailed(root.pendingConnection ? root.pendingConnection.ssid : "");
} else if (error && (error.includes("Connection activated") || error.includes("successfully"))) {
root.addDebugInfo(qsTr("Connection successful!"));
root.setConnectionStatus(qsTr("Connection successful!"));
}
} else {
root.addDebugInfo(qsTr("STDERR: (empty)"));
}
root.addDebugInfo(qsTr("===================="));
}
}
}
Process {
id: disconnectProc
onExited: {
// Refresh network list after disconnection
getNetworks.running = true;
}
stdout: SplitParser {
onRead: getNetworks.running = true
}
stderr: StdioCollector {
onStreamFinished: {
const error = text.trim();
if (error && error.length > 0 && !error.includes("successfully") && !error.includes("disconnected")) {
console.warn("Network device disconnect error:", error);
}
}
}
}
Process {
id: disconnectByConnectionProc
onExited: {
// Refresh network list after disconnection
getNetworks.running = true;
}
stdout: SplitParser {
onRead: getNetworks.running = true
}
stderr: StdioCollector {
onStreamFinished: {
const error = text.trim();
if (error && error.length > 0 && !error.includes("successfully") && !error.includes("disconnected")) {
console.warn("Network connection disconnect error:", error);
// If connection down failed, try device disconnect as fallback
disconnectProc.exec(["nmcli", "device", "disconnect", "wifi"]);
}
}
}
}
Process {
id: deleteConnectionProc
// Delete connection profile - refresh network list and saved connections after deletion
onExited: {
// Refresh network list and saved connections after deletion
getNetworks.running = true;
listConnectionsProc.running = true;
}
stderr: StdioCollector {
onStreamFinished: {
const error = text.trim();
if (error && error.length > 0) {
// Log error but don't fail - connection might not exist
console.warn("Network connection delete error:", error);
}
}
}
}
Process {
id: getNetworks
running: true
command: ["nmcli", "-g", "ACTIVE,SIGNAL,FREQ,SSID,BSSID,SECURITY", "d", "w"]
environment: ({
LANG: "C.UTF-8",
LC_ALL: "C.UTF-8"
})
stdout: StdioCollector {
onStreamFinished: {
const PLACEHOLDER = "STRINGWHICHHOPEFULLYWONTBEUSED";
const rep = new RegExp("\\\\:", "g");
const rep2 = new RegExp(PLACEHOLDER, "g");
const allNetworks = text.trim().split("\n").map(n => {
const net = n.replace(rep, PLACEHOLDER).split(":");
return {
active: net[0] === "yes",
strength: parseInt(net[1]),
frequency: parseInt(net[2]),
ssid: net[3]?.replace(rep2, ":") ?? "",
bssid: net[4]?.replace(rep2, ":") ?? "",
security: net[5] ?? ""
};
}).filter(n => n.ssid && n.ssid.length > 0);
// Group networks by SSID and prioritize connected ones
const networkMap = new Map();
for (const network of allNetworks) {
const existing = networkMap.get(network.ssid);
if (!existing) {
networkMap.set(network.ssid, network);
} else {
// Prioritize active/connected networks
if (network.active && !existing.active) {
networkMap.set(network.ssid, network);
} else if (!network.active && !existing.active) {
// If both are inactive, keep the one with better signal
if (network.strength > existing.strength) {
networkMap.set(network.ssid, network);
}
}
// If existing is active and new is not, keep existing
}
}
const networks = Array.from(networkMap.values());
const rNetworks = root.networks;
const destroyed = rNetworks.filter(rn => !networks.find(n => n.frequency === rn.frequency && n.ssid === rn.ssid && n.bssid === rn.bssid));
for (const network of destroyed)
rNetworks.splice(rNetworks.indexOf(network), 1).forEach(n => n.destroy());
for (const network of networks) {
const match = rNetworks.find(n => n.frequency === network.frequency && n.ssid === network.ssid && n.bssid === network.bssid);
if (match) {
match.lastIpcObject = network;
} else {
rNetworks.push(apComp.createObject(root, {
lastIpcObject: network
}));
}
}
// Check if pending connection succeeded after network list is fully updated
if (root.pendingConnection) {
Qt.callLater(() => {
const connected = root.active && root.active.ssid === root.pendingConnection.ssid;
if (connected) {
// Connection succeeded, stop timers and clear pending
connectionCheckTimer.stop();
immediateCheckTimer.stop();
immediateCheckTimer.checkCount = 0;
root.pendingConnection = null;
}
});
}
}
}
}
Process {
id: getEthernetDevicesProc
running: false
command: ["nmcli", "-g", "DEVICE,TYPE,STATE,CONNECTION", "device", "status"]
environment: ({
LANG: "C.UTF-8",
LC_ALL: "C.UTF-8"
})
onRunningChanged: {
root.ethernetProcessRunning = running;
if (!running) {
// Process finished, update debug info
Qt.callLater(() => {
if (root.ethernetDebugInfo === "" || root.ethernetDebugInfo.includes("Process exited")) {
root.ethernetDebugInfo = "Process finished, waiting for output...";
}
});
}
}
onExited: {
Qt.callLater(() => {
const outputLength = ethernetStdout.text ? ethernetStdout.text.length : 0;
root.ethernetDebugInfo = "Process exited with code: " + exitCode + ", output length: " + outputLength;
if (outputLength > 0) {
// Output was captured, process it
const output = ethernetStdout.text.trim();
root.ethernetDebugInfo = "Processing output from onExited, length: " + output.length + "\nOutput: " + output.substring(0, 200);
root.processEthernetOutput(output);
} else {
root.ethernetDebugInfo = "No output captured in onExited";
}
});
}
stdout: StdioCollector {
id: ethernetStdout
onStreamFinished: {
const output = text.trim();
root.ethernetDebugInfo = "Output received in onStreamFinished! Length: " + output.length + ", First 100 chars: " + output.substring(0, 100);
if (!output || output.length === 0) {
root.ethernetDebugInfo = "No output received (empty)";
return;
}
root.processEthernetOutput(output);
}
}
}
function processEthernetOutput(output: string): void {
const PLACEHOLDER = "STRINGWHICHHOPEFULLYWONTBEUSED";
const rep = new RegExp("\\\\:", "g");
const rep2 = new RegExp(PLACEHOLDER, "g");
const lines = output.split("\n");
root.ethernetDebugInfo = "Processing " + lines.length + " lines";
const allDevices = lines.map(d => {
const dev = d.replace(rep, PLACEHOLDER).split(":");
return {
interface: dev[0]?.replace(rep2, ":") ?? "",
type: dev[1]?.replace(rep2, ":") ?? "",
state: dev[2]?.replace(rep2, ":") ?? "",
connection: dev[3]?.replace(rep2, ":") ?? ""
};
});
root.ethernetDebugInfo = "All devices: " + allDevices.length + ", Types: " + allDevices.map(d => d.type).join(", ");
const ethernetOnly = allDevices.filter(d => d.type === "ethernet");
root.ethernetDebugInfo = "Ethernet devices found: " + ethernetOnly.length;
const ethernetDevices = ethernetOnly.map(d => {
const state = d.state || "";
const connected = state === "100 (connected)" || state === "connected" || state.startsWith("connected");
return {
interface: d.interface,
type: d.type,
state: state,
connection: d.connection,
connected: connected,
ipAddress: "",
gateway: "",
dns: [],
subnet: "",
macAddress: "",
speed: ""
};
});
root.ethernetDebugInfo = "Ethernet devices processed: " + ethernetDevices.length + ", First device: " + (ethernetDevices[0]?.interface || "none");
// Update the list - replace the entire array to ensure QML detects the change
// Create a new array and assign it to the property
const newDevices = [];
for (let i = 0; i < ethernetDevices.length; i++) {
newDevices.push(ethernetDevices[i]);
}
// Replace the entire list
root.ethernetDevices = newDevices;
// Force QML to detect the change by updating a property
root.ethernetDeviceCount = ethernetDevices.length;
// Force QML to re-evaluate the list by accessing it
Qt.callLater(() => {
const count = root.ethernetDevices.length;
root.ethernetDebugInfo = "Final: Found " + ethernetDevices.length + " devices, List length: " + count + ", Parsed all: " + allDevices.length + ", Output length: " + output.length;
});
}
Process {
id: connectEthernetProc
onExited: {
getEthernetDevices();
// Refresh device details after connection
Qt.callLater(() => {
const activeDevice = root.ethernetDevices.find(function(d) { return d.connected; });
if (activeDevice && activeDevice.interface) {
updateEthernetDeviceDetails(activeDevice.interface);
}
});
}
stdout: SplitParser {
onRead: getEthernetDevices()
}
stderr: StdioCollector {
onStreamFinished: {
const error = text.trim();
if (error && error.length > 0 && !error.includes("successfully") && !error.includes("Connection activated")) {
console.warn("Ethernet connection error:", error);
}
}
}
}
Process {
id: disconnectEthernetProc
onExited: {
getEthernetDevices();
// Clear device details after disconnection
Qt.callLater(() => {
root.ethernetDeviceDetails = null;
});
}
stdout: SplitParser {
onRead: getEthernetDevices()
}
stderr: StdioCollector {
onStreamFinished: {
const error = text.trim();
if (error && error.length > 0 && !error.includes("successfully") && !error.includes("disconnected")) {
console.warn("Ethernet disconnection error:", error);
}
}
}
}
Process {
id: getEthernetDetailsProc
environment: ({
LANG: "C.UTF-8",
LC_ALL: "C.UTF-8"
})
stdout: StdioCollector {
onStreamFinished: {
const output = text.trim();
if (!output || output.length === 0) {
root.ethernetDeviceDetails = null;
return;
}
const lines = output.split("\n");
const details = {
ipAddress: "",
gateway: "",
dns: [],
subnet: "",
macAddress: "",
speed: ""
};
for (let i = 0; i < lines.length; i++) {
const line = lines[i];
const parts = line.split(":");
if (parts.length >= 2) {
const key = parts[0].trim();
const value = parts.slice(1).join(":").trim();
if (key.startsWith("IP4.ADDRESS")) {
// Extract IP and subnet from format like "10.13.1.45/24"
const ipParts = value.split("/");
details.ipAddress = ipParts[0] || "";
if (ipParts[1]) {
// Convert CIDR notation to subnet mask
details.subnet = root.cidrToSubnetMask(ipParts[1]);
} else {
details.subnet = "";
}
} else if (key === "IP4.GATEWAY") {
details.gateway = value;
} else if (key.startsWith("IP4.DNS")) {
details.dns.push(value);
} else if (key === "WIRED-PROPERTIES.MAC") {
details.macAddress = value;
} else if (key === "WIRED-PROPERTIES.SPEED") {
details.speed = value;
}
}
}
root.ethernetDeviceDetails = details;
}
}
onExited: {
if (exitCode !== 0) {
root.ethernetDeviceDetails = null;
}
}
}
Process {
id: findWirelessInterfaceProc
environment: ({
LANG: "C.UTF-8",
LC_ALL: "C.UTF-8"
})
stdout: StdioCollector {
onStreamFinished: {
const output = text.trim();
if (!output || output.length === 0) {
root.wirelessDeviceDetails = null;
return;
}
// Find the connected wifi interface from device status
const lines = output.split("\n");
let wifiInterface = "";
for (let i = 0; i < lines.length; i++) {
const line = lines[i];
const parts = line.split(/\s+/);
// Format: DEVICE TYPE STATE CONNECTION
// Look for wifi devices that are connected
if (parts.length >= 3 && parts[1] === "wifi" && parts[2] === "connected") {
wifiInterface = parts[0];
break;
}
}
if (wifiInterface && wifiInterface.length > 0) {
getWirelessDetailsProc.exec(["nmcli", "device", "show", wifiInterface]);
} else {
root.wirelessDeviceDetails = null;
}
}
}
onExited: {
if (exitCode !== 0) {
root.wirelessDeviceDetails = null;
}
}
}
Process {
id: getWirelessDetailsProc
environment: ({
LANG: "C.UTF-8",
LC_ALL: "C.UTF-8"
})
stdout: StdioCollector {
onStreamFinished: {
const output = text.trim();
if (!output || output.length === 0) {
root.wirelessDeviceDetails = null;
return;
}
const lines = output.split("\n");
const details = {
ipAddress: "",
gateway: "",
dns: [],
subnet: "",
macAddress: "",
speed: ""
};
for (let i = 0; i < lines.length; i++) {
const line = lines[i];
const parts = line.split(":");
if (parts.length >= 2) {
const key = parts[0].trim();
const value = parts.slice(1).join(":").trim();
if (key.startsWith("IP4.ADDRESS")) {
// Extract IP and subnet from format like "10.13.1.45/24"
const ipParts = value.split("/");
details.ipAddress = ipParts[0] || "";
if (ipParts[1]) {
// Convert CIDR notation to subnet mask
details.subnet = root.cidrToSubnetMask(ipParts[1]);
} else {
details.subnet = "";
}
} else if (key === "IP4.GATEWAY") {
details.gateway = value;
} else if (key.startsWith("IP4.DNS")) {
details.dns.push(value);
} else if (key === "GENERAL.HWADDR") {
details.macAddress = value;
}
}
}
root.wirelessDeviceDetails = details;
}
}
onExited: {
if (exitCode !== 0) {
root.wirelessDeviceDetails = null;
}
}
}
component AccessPoint: QtObject {
required property var lastIpcObject
readonly property string ssid: lastIpcObject.ssid
readonly property string bssid: lastIpcObject.bssid
readonly property int strength: lastIpcObject.strength
readonly property int frequency: lastIpcObject.frequency
readonly property bool active: lastIpcObject.active
readonly property string security: lastIpcObject.security
readonly property bool isSecure: security.length > 0
}
Component {
id: apComp
AccessPoint {}
}
}
|