adb-commands.js
57 KB
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
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
import log from '../logger.js';
import {
getIMEListFromOutput, isShowingLockscreen, isCurrentFocusOnKeyguard,
getSurfaceOrientation, isScreenOnFully, extractMatchingPermissions,
} from '../helpers.js';
import path from 'path';
import _ from 'lodash';
import { fs, util } from 'appium-support';
import net from 'net';
import { EOL } from 'os';
import Logcat from '../logcat';
import { sleep, waitForCondition } from 'asyncbox';
import { SubProcess } from 'teen_process';
import B from 'bluebird';
import { quote } from 'shell-quote';
const MAX_SHELL_BUFFER_LENGTH = 1000;
const NOT_CHANGEABLE_PERM_ERROR = /not a changeable permission type/i;
const IGNORED_PERM_ERRORS = [
NOT_CHANGEABLE_PERM_ERROR,
/Unknown permission/i,
];
const MAX_PGREP_PATTERN_LEN = 15;
const HIDDEN_API_POLICY_KEYS = [
'hidden_api_policy_pre_p_apps',
'hidden_api_policy_p_apps',
'hidden_api_policy'
];
let methods = {};
/**
* Get the path to adb executable amd assign it
* to this.executable.path and this.binaries.adb properties.
*
* @return {string} Full path to adb executable.
*/
methods.getAdbWithCorrectAdbPath = async function getAdbWithCorrectAdbPath () {
this.executable.path = await this.getSdkBinaryPath('adb');
return this.adb;
};
/**
* Get the full path to aapt tool and assign it to
* this.binaries.aapt property
*/
methods.initAapt = async function initAapt () {
await this.getSdkBinaryPath('aapt');
};
/**
* Get the full path to aapt2 tool and assign it to
* this.binaries.aapt2 property
*/
methods.initAapt2 = async function initAapt2 () {
await this.getSdkBinaryPath('aapt2');
};
/**
* Get the full path to zipalign tool and assign it to
* this.binaries.zipalign property
*/
methods.initZipAlign = async function initZipAlign () {
await this.getSdkBinaryPath('zipalign');
};
/**
* Get the full path to bundletool binary and assign it to
* this.binaries.bundletool property
*/
methods.initBundletool = async function initBundletool () {
try {
this.binaries.bundletool = await fs.which('bundletool.jar');
} catch (err) {
throw new Error('bundletool.jar binary is expected to be present in PATH. ' +
'Visit https://github.com/google/bundletool for more details.');
}
};
/**
* Retrieve the API level of the device under test.
*
* @return {number} The API level as integer number, for example 21 for
* Android Lollipop. The result of this method is cached, so all the further
* calls return the same value as the first one.
*/
methods.getApiLevel = async function getApiLevel () {
if (!_.isInteger(this._apiLevel)) {
try {
const strOutput = await this.getDeviceProperty('ro.build.version.sdk');
let apiLevel = parseInt(strOutput.trim(), 10);
// Workaround for preview/beta platform API level
const charCodeQ = 'q'.charCodeAt(0);
// 28 is the first API Level, where Android SDK started returning letters in response to getPlatformVersion
const apiLevelDiff = apiLevel - 28;
const codename = String.fromCharCode(charCodeQ + apiLevelDiff);
if (apiLevelDiff >= 0 && (await this.getPlatformVersion()).toLowerCase() === codename) {
log.debug(`Release version is ${codename.toUpperCase()} but found API Level ${apiLevel}. Setting API Level to ${apiLevel + 1}`);
apiLevel++;
}
this._apiLevel = apiLevel;
log.debug(`Device API level: ${this._apiLevel}`);
if (isNaN(this._apiLevel)) {
throw new Error(`The actual output '${strOutput}' cannot be converted to an integer`);
}
} catch (e) {
throw new Error(`Error getting device API level. Original error: ${e.message}`);
}
}
return this._apiLevel;
};
/**
* Retrieve the platform version of the device under test.
*
* @return {string} The platform version as a string, for example '5.0' for
* Android Lollipop.
*/
methods.getPlatformVersion = async function getPlatformVersion () {
log.info('Getting device platform version');
try {
return await this.getDeviceProperty('ro.build.version.release');
} catch (e) {
throw new Error(`Error getting device platform version. Original error: ${e.message}`);
}
};
/**
* Verify whether a device is connected.
*
* @return {boolean} True if at least one device is visible to adb.
*/
methods.isDeviceConnected = async function isDeviceConnected () {
let devices = await this.getConnectedDevices();
return devices.length > 0;
};
/**
* Recursively create a new folder on the device under test.
*
* @param {string} remotePath - The new path to be created.
* @return {string} mkdir command output.
*/
methods.mkdir = async function mkdir (remotePath) {
return await this.shell(['mkdir', '-p', remotePath]);
};
/**
* Verify whether the given argument is a
* valid class name.
*
* @param {string} classString - The actual class name to be verified.
* @return {?Array.<Match>} The result of Regexp.exec operation
* or _null_ if no matches are found.
*/
methods.isValidClass = function isValidClass (classString) {
// some.package/some.package.Activity
return new RegExp(/^[a-zA-Z0-9./_]+$/).exec(classString);
};
/**
* Force application to stop on the device under test.
*
* @param {string} pkg - The package name to be stopped.
* @return {string} The output of the corresponding adb command.
*/
methods.forceStop = async function forceStop (pkg) {
return await this.shell(['am', 'force-stop', pkg]);
};
/*
* Kill application
*
* @param {string} pkg - The package name to be stopped.
* @return {string} The output of the corresponding adb command.
*/
methods.killPackage = async function killPackage (pkg) {
return await this.shell(['am', 'kill', pkg]);
};
/**
* Clear the user data of the particular application on the device
* under test.
*
* @param {string} pkg - The package name to be cleared.
* @return {string} The output of the corresponding adb command.
*/
methods.clear = async function clear (pkg) {
return await this.shell(['pm', 'clear', pkg]);
};
/**
* Grant all permissions requested by the particular package.
* This method is only useful on Android 6.0+ and for applications
* that support components-based permissions setting.
*
* @param {string} pkg - The package name to be processed.
* @param {string} apk - The path to the actual apk file.
* @throws {Error} If there was an error while granting permissions
*/
methods.grantAllPermissions = async function grantAllPermissions (pkg, apk) {
const apiLevel = await this.getApiLevel();
let targetSdk = 0;
let dumpsysOutput = null;
try {
if (!apk) {
/**
* If apk not provided, considering apk already installed on the device
* and fetching targetSdk using package name.
*/
dumpsysOutput = await this.shell(['dumpsys', 'package', pkg]);
targetSdk = await this.targetSdkVersionUsingPKG(pkg, dumpsysOutput);
} else {
targetSdk = await this.targetSdkVersionFromManifest(apk);
}
} catch (e) {
//avoiding logging error stack, as calling library function would have logged
log.warn(`Ran into problem getting target SDK version; ignoring...`);
}
if (apiLevel >= 23 && targetSdk >= 23) {
/**
* If the device is running Android 6.0(API 23) or higher, and your app's target SDK is 23 or higher:
* The app has to list the permissions in the manifest.
* refer: https://developer.android.com/training/permissions/requesting.html
*/
dumpsysOutput = dumpsysOutput || await this.shell(['dumpsys', 'package', pkg]);
const requestedPermissions = await this.getReqPermissions(pkg, dumpsysOutput);
const grantedPermissions = await this.getGrantedPermissions(pkg, dumpsysOutput);
const permissionsToGrant = _.difference(requestedPermissions, grantedPermissions);
if (_.isEmpty(permissionsToGrant)) {
log.info(`${pkg} contains no permissions available for granting`);
} else {
await this.grantPermissions(pkg, permissionsToGrant);
}
}
};
/**
* Grant multiple permissions for the particular package.
* This call is more performant than `grantPermission` one, since it combines
* multiple `adb shell` calls into a single command.
*
* @param {string} pkg - The package name to be processed.
* @param {Array<string>} permissions - The list of permissions to be granted.
* @throws {Error} If there was an error while changing permissions.
*/
methods.grantPermissions = async function grantPermissions (pkg, permissions) {
// As it consumes more time for granting each permission,
// trying to grant all permission by forming equivalent command.
// Also, it is necessary to split long commands into chunks, since the maximum length of
// adb shell buffer is limited
log.debug(`Granting permissions ${JSON.stringify(permissions)} to '${pkg}'`);
const commands = [];
let cmdChunk = [];
for (const permission of permissions) {
const nextCmd = ['pm', 'grant', pkg, permission, ';'];
if (nextCmd.join(' ').length + cmdChunk.join(' ').length >= MAX_SHELL_BUFFER_LENGTH) {
commands.push(cmdChunk);
cmdChunk = [];
}
cmdChunk = [...cmdChunk, ...nextCmd];
}
if (!_.isEmpty(cmdChunk)) {
commands.push(cmdChunk);
}
log.debug(`Got the following command chunks to execute: ${JSON.stringify(commands)}`);
let lastError = null;
for (const cmd of commands) {
try {
await this.shell(cmd);
} catch (e) {
// this is to give the method a chance to assign all the requested permissions
// before to quit in case we'd like to ignore the error on the higher level
if (!IGNORED_PERM_ERRORS.some((msgRegex) => msgRegex.test(e.stderr || e.message))) {
lastError = e;
}
}
}
if (lastError) {
throw lastError;
}
};
/**
* Grant single permission for the particular package.
*
* @param {string} pkg - The package name to be processed.
* @param {string} permission - The full name of the permission to be granted.
* @throws {Error} If there was an error while changing permissions.
*/
methods.grantPermission = async function grantPermission (pkg, permission) {
try {
await this.shell(['pm', 'grant', pkg, permission]);
} catch (e) {
if (!NOT_CHANGEABLE_PERM_ERROR.test(e.stderr || e.message)) {
throw e;
}
}
};
/**
* Revoke single permission from the particular package.
*
* @param {string} pkg - The package name to be processed.
* @param {string} permission - The full name of the permission to be revoked.
* @throws {Error} If there was an error while changing permissions.
*/
methods.revokePermission = async function revokePermission (pkg, permission) {
try {
await this.shell(['pm', 'revoke', pkg, permission]);
} catch (e) {
if (!NOT_CHANGEABLE_PERM_ERROR.test(e.stderr || e.message)) {
throw e;
}
}
};
/**
* Retrieve the list of granted permissions for the particular package.
*
* @param {string} pkg - The package name to be processed.
* @param {string} cmdOutput [null] - Optional parameter containing command output of
* _dumpsys package_ command. It may speed up the method execution.
* @return {Array<String>} The list of granted permissions or an empty list.
* @throws {Error} If there was an error while changing permissions.
*/
methods.getGrantedPermissions = async function getGrantedPermissions (pkg, cmdOutput = null) {
log.debug('Retrieving granted permissions');
const stdout = cmdOutput || await this.shell(['dumpsys', 'package', pkg]);
return extractMatchingPermissions(stdout, ['install', 'runtime'], true);
};
/**
* Retrieve the list of denied permissions for the particular package.
*
* @param {string} pkg - The package name to be processed.
* @param {string} cmdOutput [null] - Optional parameter containing command output of
* _dumpsys package_ command. It may speed up the method execution.
* @return {Array<String>} The list of denied permissions or an empty list.
*/
methods.getDeniedPermissions = async function getDeniedPermissions (pkg, cmdOutput = null) {
log.debug('Retrieving denied permissions');
const stdout = cmdOutput || await this.shell(['dumpsys', 'package', pkg]);
return extractMatchingPermissions(stdout, ['install', 'runtime'], false);
};
/**
* Retrieve the list of requested permissions for the particular package.
*
* @param {string} pkg - The package name to be processed.
* @param {string} cmdOutput [null] - Optional parameter containing command output of
* _dumpsys package_ command. It may speed up the method execution.
* @return {Array<String>} The list of requested permissions or an empty list.
*/
methods.getReqPermissions = async function getReqPermissions (pkg, cmdOutput = null) {
log.debug('Retrieving requested permissions');
const stdout = cmdOutput || await this.shell(['dumpsys', 'package', pkg]);
return extractMatchingPermissions(stdout, ['requested']);
};
/**
* Retrieve the list of location providers for the device under test.
*
* @return {Array.<String>} The list of available location providers or an empty list.
*/
methods.getLocationProviders = async function getLocationProviders () {
let stdout = await this.getSetting('secure', 'location_providers_allowed');
return stdout.trim().split(',')
.map((p) => p.trim())
.filter(Boolean);
};
/**
* Toggle the state of GPS location provider.
*
* @param {boolean} enabled - Whether to enable (true) or disable (false) the GPS provider.
*/
methods.toggleGPSLocationProvider = async function toggleGPSLocationProvider (enabled) {
await this.setSetting('secure', 'location_providers_allowed', `${enabled ? '+' : '-'}gps`);
};
/**
* Set hidden api policy to manage access to non-SDK APIs.
* https://developer.android.com/preview/restrictions-non-sdk-interfaces
*
* @param {number|string} value - The API enforcement policy.
* For Android P
* 0: Disable non-SDK API usage detection. This will also disable logging, and also break the strict mode API,
* detectNonSdkApiUsage(). Not recommended.
* 1: "Just warn" - permit access to all non-SDK APIs, but keep warnings in the log.
* The strict mode API will keep working.
* 2: Disallow usage of dark grey and black listed APIs.
* 3: Disallow usage of blacklisted APIs, but allow usage of dark grey listed APIs.
*
* For Android Q
* https://developer.android.com/preview/non-sdk-q#enable-non-sdk-access
* 0: Disable all detection of non-SDK interfaces. Using this setting disables all log messages for non-SDK interface usage
* and prevents you from testing your app using the StrictMode API. This setting is not recommended.
* 1: Enable access to all non-SDK interfaces, but print log messages with warnings for any non-SDK interface usage.
* Using this setting also allows you to test your app using the StrictMode API.
* 2: Disallow usage of non-SDK interfaces that belong to either the black list
* or to a restricted greylist for your target API level.
*
* @param {boolean} ignoreError [false] Whether to ignore an exception in 'adb shell settings put global' command
* @throws {error} If there was an error and ignoreError was true while executing 'adb shell settings put global'
* command on the device under test.
*/
methods.setHiddenApiPolicy = async function setHiddenApiPolicy (value, ignoreError = false) {
try {
await this.shell(HIDDEN_API_POLICY_KEYS.map((k) => `settings put global ${k} ${value}`).join(';'));
} catch (e) {
if (!ignoreError) {
throw e;
}
log.info(`Failed to set setting keys '${HIDDEN_API_POLICY_KEYS}' to '${value}'. Original error: ${e.message}`);
}
};
/**
* Reset access to non-SDK APIs to its default setting.
* https://developer.android.com/preview/restrictions-non-sdk-interfaces
*
* @param {boolean} ignoreError [false] Whether to ignore an exception in 'adb shell settings delete global' command
* @throws {error} If there was an error and ignoreError was true while executing 'adb shell settings delete global'
* command on the device under test.
*/
methods.setDefaultHiddenApiPolicy = async function setDefaultHiddenApiPolicy (ignoreError = false) {
try {
await this.shell(HIDDEN_API_POLICY_KEYS.map((k) => `settings delete global ${k}`).join(';'));
} catch (e) {
if (!ignoreError) {
throw e;
}
log.info(`Failed to delete keys '${HIDDEN_API_POLICY_KEYS}'. Original error: ${e.message}`);
}
};
/**
* Stop the particular package if it is running and clears its application data.
*
* @param {string} pkg - The package name to be processed.
*/
methods.stopAndClear = async function stopAndClear (pkg) {
try {
await this.forceStop(pkg);
await this.clear(pkg);
} catch (e) {
throw new Error(`Cannot stop and clear ${pkg}. Original error: ${e.message}`);
}
};
/**
* Retrieve the list of available input methods (IMEs) for the device under test.
*
* @return {Array.<String>} The list of IME names or an empty list.
*/
methods.availableIMEs = async function availableIMEs () {
try {
return getIMEListFromOutput(await this.shell(['ime', 'list', '-a']));
} catch (e) {
throw new Error(`Error getting available IME's. Original error: ${e.message}`);
}
};
/**
* Retrieve the list of enabled input methods (IMEs) for the device under test.
*
* @return {Array.<String>} The list of enabled IME names or an empty list.
*/
methods.enabledIMEs = async function enabledIMEs () {
try {
return getIMEListFromOutput(await this.shell(['ime', 'list']));
} catch (e) {
throw new Error(`Error getting enabled IME's. Original error: ${e.message}`);
}
};
/**
* Enable the particular input method on the device under test.
*
* @param {string} imeId - One of existing IME ids.
*/
methods.enableIME = async function enableIME (imeId) {
await this.shell(['ime', 'enable', imeId]);
};
/**
* Disable the particular input method on the device under test.
*
* @param {string} imeId - One of existing IME ids.
*/
methods.disableIME = async function disableIME (imeId) {
await this.shell(['ime', 'disable', imeId]);
};
/**
* Set the particular input method on the device under test.
*
* @param {string} imeId - One of existing IME ids.
*/
methods.setIME = async function setIME (imeId) {
await this.shell(['ime', 'set', imeId]);
};
/**
* Get the default input method on the device under test.
*
* @return {?string} The name of the default input method
*/
methods.defaultIME = async function defaultIME () {
try {
let engine = await this.getSetting('secure', 'default_input_method');
if (engine === 'null') {
return null;
}
return engine.trim();
} catch (e) {
throw new Error(`Error getting default IME. Original error: ${e.message}`);
}
};
/**
* Send the particular keycode to the device under test.
*
* @param {string|number} keycode - The actual key code to be sent.
*/
methods.keyevent = async function keyevent (keycode) {
// keycode must be an int.
let code = parseInt(keycode, 10);
await this.shell(['input', 'keyevent', code]);
};
/**
* Send the particular text to the device under test.
*
* @param {string} text - The actual text to be sent.
*/
methods.inputText = async function inputText (text) {
/* eslint-disable no-useless-escape */
// need to escape whitespace and ( ) < > | ; & * \ ~ " '
text = text
.replace(/\\/g, '\\\\')
.replace(/\(/g, '\(')
.replace(/\)/g, '\)')
.replace(/</g, '\<')
.replace(/>/g, '\>')
.replace(/\|/g, '\|')
.replace(/;/g, '\;')
.replace(/&/g, '\&')
.replace(/\*/g, '\*')
.replace(/~/g, '\~')
.replace(/"/g, '\"')
.replace(/'/g, "\'")
.replace(/ /g, '%s');
/* eslint-disable no-useless-escape */
await this.shell(['input', 'text', text]);
};
/**
* Clear the active text field on the device under test by sending
* special keyevents to it.
*
* @param {number} length [100] - The maximum length of the text in the field to be cleared.
*/
methods.clearTextField = async function clearTextField (length = 100) {
// assumes that the EditText field already has focus
log.debug(`Clearing up to ${length} characters`);
if (length === 0) {
return;
}
let args = ['input', 'keyevent'];
for (let i = 0; i < length; i++) {
// we cannot know where the cursor is in the text field, so delete both before
// and after so that we get rid of everything
// https://developer.android.com/reference/android/view/KeyEvent.html#KEYCODE_DEL
// https://developer.android.com/reference/android/view/KeyEvent.html#KEYCODE_FORWARD_DEL
args.push('67', '112');
}
await this.shell(args);
};
/**
* Send the special keycode to the device under test in order to lock it.
*/
methods.lock = async function lock () {
if (await this.isScreenLocked()) {
log.debug('Screen is already locked. Doing nothing.');
return;
}
log.debug('Pressing the KEYCODE_POWER button to lock screen');
await this.keyevent(26);
const timeoutMs = 5000;
try {
await waitForCondition(async () => await this.isScreenLocked(), {
waitMs: timeoutMs,
intervalMs: 500,
});
} catch (e) {
throw new Error(`The device screen is still locked after ${timeoutMs}ms timeout`);
}
};
/**
* Send the special keycode to the device under test in order to emulate
* Back button tap.
*/
methods.back = async function back () {
log.debug('Pressing the BACK button');
await this.keyevent(4);
};
/**
* Send the special keycode to the device under test in order to emulate
* Home button tap.
*/
methods.goToHome = async function goToHome () {
log.debug('Pressing the HOME button');
await this.keyevent(3);
};
/**
* @return {string} the actual path to adb executable.
*/
methods.getAdbPath = function getAdbPath () {
return this.executable.path;
};
/**
* Retrieve current screen orientation of the device under test.
*
* @return {number} The current orientation encoded as an integer number.
*/
methods.getScreenOrientation = async function getScreenOrientation () {
let stdout = await this.shell(['dumpsys', 'input']);
return getSurfaceOrientation(stdout);
};
/**
* Retrieve the screen lock state of the device under test.
*
* @return {boolean} True if the device is locked.
*/
methods.isScreenLocked = async function isScreenLocked () {
let stdout = await this.shell(['dumpsys', 'window']);
if (process.env.APPIUM_LOG_DUMPSYS) {
// optional debugging
// if the method is not working, turn it on and send us the output
let dumpsysFile = path.resolve(process.cwd(), 'dumpsys.log');
log.debug(`Writing dumpsys output to ${dumpsysFile}`);
await fs.writeFile(dumpsysFile, stdout);
}
return (isShowingLockscreen(stdout) || isCurrentFocusOnKeyguard(stdout) ||
!isScreenOnFully(stdout));
};
/**
* @typedef {Object} KeyboardState
* @property {boolean} isKeyboardShown - Whether soft keyboard is currently visible.
* @property {boolean} canCloseKeyboard - Whether the keyboard can be closed.
*/
/**
* Retrieve the state of the software keyboard on the device under test.
*
* @return {KeyboardState} The keyboard state.
*/
methods.isSoftKeyboardPresent = async function isSoftKeyboardPresent () {
try {
const stdout = await this.shell(['dumpsys', 'input_method']);
const inputShownMatch = /mInputShown=(\w+)/.exec(stdout);
const inputViewShownMatch = /mIsInputViewShown=(\w+)/.exec(stdout);
return {
isKeyboardShown: !!(inputShownMatch && inputShownMatch[1] === 'true'),
canCloseKeyboard: !!(inputViewShownMatch && inputViewShownMatch[1] === 'true'),
};
} catch (e) {
throw new Error(`Error finding softkeyboard. Original error: ${e.message}`);
}
};
/**
* Send an arbitrary Telnet command to the device under test.
*
* @param {string} command - The command to be sent.
*
* @return {string} The actual output of the given command.
*/
methods.sendTelnetCommand = async function sendTelnetCommand (command) {
log.debug(`Sending telnet command to device: ${command}`);
let port = await this.getEmulatorPort();
return await new B((resolve, reject) => {
let conn = net.createConnection(port, 'localhost'),
connected = false,
readyRegex = /^OK$/m,
dataStream = '',
res = null;
conn.on('connect', () => {
log.debug('Socket connection to device created');
});
conn.on('data', (data) => {
data = data.toString('utf8');
if (!connected) {
if (readyRegex.test(data)) {
connected = true;
log.debug('Socket connection to device ready');
conn.write(`${command}\n`);
}
} else {
dataStream += data;
if (readyRegex.test(data)) {
res = dataStream.replace(readyRegex, '').trim();
res = _.last(res.trim().split('\n'));
log.debug(`Telnet command got response: ${res}`);
conn.write('quit\n');
}
}
});
conn.on('error', (err) => { // eslint-disable-line promise/prefer-await-to-callbacks
log.debug(`Telnet command error: ${err.message}`);
reject(err);
});
conn.on('close', () => {
if (res === null) {
reject(new Error('Never got a response from command'));
} else {
resolve(res);
}
});
});
};
/**
* Check the state of Airplane mode on the device under test.
*
* @return {boolean} True if Airplane mode is enabled.
*/
methods.isAirplaneModeOn = async function isAirplaneModeOn () {
let stdout = await this.getSetting('global', 'airplane_mode_on');
return parseInt(stdout, 10) !== 0;
};
/**
* Change the state of Airplane mode in Settings on the device under test.
*
* @param {boolean} on - True to enable the Airplane mode in Settings and false to disable it.
*/
methods.setAirplaneMode = async function setAirplaneMode (on) {
await this.setSetting('global', 'airplane_mode_on', on ? 1 : 0);
};
/**
* Broadcast the state of Airplane mode on the device under test.
* This method should be called after {@link #setAirplaneMode}, otherwise
* the mode change is not going to be applied for the device.
*
* @param {boolean} on - True to broadcast enable and false to broadcast disable.
*/
methods.broadcastAirplaneMode = async function broadcastAirplaneMode (on) {
await this.shell([
'am', 'broadcast',
'-a', 'android.intent.action.AIRPLANE_MODE',
'--ez', 'state', on ? 'true' : 'false'
]);
};
/**
* Check the state of WiFi on the device under test.
*
* @return {boolean} True if WiFi is enabled.
*/
methods.isWifiOn = async function isWifiOn () {
let stdout = await this.getSetting('global', 'wifi_on');
return (parseInt(stdout, 10) !== 0);
};
/**
* Check the state of Data transfer on the device under test.
*
* @return {boolean} True if Data transfer is enabled.
*/
methods.isDataOn = async function isDataOn () {
let stdout = await this.getSetting('global', 'mobile_data');
return (parseInt(stdout, 10) !== 0);
};
/**
* Change the state of WiFi and/or Data transfer on the device under test.
*
* @param {boolean} wifi - True to enable and false to disable WiFi.
* @param {boolean} data - True to enable and false to disable Data transfer.
* @param {boolean} isEmulator [false] - Set it to true if the device under test
* is an emulator rather than a real device.
*/
methods.setWifiAndData = async function setWifiAndData ({wifi, data}, isEmulator = false) {
if (util.hasValue(wifi)) {
await this.setWifiState(wifi, isEmulator);
}
if (util.hasValue(data)) {
await this.setDataState(data, isEmulator);
}
};
/**
* Check the state of animation on the device under test.
*
* @return {boolean} True if at least one of animation scale settings
* is not equal to '0.0'.
*/
methods.isAnimationOn = async function isAnimationOn () {
let animator_duration_scale = await this.getSetting('global', 'animator_duration_scale');
let transition_animation_scale = await this.getSetting('global', 'transition_animation_scale');
let window_animation_scale = await this.getSetting('global', 'window_animation_scale');
return _.some([animator_duration_scale, transition_animation_scale, window_animation_scale],
(setting) => setting !== '0.0');
};
/**
* Forcefully recursively remove a path on the device under test.
* Be careful while calling this method.
*
* @param {string} path - The path to be removed recursively.
*/
methods.rimraf = async function rimraf (path) {
await this.shell(['rm', '-rf', path]);
};
/**
* Send a file to the device under test.
*
* @param {string} localPath - The path to the file on the local file system.
* @param {string} remotePath - The destination path on the remote device.
* @param {object} opts - Additional options mapping. See
* https://github.com/appium/node-teen_process,
* _exec_ method options, for more information about available
* options.
*/
methods.push = async function push (localPath, remotePath, opts) {
await this.mkdir(path.posix.dirname(remotePath));
await this.adbExec(['push', localPath, remotePath], opts);
};
/**
* Receive a file from the device under test.
*
* @param {string} remotePath - The source path on the remote device.
* @param {string} localPath - The destination path to the file on the local file system.
*/
methods.pull = async function pull (remotePath, localPath) {
// pull folder can take more time, increasing time out to 60 secs
await this.adbExec(['pull', remotePath, localPath], {timeout: 60000});
};
/**
* Check whether the process with the particular name is running on the device
* under test.
*
* @param {string} processName - The name of the process to be checked.
* @return {boolean} True if the given process is running.
* @throws {Error} If the given process name is not a valid class name.
*/
methods.processExists = async function processExists (processName) {
return !_.isEmpty(await this.getPIDsByName(processName));
};
/**
* Get TCP port forwarding with adb on the device under test.
* @return {Array.<String>} The output of the corresponding adb command. An array contains each forwarding line of output
*/
methods.getForwardList = async function getForwardList () {
log.debug(`List forwarding ports`);
const connections = await this.adbExec(['forward', '--list']);
return connections.split(EOL).filter((line) => Boolean(line.trim()));
};
/**
* Setup TCP port forwarding with adb on the device under test.
*
* @param {string|number} systemPort - The number of the local system port.
* @param {string|number} devicePort - The number of the remote device port.
*/
methods.forwardPort = async function forwardPort (systemPort, devicePort) {
log.debug(`Forwarding system: ${systemPort} to device: ${devicePort}`);
await this.adbExec(['forward', `tcp:${systemPort}`, `tcp:${devicePort}`]);
};
/**
* Remove TCP port forwarding with adb on the device under test. The forwarding
* for the given port should be setup with {@link #forwardPort} first.
*
* @param {string|number} systemPort - The number of the local system port
* to remove forwarding on.
*/
methods.removePortForward = async function removePortForward (systemPort) {
log.debug(`Removing forwarded port socket connection: ${systemPort} `);
await this.adbExec(['forward', `--remove`, `tcp:${systemPort}`]);
};
/**
* Get TCP port forwarding with adb on the device under test.
* @return {Array.<String>} The output of the corresponding adb command. An array contains each forwarding line of output
*/
methods.getReverseList = async function getReverseList () {
log.debug(`List reverse forwarding ports`);
const connections = await this.adbExec(['reverse', '--list']);
return connections.split(EOL).filter((line) => Boolean(line.trim()));
};
/**
* Setup TCP port forwarding with adb on the device under test.
* Only available for API 21+.
*
* @param {string|number} devicePort - The number of the remote device port.
* @param {string|number} systemPort - The number of the local system port.
*/
methods.reversePort = async function reversePort (devicePort, systemPort) {
log.debug(`Forwarding device: ${devicePort} to system: ${systemPort}`);
await this.adbExec(['reverse', `tcp:${devicePort}`, `tcp:${systemPort}`]);
};
/**
* Remove TCP port forwarding with adb on the device under test. The forwarding
* for the given port should be setup with {@link #forwardPort} first.
*
* @param {string|number} devicePort - The number of the remote device port
* to remove forwarding on.
*/
methods.removePortReverse = async function removePortReverse (devicePort) {
log.debug(`Removing reverse forwarded port socket connection: ${devicePort} `);
await this.adbExec(['reverse', `--remove`, `tcp:${devicePort}`]);
};
/**
* Setup TCP port forwarding with adb on the device under test. The difference
* between {@link #forwardPort} is that this method does setup for an abstract
* local port.
*
* @param {string|number} systemPort - The number of the local system port.
* @param {string|number} devicePort - The number of the remote device port.
*/
methods.forwardAbstractPort = async function forwardAbstractPort (systemPort, devicePort) {
log.debug(`Forwarding system: ${systemPort} to abstract device: ${devicePort}`);
await this.adbExec(['forward', `tcp:${systemPort}`, `localabstract:${devicePort}`]);
};
/**
* Execute ping shell command on the device under test.
*
* @return {boolean} True if the command output contains 'ping' substring.
* @throws {error} If there was an error while executing 'ping' command on the
* device under test.
*/
methods.ping = async function ping () {
let stdout = await this.shell(['echo', 'ping']);
if (stdout.indexOf('ping') === 0) {
return true;
}
throw new Error(`ADB ping failed, returned ${stdout}`);
};
/**
* Restart the device under test using adb commands.
*
* @throws {error} If start fails.
*/
methods.restart = async function restart () {
try {
await this.stopLogcat();
await this.restartAdb();
await this.waitForDevice(60);
await this.startLogcat();
} catch (e) {
throw new Error(`Restart failed. Original error: ${e.message}`);
}
};
/**
* Start the logcat process to gather logs.
*
* @throws {error} If restart fails.
*/
methods.startLogcat = async function startLogcat () {
if (!_.isEmpty(this.logcat)) {
throw new Error("Trying to start logcat capture but it's already started!");
}
this.logcat = new Logcat({
adb: this.executable,
debug: false,
debugTrace: false,
clearDeviceLogsOnStart: !!this.clearDeviceLogsOnStart,
});
await this.logcat.startCapture();
};
/**
* Stop the active logcat process which gathers logs.
* The call will be ignored if no logcat process is running.
*/
methods.stopLogcat = async function stopLogcat () {
if (_.isEmpty(this.logcat)) {
return;
}
try {
await this.logcat.stopCapture();
} finally {
this.logcat = null;
}
};
/**
* Retrieve the output from the currently running logcat process.
* The logcat process should be executed by {2link #startLogcat} method.
*
* @return {string} The collected logcat output.
* @throws {Error} If logcat process is not running.
*/
methods.getLogcatLogs = function getLogcatLogs () {
if (_.isEmpty(this.logcat)) {
throw new Error("Can't get logcat logs since logcat hasn't started");
}
return this.logcat.getLogs();
};
/**
* Set the callback for the logcat output event.
*
* @param {Function} listener - The listener function, which accepts one argument. The argument is
* a log record object with `timestamp`, `level` and `message` properties.
* @throws {Error} If logcat process is not running.
*/
methods.setLogcatListener = function setLogcatListener (listener) {
if (_.isEmpty(this.logcat)) {
throw new Error("Logcat process hasn't been started");
}
this.logcat.on('output', listener);
};
/**
* Removes the previously set callback for the logcat output event.
*
* @param {Function} listener - The listener function, which has been previously
* passed to `setLogcatListener`
* @throws {Error} If logcat process is not running.
*/
methods.removeLogcatListener = function removeLogcatListener (listener) {
if (_.isEmpty(this.logcat)) {
throw new Error("Logcat process hasn't been started");
}
this.logcat.removeListener('output', listener);
};
/**
* Get the list of process ids for the particular process on the device under test.
*
* @param {string} name - The part of process name.
* @return {Array.<number>} The list of matched process IDs or an empty list.
* @throws {Error} If the passed process name is not a valid one
*/
methods.getPIDsByName = async function getPIDsByName (name) {
log.debug(`Getting IDs of all '${name}' processes`);
if (!this.isValidClass(name)) {
throw new Error(`Invalid process name: '${name}'`);
}
// https://github.com/appium/appium/issues/13567
if (await this.getApiLevel() >= 23) {
if (!_.isBoolean(this._isPgrepAvailable)) {
// pgrep is in priority, since pidof has been reported of having bugs on some platforms
const pgrepOutput = _.trim(await this.shell(['pgrep --help; echo $?']));
this._isPgrepAvailable = parseInt(_.last(pgrepOutput.split(/\s+/)), 10) === 0;
if (this._isPgrepAvailable) {
this._canPgrepUseFullCmdLineSearch = /^-f\b/m.test(pgrepOutput);
} else {
this._isPidofAvailable = parseInt(await this.shell(['pidof --help > /dev/null; echo $?']), 10) === 0;
}
}
if (this._isPgrepAvailable || this._isPidofAvailable) {
const shellCommand = this._isPgrepAvailable
? (this._canPgrepUseFullCmdLineSearch
? ['pgrep', '-f', _.escapeRegExp(name)]
// https://github.com/appium/appium/issues/13872
: [`pgrep ^${_.escapeRegExp(name.slice(-MAX_PGREP_PATTERN_LEN))}$ || pgrep ^${_.escapeRegExp(name.slice(0, MAX_PGREP_PATTERN_LEN))}$`])
: ['pidof', name];
try {
return (await this.shell(shellCommand))
.split(/\s+/)
.map((x) => parseInt(x, 10))
.filter((x) => _.isInteger(x));
} catch (e) {
// error code 1 is returned if the utility did not find any processes
// with the given name
if (e.code === 1) {
return [];
}
throw new Error(`Could not extract process ID of '${name}': ${e.message}`);
}
}
}
log.debug('Using ps-based PID detection');
const pidColumnTitle = 'PID';
const processNameColumnTitle = 'NAME';
const stdout = await this.shell(['ps']);
const titleMatch = new RegExp(`^(.*\\b${pidColumnTitle}\\b.*\\b${processNameColumnTitle}\\b.*)$`, 'm').exec(stdout);
if (!titleMatch) {
throw new Error(`Could not extract PID of '${name}' from ps output: ${stdout}`);
}
const allTitles = titleMatch[1].trim().split(/\s+/);
const pidIndex = allTitles.indexOf(pidColumnTitle);
const pids = [];
const processNameRegex = new RegExp(`^(.*\\b\\d+\\b.*\\b${_.escapeRegExp(name)}\\b.*)$`, 'gm');
let matchedLine;
while ((matchedLine = processNameRegex.exec(stdout))) {
const items = matchedLine[1].trim().split(/\s+/);
if (pidIndex >= allTitles.length || isNaN(items[pidIndex])) {
throw new Error(`Could not extract PID of '${name}' from '${matchedLine[1].trim()}'. ps output: ${stdout}`);
}
pids.push(parseInt(items[pidIndex], 10));
}
return pids;
};
/**
* Get the list of process ids for the particular process on the device under test.
*
* @param {string} name - The part of process name.
* @return {Array.<number>} The list of matched process IDs or an empty list.
*/
methods.killProcessesByName = async function killProcessesByName (name) {
try {
log.debug(`Attempting to kill all ${name} processes`);
let pids = await this.getPIDsByName(name);
if (_.isEmpty(pids)) {
log.info(`No '${name}' process has been found`);
return;
}
for (let pid of pids) {
await this.killProcessByPID(pid);
}
} catch (e) {
throw new Error(`Unable to kill ${name} processes. Original error: ${e.message}`);
}
};
/**
* Kill the particular process on the device under test.
* The current user is automatically switched to root if necessary in order
* to properly kill the process.
*
* @param {string|number} pid - The ID of the process to be killed.
* @return {string} Kill command's stdout or stderr if there was no such process.
* @throws {Error} If the process cannot be killed.
*/
methods.killProcessByPID = async function killProcessByPID (pid) {
log.debug(`Attempting to kill process ${pid}`);
let wasRoot = false;
let becameRoot = false;
try {
try {
// Check if the process exists and throw an exception otherwise
await this.shell(['kill', '-0', pid]);
} catch (e) {
if (_.includes(e.stderr, 'No such process')) {
return e.stderr;
}
if (!_.includes(e.stderr, 'Operation not permitted')) {
throw e;
}
try {
wasRoot = await this.isRoot();
} catch (ign) {}
if (wasRoot) {
throw e;
}
log.info(`Cannot kill PID ${pid} due to insufficient permissions. Retrying as root`);
({isSuccessful: becameRoot} = await this.root());
try {
await this.shell(['kill', '-0', pid]);
} catch (e1) {
if (_.includes(e1.stderr, 'No such process')) {
return e1.stderr;
}
throw e1;
}
}
const timeoutMs = 1000;
let stdout;
try {
await waitForCondition(async () => {
try {
stdout = await this.shell(['kill', pid]);
return false;
} catch (e) {
// kill returns non-zero code if the process is already killed
return true;
}
}, {waitMs: timeoutMs, intervalMs: 300});
} catch (err) {
log.warn(`Cannot kill process ${pid} in ${timeoutMs} ms. Trying to force kill...`);
stdout = await this.shell(['kill', '-9', pid]);
}
return stdout;
} finally {
if (becameRoot) {
await this.unroot();
}
}
};
/**
* Broadcast process killing on the device under test.
*
* @param {string} intent - The name of the intent to broadcast to.
* @param {string} processName - The name of the killed process.
* @throws {error} If the process was not killed.
*/
methods.broadcastProcessEnd = async function broadcastProcessEnd (intent, processName) {
// start the broadcast without waiting for it to finish.
this.broadcast(intent);
// wait for the process to end
let start = Date.now();
let timeoutMs = 40000;
try {
while ((Date.now() - start) < timeoutMs) {
if (await this.processExists(processName)) {
// cool down
await sleep(400);
continue;
}
return;
}
throw new Error(`Process never died within ${timeoutMs} ms`);
} catch (e) {
throw new Error(`Unable to broadcast process end. Original error: ${e.message}`);
}
};
/**
* Broadcast a message to the given intent.
*
* @param {string} intent - The name of the intent to broadcast to.
* @throws {error} If intent name is not a valid class name.
*/
methods.broadcast = async function broadcast (intent) {
if (!this.isValidClass(intent)) {
throw new Error(`Invalid intent ${intent}`);
}
log.debug(`Broadcasting: ${intent}`);
await this.shell(['am', 'broadcast', '-a', intent]);
};
/**
* Kill Android instruments if they are currently running.
*/
methods.endAndroidCoverage = async function endAndroidCoverage () {
if (this.instrumentProc && this.instrumentProc.isRunning) {
await this.instrumentProc.stop();
}
};
/**
* Instrument the particular activity.
*
* @param {string} pkg - The name of the package to be instrumented.
* @param {string} activity - The name of the main activity in this package.
* @param {string} instrumentWith - The name of the package to instrument
* the activity with.
* @throws {error} If any exception is reported by adb shell.
*/
methods.instrument = async function instrument (pkg, activity, instrumentWith) {
if (activity[0] !== '.') {
pkg = '';
}
let pkgActivity = (pkg + activity).replace(/\.+/g, '.'); // Fix pkg..activity error
let stdout = await this.shell([
'am', 'instrument',
'-e', 'main_activity',
pkgActivity,
instrumentWith,
]);
if (stdout.indexOf('Exception') !== -1) {
throw new Error(`Unknown exception during instrumentation. Original error ${stdout.split('\n')[0]}`);
}
};
/**
* Collect Android coverage by instrumenting the particular activity.
*
* @param {string} instrumentClass - The name of the instrumentation class.
* @param {string} waitPkg - The name of the package to be instrumented.
* @param {string} waitActivity - The name of the main activity in this package.
*
* @return {promise} The promise is successfully resolved if the instrumentation starts
* without errors.
*/
methods.androidCoverage = async function androidCoverage (instrumentClass, waitPkg, waitActivity) {
if (!this.isValidClass(instrumentClass)) {
throw new Error(`Invalid class ${instrumentClass}`);
}
return await new B(async (resolve, reject) => {
let args = this.executable.defaultArgs
.concat(['shell', 'am', 'instrument', '-e', 'coverage', 'true', '-w'])
.concat([instrumentClass]);
log.debug(`Collecting coverage data with: ${[this.executable.path].concat(args).join(' ')}`);
try {
// am instrument runs for the life of the app process.
this.instrumentProc = new SubProcess(this.executable.path, args);
await this.instrumentProc.start(0);
this.instrumentProc.on('output', (stdout, stderr) => {
if (stderr) {
reject(new Error(`Failed to run instrumentation. Original error: ${stderr}`));
}
});
await this.waitForActivity(waitPkg, waitActivity);
resolve();
} catch (e) {
reject(new Error(`Android coverage failed. Original error: ${e.message}`));
}
});
};
/**
* Get the particular property of the device under test.
*
* @param {string} property - The name of the property. This name should
* be known to _adb shell getprop_ tool.
*
* @return {string} The value of the given property.
*/
methods.getDeviceProperty = async function getDeviceProperty (property) {
let stdout = await this.shell(['getprop', property]);
let val = stdout.trim();
log.debug(`Current device property '${property}': ${val}`);
return val;
};
/**
* @typedef {object} setPropOpts
* @property {boolean} privileged - Do we run setProp as a privileged command? Default true.
*/
/**
* Set the particular property of the device under test.
*
* @param {string} property - The name of the property. This name should
* be known to _adb shell setprop_ tool.
* @param {string} val - The new property value.
* @param {setPropOpts} opts
*
* @throws {error} If _setprop_ utility fails to change property value.
*/
methods.setDeviceProperty = async function setDeviceProperty (prop, val, opts = {}) {
const {privileged = true} = opts;
log.debug(`Setting device property '${prop}' to '${val}'`);
await this.shell(['setprop', prop, val], {
privileged,
});
};
/**
* @return {string} Current system language on the device under test.
*/
methods.getDeviceSysLanguage = async function getDeviceSysLanguage () {
return await this.getDeviceProperty('persist.sys.language');
};
/**
* @return {string} Current country name on the device under test.
*/
methods.getDeviceSysCountry = async function getDeviceSysCountry () {
return await this.getDeviceProperty('persist.sys.country');
};
/**
* @return {string} Current system locale name on the device under test.
*/
methods.getDeviceSysLocale = async function getDeviceSysLocale () {
return await this.getDeviceProperty('persist.sys.locale');
};
/**
* @return {string} Current product language name on the device under test.
*/
methods.getDeviceProductLanguage = async function getDeviceProductLanguage () {
return await this.getDeviceProperty('ro.product.locale.language');
};
/**
* @return {string} Current product country name on the device under test.
*/
methods.getDeviceProductCountry = async function getDeviceProductCountry () {
return await this.getDeviceProperty('ro.product.locale.region');
};
/**
* @return {string} Current product locale name on the device under test.
*/
methods.getDeviceProductLocale = async function getDeviceProductLocale () {
return await this.getDeviceProperty('ro.product.locale');
};
/**
* @return {string} The model name of the device under test.
*/
methods.getModel = async function getModel () {
return await this.getDeviceProperty('ro.product.model');
};
/**
* @return {string} The manufacturer name of the device under test.
*/
methods.getManufacturer = async function getManufacturer () {
return await this.getDeviceProperty('ro.product.manufacturer');
};
/**
* Get the current screen size.
*
* @return {string} Device screen size as string in format 'WxH' or
* _null_ if it cannot be determined.
*/
methods.getScreenSize = async function getScreenSize () {
let stdout = await this.shell(['wm', 'size']);
let size = new RegExp(/Physical size: ([^\r?\n]+)*/g).exec(stdout);
if (size && size.length >= 2) {
return size[1].trim();
}
return null;
};
/**
* Get the current screen density in dpi
*
* @return {?number} Device screen density as a number or _null_ if it
* cannot be determined
*/
methods.getScreenDensity = async function getScreenDensity () {
let stdout = await this.shell(['wm', 'density']);
let density = new RegExp(/Physical density: ([^\r?\n]+)*/g).exec(stdout);
if (density && density.length >= 2) {
let densityNumber = parseInt(density[1].trim(), 10);
return isNaN(densityNumber) ? null : densityNumber;
}
return null;
};
/**
* Setup HTTP proxy in device global settings.
* Read https://android.googlesource.com/platform/frameworks/base/+/android-9.0.0_r21/core/java/android/provider/Settings.java for each property
*
* @param {string} proxyHost - The host name of the proxy.
* @param {string|number} proxyPort - The port number to be set.
*/
methods.setHttpProxy = async function setHttpProxy (proxyHost, proxyPort) {
let proxy = `${proxyHost}:${proxyPort}`;
if (_.isUndefined(proxyHost)) {
throw new Error(`Call to setHttpProxy method with undefined proxy_host: ${proxy}`);
}
if (_.isUndefined(proxyPort)) {
throw new Error(`Call to setHttpProxy method with undefined proxy_port ${proxy}`);
}
const httpProxySettins = [
['http_proxy', proxy],
['global_http_proxy_host', proxyHost],
['global_http_proxy_port', proxyPort]
];
for (const [settingKey, settingValue] of httpProxySettins) {
await this.setSetting('global', settingKey, settingValue);
}
};
/**
* Delete HTTP proxy in device global settings.
* Rebooting the test device is necessary to apply the change.
*/
methods.deleteHttpProxy = async function deleteHttpProxy () {
const httpProxySettins = [
'http_proxy',
'global_http_proxy_host',
'global_http_proxy_port',
'global_http_proxy_exclusion_list' // `global_http_proxy_exclusion_list=` was generated by `settings global htto_proxy xxxx`
];
for (const setting of httpProxySettins) {
await this.shell(['settings', 'delete', 'global', setting]);
}
};
/**
* Set device property.
* [android.provider.Settings]{@link https://developer.android.com/reference/android/provider/Settings.html}
*
* @param {string} namespace - one of {system, secure, global}, case-insensitive.
* @param {string} setting - property name.
* @param {string|number} value - property value.
* @return {string} command output.
*/
methods.setSetting = async function setSetting (namespace, setting, value) {
return await this.shell(['settings', 'put', namespace, setting, value]);
};
/**
* Get device property.
* [android.provider.Settings]{@link https://developer.android.com/reference/android/provider/Settings.html}
*
* @param {string} namespace - one of {system, secure, global}, case-insensitive.
* @param {string} setting - property name.
* @return {string} property value.
*/
methods.getSetting = async function getSetting (namespace, setting) {
return await this.shell(['settings', 'get', namespace, setting]);
};
/**
* Retrieve the `adb bugreport` command output. This
* operation may take up to several minutes.
*
* @param {?number} timeout [120000] - Command timeout in milliseconds
* @returns {string} Command stdout
*/
methods.bugreport = async function bugreport (timeout = 120000) {
return await this.adbExec(['bugreport'], {timeout});
};
/**
* @typedef {Object} ScreenrecordOptions
* @property {?string} videoSize - The format is widthxheight.
* The default value is the device's native display resolution (if supported),
* 1280x720 if not. For best results,
* use a size supported by your device's Advanced Video Coding (AVC) encoder.
* For example, "1280x720"
* @property {?boolean} bugReport - Set it to `true` in order to display additional information on the video overlay,
* such as a timestamp, that is helpful in videos captured to illustrate bugs.
* This option is only supported since API level 27 (Android P).
* @property {?string|number} timeLimit - The maximum recording time, in seconds.
* The default (and maximum) value is 180 (3 minutes).
* @property {?string|number} bitRate - The video bit rate for the video, in megabits per second.
* The default value is 4. You can increase the bit rate to improve video quality,
* but doing so results in larger movie files.
*/
/**
* Initiate screenrecord utility on the device
*
* @param {string} destination - Full path to the writable media file destination
* on the device file system.
* @param {?ScreenrecordOptions} options [{}]
* @returns {SubProcess} screenrecord process, which can be then controlled by the client code
*/
methods.screenrecord = function screenrecord (destination, options = {}) {
const cmd = ['screenrecord'];
const {
videoSize,
bitRate,
timeLimit,
bugReport,
} = options;
if (util.hasValue(videoSize)) {
cmd.push('--size', videoSize);
}
if (util.hasValue(timeLimit)) {
cmd.push('--time-limit', timeLimit);
}
if (util.hasValue(bitRate)) {
cmd.push('--bit-rate', bitRate);
}
if (bugReport) {
cmd.push('--bugreport');
}
cmd.push(destination);
const fullCmd = [
...this.executable.defaultArgs,
'shell',
...cmd
];
log.debug(`Building screenrecord process with the command line: adb ${quote(fullCmd)}`);
return new SubProcess(this.executable.path, fullCmd);
};
/**
* Executes the given function with the given input method context
* and then restores the IME to the original value
*
* @param {string} ime - Valid IME identifier
* @param {Function} fn - Function to execute
* @returns {*} The result of the given function
*/
methods.runInImeContext = async function runInImeContext (ime, fn) {
const originalIme = await this.defaultIME();
if (originalIme === ime) {
log.debug(`The original IME is the same as '${ime}'. There is no need to reset it`);
} else {
await this.setIME(ime);
}
try {
return await fn();
} finally {
if (originalIme !== ime) {
await this.setIME(originalIme);
}
}
};
/**
* Get tz database time zone formatted timezone
*
* @returns {string} TZ database Time Zones format
*
* @throws {error} If any exception is reported by adb shell.
*/
methods.getTimeZone = async function getTimeZone () {
log.debug('Getting current timezone');
try {
return await this.getDeviceProperty('persist.sys.timezone');
} catch (e) {
throw new Error(`Error getting timezone. Original error: ${e.message}`);
}
};
/**
* Retrieves the list of features supported by the device under test
*
* @returns {Array<string>} the list of supported feature names or an empty list.
* An example adb command output:
* ```
* cmd
* ls_v2
* fixed_push_mkdir
* shell_v2
* abb
* stat_v2
* apex
* abb_exec
* remount_shell
* fixed_push_symlink_timestamp
* ```
* @throws {Error} if there was an error while retrieving the list
*/
methods.listFeatures = async function listFeatures () {
this._memoizedFeatures = this._memoizedFeatures
|| _.memoize(async () => await this.adbExec(['features']), () => this.curDeviceId);
try {
return (await this._memoizedFeatures())
.split(/\s+/)
.map((x) => x.trim())
.filter(Boolean);
} catch (e) {
if (_.includes(e.stderr, 'unknown command')) {
return [];
}
throw e;
}
};
/**
* Checks the state of streamed install feature.
* This feature allows to speed up apk installation
* since it does not require the original apk to be pushed to
* the device under test first, which also saves space.
* Although, it is required that both the device under test
* and the adb server have the mentioned functionality.
* See https://github.com/aosp-mirror/platform_system_core/blob/master/adb/client/adb_install.cpp
* for more details
*
* @returns {boolean} `true` if the feature is supported by both adb and the
* device under test
*/
methods.isStreamedInstallSupported = async function isStreamedInstallSupported () {
const proto = Object.getPrototypeOf(this);
proto._helpOutput = proto._helpOutput || await this.adbExec(['help']);
return proto._helpOutput.includes('--streaming') && (await this.listFeatures()).includes('cmd');
};
export default methods;