apk-utils.js
43.8 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
import {
buildStartCmd, APKS_EXTENSION, buildInstallArgs,
APK_INSTALL_TIMEOUT, DEFAULT_ADB_EXEC_TIMEOUT, getApkanalyzerForOs,
parseManifest, parseAaptStrings, parseAapt2Strings, formatConfigMarker } from '../helpers.js';
import { exec } from 'teen_process';
import log from '../logger.js';
import path from 'path';
import _ from 'lodash';
import { retryInterval } from 'asyncbox';
import { fs, util, mkdirp, timing } from 'appium-support';
import semver from 'semver';
import os from 'os';
import LRU from 'lru-cache';
import ApkReader from 'adbkit-apkreader';
let apkUtilsMethods = {};
const ACTIVITIES_TROUBLESHOOTING_LINK =
'https://github.com/appium/appium/blob/master/docs/en/writing-running-appium/android/activity-startup.md';
apkUtilsMethods.APP_INSTALL_STATE = {
UNKNOWN: 'unknown',
NOT_INSTALLED: 'notInstalled',
NEWER_VERSION_INSTALLED: 'newerVersionInstalled',
SAME_VERSION_INSTALLED: 'sameVersionInstalled',
OLDER_VERSION_INSTALLED: 'olderVersionInstalled',
};
const REMOTE_CACHE_ROOT = '/data/local/tmp/appium_cache';
/**
* Check whether the particular package is present on the device under test.
*
* @param {string} pkg - The name of the package to check.
* @return {boolean} True if the package is installed.
* @throws {Error} If there was an error while detecting application state
*/
apkUtilsMethods.isAppInstalled = async function isAppInstalled (pkg) {
log.debug(`Getting install status for ${pkg}`);
const installedPattern = new RegExp(`^\\s*Package\\s+\\[${_.escapeRegExp(pkg)}\\][^:]+:$`, 'm');
try {
const stdout = await this.shell(['dumpsys', 'package', pkg]);
const isInstalled = installedPattern.test(stdout);
log.debug(`'${pkg}' is${!isInstalled ? ' not' : ''} installed`);
return isInstalled;
} catch (e) {
throw new Error(`Error finding if '${pkg}' is installed. Original error: ${e.message}`);
}
};
/**
* Start the particular URI on the device under test.
*
* @param {string} uri - The name of URI to start.
* @param {string} pkg - The name of the package to start the URI with.
*/
apkUtilsMethods.startUri = async function startUri (uri, pkg) {
if (!uri || !pkg) {
throw new Error('URI and package arguments are required');
}
const args = [
'am', 'start',
'-W',
'-a', 'android.intent.action.VIEW',
'-d', uri.replace(/&/g, '\\&'),
pkg,
];
try {
const res = await this.shell(args);
if (res.toLowerCase().includes('unable to resolve intent')) {
throw new Error(res);
}
} catch (e) {
throw new Error(`Error attempting to start URI. Original error: ${e}`);
}
};
/**
* @typedef {Object} StartAppOptions
* @property {!string} pkg - The name of the application package
* @property {?string} activity - The name of the main application activity.
* This or action is required in order to be able to launch an app.
* @property {?string} action - The name of the intent action that will launch the required app.
* This or activity is required in order to be able to launch an app.
* @property {?boolean} retry [true] - If this property is set to `true`
* and the activity name does not start with '.' then the method
* will try to add the missing dot and start the activity once more
* if the first startup try fails.
* @property {?boolean} stopApp [true] - Set it to `true` in order to forcefully
* stop the activity if it is already running.
* @property {?string} waitPkg - The name of the package to wait to on
* startup (this only makes sense if this name is different from the one, which is set as `pkg`)
* @property {?string} waitActivity - The name of the activity to wait to on
* startup (this only makes sense if this name is different from the one, which is set as `activity`)
* @property {?number} waitDuration - The number of milliseconds to wait until the
* `waitActivity` is focused
* @property {?string|number} user - The number of the user profile to start
* the given activity with. The default OS user profile (usually zero) is used
* when this property is unset
* @property {?boolean} waitForLaunch [true] - if `false` then adb won't wait
* for the started activity to return the control
*/
/**
* Start the particular package/activity on the device under test.
*
* @param {StartAppOptions} startAppOptions [{}] - Startup options mapping.
* @return {string} The output of the corresponding adb command.
* @throws {Error} If there is an error while executing the activity
*/
apkUtilsMethods.startApp = async function startApp (startAppOptions = {}) {
if (!startAppOptions.pkg || !(startAppOptions.activity || startAppOptions.action)) {
throw new Error('pkg, and activity or intent action, are required to start an application');
}
startAppOptions = _.clone(startAppOptions);
if (startAppOptions.activity) {
startAppOptions.activity = startAppOptions.activity.replace('$', '\\$');
}
// initializing defaults
_.defaults(startAppOptions, {
waitPkg: startAppOptions.pkg,
waitForLaunch: true,
waitActivity: false,
retry: true,
stopApp: true
});
// preventing null waitpkg
startAppOptions.waitPkg = startAppOptions.waitPkg || startAppOptions.pkg;
const apiLevel = await this.getApiLevel();
const cmd = buildStartCmd(startAppOptions, apiLevel);
const intentName = `${startAppOptions.action}${startAppOptions.optionalIntentArguments ? ' ' + startAppOptions.optionalIntentArguments : ''}`;
try {
const shellOpts = {};
if (_.isInteger(startAppOptions.waitDuration) && startAppOptions.waitDuration >= 0) {
shellOpts.timeout = startAppOptions.waitDuration;
}
const stdout = await this.shell(cmd, shellOpts);
if (stdout.includes('Error: Activity class') && stdout.includes('does not exist')) {
if (startAppOptions.retry && !startAppOptions.activity.startsWith('.')) {
log.debug(`We tried to start an activity that doesn't exist, ` +
`retrying with '.${startAppOptions.activity}' activity name`);
startAppOptions.activity = `.${startAppOptions.activity}`;
startAppOptions.retry = false;
return await this.startApp(startAppOptions);
}
throw new Error(`Activity name '${startAppOptions.activity}' used to start the app doesn't ` +
`exist or cannot be launched! Make sure it exists and is a launchable activity`);
} else if (stdout.includes('Error: Intent does not match any activities') || stdout.includes('Error: Activity not started, unable to resolve Intent')) {
throw new Error(`Activity for intent '${intentName}' used to start the app doesn't ` +
`exist or cannot be launched! Make sure it exists and is a launchable activity`);
} else if (stdout.includes('java.lang.SecurityException')) {
// if the app is disabled on a real device it will throw a security exception
throw new Error(`The permission to start '${startAppOptions.activity}' activity has been denied.` +
`Make sure the activity/package names are correct.`);
}
if (startAppOptions.waitActivity) {
await this.waitForActivity(startAppOptions.waitPkg, startAppOptions.waitActivity, startAppOptions.waitDuration);
}
return stdout;
} catch (e) {
const appDescriptor = startAppOptions.pkg || intentName;
throw new Error(`Cannot start the '${appDescriptor}' application. ` +
`Visit ${ACTIVITIES_TROUBLESHOOTING_LINK} for troubleshooting. ` +
`Original error: ${e.message}`);
}
};
/**
* Helper method to call `adb dumpsys window windows/displays`
*/
apkUtilsMethods.dumpWindows = async function dumpWindows () {
const apiLevel = await this.getApiLevel();
// With version 29, Android changed the dumpsys syntax
const dumpsysArg = apiLevel >= 29 ? 'displays' : 'windows';
const cmd = ['dumpsys', 'window', dumpsysArg];
return await this.shell(cmd);
};
/**
* @typedef {Object} PackageActivityInfo
* @property {?string} appPackage - The name of application package,
* for example 'com.acme.app'.
* @property {?string} appActivity - The name of main application activity.
*/
/**
* Get the name of currently focused package and activity.
*
* @return {PackageActivityInfo} The mapping, where property names are 'appPackage' and 'appActivity'.
* @throws {Error} If there is an error while parsing the data.
*/
apkUtilsMethods.getFocusedPackageAndActivity = async function getFocusedPackageAndActivity () {
log.debug('Getting focused package and activity');
const nullFocusedAppRe = new RegExp(/^\s*mFocusedApp=null/, 'm');
// https://regex101.com/r/xZ8vF7/1
const focusedAppRe = new RegExp('^\\s*mFocusedApp.+Record\\{.*\\s([^\\s\\/\\}]+)' +
'\\/([^\\s\\/\\}\\,]+)\\,?(\\s[^\\s\\/\\}]+)*\\}', 'm');
const nullCurrentFocusRe = new RegExp(/^\s*mCurrentFocus=null/, 'm');
const currentFocusAppRe = new RegExp('^\\s*mCurrentFocus.+\\{.+\\s([^\\s\\/]+)\\/([^\\s]+)\\b', 'm');
try {
const stdout = await this.dumpWindows();
// The order matters here
for (const pattern of [focusedAppRe, currentFocusAppRe]) {
const match = pattern.exec(stdout);
if (match) {
return {
appPackage: match[1].trim(),
appActivity: match[2].trim()
};
}
}
for (const pattern of [nullFocusedAppRe, nullCurrentFocusRe]) {
if (pattern.exec(stdout)) {
return {
appPackage: null,
appActivity: null
};
}
}
throw new Error('Could not parse activity from dumpsys');
} catch (e) {
throw new Error(`Could not get focusPackageAndActivity. Original error: ${e.message}`);
}
};
/**
* Wait for the given activity to be focused/non-focused.
*
* @param {string} pkg - The name of the package to wait for.
* @param {string} activity - The name of the activity, belonging to that package,
* to wait for.
* @param {boolean} waitForStop - Whether to wait until the activity is focused (true)
* or is not focused (false).
* @param {number} waitMs [20000] - Number of milliseconds to wait before timeout occurs.
* @throws {error} If timeout happens.
*/
apkUtilsMethods.waitForActivityOrNot = async function waitForActivityOrNot (pkg, activity, waitForStop, waitMs = 20000) {
if (!pkg || !activity) {
throw new Error('Package and activity required.');
}
log.debug(`Waiting up to ${waitMs}ms for activity matching pkg: '${pkg}' and ` +
`activity: '${activity}' to${waitForStop ? ' not' : ''} be focused`);
const splitNames = (names) => names.split(',').map((name) => name.trim());
const allPackages = splitNames(pkg);
const allActivities = splitNames(activity);
let possibleActivityNames = [];
for (let oneActivity of allActivities) {
if (oneActivity.startsWith('.')) {
// add the package name if activity is not full qualified
for (let currentPkg of allPackages) {
possibleActivityNames.push(`${currentPkg}${oneActivity}`.replace(/\.+/g, '.'));
}
} else {
// accept fully qualified activity name.
possibleActivityNames.push(oneActivity);
possibleActivityNames.push(`${pkg}.${oneActivity}`);
}
}
log.debug(`Possible activities, to be checked: ${possibleActivityNames.map((name) => `'${name}'`).join(', ')}`);
let possibleActivityPatterns = possibleActivityNames.map((possibleActivityName) =>
new RegExp(`^${possibleActivityName.replace(/\./g, '\\.').replace(/\*/g, '.*?').replace(/\$/g, '\\$')}$`)
);
// figure out the number of retries. Try once if waitMs is less that 750
// 30 times if parsing is not possible
let retries = parseInt(waitMs / 750, 10) || 1;
retries = isNaN(retries) ? 30 : retries;
await retryInterval(retries, 750, async () => {
let {appPackage, appActivity} = await this.getFocusedPackageAndActivity();
if (appActivity && appPackage) {
let fullyQualifiedActivity = appActivity.startsWith('.') ? `${appPackage}${appActivity}` : appActivity;
log.debug(`Found package: '${appPackage}' and fully qualified activity name : '${fullyQualifiedActivity}'`);
let foundAct = (_.includes(allPackages, appPackage) &&
_.findIndex(possibleActivityPatterns, (possiblePattern) => possiblePattern.test(fullyQualifiedActivity)) !== -1);
if ((!waitForStop && foundAct) || (waitForStop && !foundAct)) {
return;
}
}
log.debug('Incorrect package and activity. Retrying.');
throw new Error(`${possibleActivityNames.map((name) => `'${name}'`).join(' or ')} never ${waitForStop ? 'stopped' : 'started'}. ` +
`Visit ${ACTIVITIES_TROUBLESHOOTING_LINK} for troubleshooting`);
});
};
/**
* Wait for the given activity to be focused
*
* @param {string} pkg - The name of the package to wait for.
* @param {string} activity - The name of the activity, belonging to that package,
* to wait for.
* @param {number} waitMs [20000] - Number of milliseconds to wait before timeout occurs.
* @throws {error} If timeout happens.
*/
apkUtilsMethods.waitForActivity = async function waitForActivity (pkg, act, waitMs = 20000) {
await this.waitForActivityOrNot(pkg, act, false, waitMs);
};
/**
* Wait for the given activity to be non-focused.
*
* @param {string} pkg - The name of the package to wait for.
* @param {string} activity - The name of the activity, belonging to that package,
* to wait for.
* @param {number} waitMs [20000] - Number of milliseconds to wait before timeout occurs.
* @throws {error} If timeout happens.
*/
apkUtilsMethods.waitForNotActivity = async function waitForNotActivity (pkg, act, waitMs = 20000) {
await this.waitForActivityOrNot(pkg, act, true, waitMs);
};
/**
* @typedef {Object} UninstallOptions
* @property {number} timeout [adbExecTimeout] - The count of milliseconds to wait until the
* app is uninstalled.
* @property {boolean} keepData [false] - Set to true in order to keep the
* application data and cache folders after uninstall.
*/
/**
* Uninstall the given package from the device under test.
*
* @param {string} pkg - The name of the package to be uninstalled.
* @param {?UninstallOptions} options - The set of uninstall options.
* @return {boolean} True if the package was found on the device and
* successfully uninstalled.
*/
apkUtilsMethods.uninstallApk = async function uninstallApk (pkg, options = {}) {
log.debug(`Uninstalling ${pkg}`);
if (!await this.isAppInstalled(pkg)) {
log.info(`${pkg} was not uninstalled, because it was not present on the device`);
return false;
}
const cmd = ['uninstall'];
if (options.keepData) {
cmd.push('-k');
}
cmd.push(pkg);
let stdout;
try {
await this.forceStop(pkg);
stdout = (await this.adbExec(cmd, {timeout: options.timeout})).trim();
} catch (e) {
throw new Error(`Unable to uninstall APK. Original error: ${e.message}`);
}
log.debug(`'adb ${cmd.join(' ')}' command output: ${stdout}`);
if (stdout.includes('Success')) {
log.info(`${pkg} was successfully uninstalled`);
return true;
}
log.info(`${pkg} was not uninstalled`);
return false;
};
/**
* Install the package after it was pushed to the device under test.
*
* @param {string} apkPathOnDevice - The full path to the package on the device file system.
* @param {object} opts [{}] - Additional exec options. See {@link https://github.com/appium/node-teen_process}
* for more details on this parameter.
* @throws {error} If there was a failure during application install.
*/
apkUtilsMethods.installFromDevicePath = async function installFromDevicePath (apkPathOnDevice, opts = {}) {
let stdout = await this.shell(['pm', 'install', '-r', apkPathOnDevice], opts);
if (stdout.indexOf('Failure') !== -1) {
throw new Error(`Remote install failed: ${stdout}`);
}
};
/**
* @typedef {Object} CachingOptions
* @property {?number} timeout [adbExecTimeout] - The count of milliseconds to wait until the
* app is uploaded to the remote location.
*/
/**
* Caches the given APK at a remote location to speed up further APK deployments.
*
* @param {string} apkPath - Full path to the apk on the local FS
* @param {?CachingOptions} options - Caching options
* @returns {string} - Full path to the cached apk on the remote file system
* @throws {Error} if there was a failure while caching the app
*/
apkUtilsMethods.cacheApk = async function cacheApk (apkPath, options = {}) {
const appHash = await fs.hash(apkPath);
const remotePath = path.posix.join(REMOTE_CACHE_ROOT, `${appHash}.apk`);
const remoteCachedFiles = [];
// Get current contents of the remote cache or create it for the first time
try {
const errorMarker = '_ERROR_';
let lsOutput = null;
if (this._areExtendedLsOptionsSupported === true || !_.isBoolean(this._areExtendedLsOptionsSupported)) {
lsOutput = await this.shell([`ls -t -1 ${REMOTE_CACHE_ROOT} 2>&1 || echo ${errorMarker}`]);
}
if (!_.isString(lsOutput) || (lsOutput.includes(errorMarker) && !lsOutput.includes(REMOTE_CACHE_ROOT))) {
if (!_.isBoolean(this._areExtendedLsOptionsSupported)) {
log.debug('The current Android API does not support extended ls options. ' +
'Defaulting to no-options call');
}
lsOutput = await this.shell([`ls ${REMOTE_CACHE_ROOT} 2>&1 || echo ${errorMarker}`]);
this._areExtendedLsOptionsSupported = false;
} else {
this._areExtendedLsOptionsSupported = true;
}
if (lsOutput.includes(errorMarker)) {
throw new Error(lsOutput.substring(0, lsOutput.indexOf(errorMarker)));
}
remoteCachedFiles.push(...(
lsOutput.split('\n')
.map((x) => x.trim())
.filter(Boolean)
));
} catch (e) {
log.debug(`Got an error '${e.message.trim()}' while getting the list of files in the cache. ` +
`Assuming the cache does not exist yet`);
await this.shell(['mkdir', '-p', REMOTE_CACHE_ROOT]);
}
log.debug(`The count of applications in the cache: ${remoteCachedFiles.length}`);
const toHash = (remotePath) => path.posix.parse(remotePath).name;
// Push the apk to the remote cache if needed
if (remoteCachedFiles.some((x) => toHash(x) === appHash)) {
log.info(`The application at '${apkPath}' is already cached to '${remotePath}'`);
// Update the application timestamp asynchronously in order to bump its position
// in the sorted ls output
this.shell(['touch', '-am', remotePath])
.catch(() => {});
} else {
log.info(`Caching the application at '${apkPath}' to '${remotePath}'`);
const timer = new timing.Timer().start();
await this.push(apkPath, remotePath, {timeout: options.timeout});
const {size} = await fs.stat(apkPath);
log.info(`The upload of '${path.basename(apkPath)}' (${util.toReadableSizeString(size)}) ` +
`took ${timer.getDuration().asMilliSeconds.toFixed(0)}ms`);
}
if (!this.remoteAppsCache) {
this.remoteAppsCache = new LRU({
max: this.remoteAppsCacheLimit,
});
}
// Cleanup the invalid entries from the cache
_.difference(this.remoteAppsCache.keys(), remoteCachedFiles.map(toHash))
.forEach((hash) => this.remoteAppsCache.del(hash));
// Bump the cache record for the recently cached item
this.remoteAppsCache.set(appHash, remotePath);
// If the remote cache exceeds this.remoteAppsCacheLimit, remove the least recently used entries
const entriesToCleanup = remoteCachedFiles
.map((x) => path.posix.join(REMOTE_CACHE_ROOT, x))
.filter((x) => !this.remoteAppsCache.has(toHash(x)))
.slice(this.remoteAppsCacheLimit - this.remoteAppsCache.keys().length);
if (!_.isEmpty(entriesToCleanup)) {
try {
await this.shell(['rm', '-f', ...entriesToCleanup]);
log.debug(`Deleted ${entriesToCleanup.length} expired application cache entries`);
} catch (e) {
log.warn(`Cannot delete ${entriesToCleanup.length} expired application cache entries. ` +
`Original error: ${e.message}`);
}
}
return remotePath;
};
/**
* @typedef {Object} InstallOptions
* @property {number} timeout [60000] - The count of milliseconds to wait until the
* app is installed.
* @property {string} timeoutCapName [androidInstallTimeout] - The timeout option name
* users can increase the timeout.
* @property {boolean} allowTestPackages [false] - Set to true in order to allow test
* packages installation.
* @property {boolean} useSdcard [false] - Set to true to install the app on sdcard
* instead of the device memory.
* @property {boolean} grantPermissions [false] - Set to true in order to grant all the
* permissions requested in the application's manifest
* automatically after the installation is completed
* under Android 6+.
* @property {boolean} replace [true] - Set it to false if you don't want
* the application to be upgraded/reinstalled
* if it is already present on the device.
*/
/**
* Install the package from the local file system.
*
* @param {string} appPath - The full path to the local package.
* @param {?InstallOptions} options - The set of installation options.
* @throws {Error} If an unexpected error happens during install.
*/
apkUtilsMethods.install = async function install (appPath, options = {}) {
if (appPath.endsWith(APKS_EXTENSION)) {
return await this.installApks(appPath, options);
}
options = _.cloneDeep(options);
_.defaults(options, {
replace: true,
timeout: this.adbExecTimeout === DEFAULT_ADB_EXEC_TIMEOUT ? APK_INSTALL_TIMEOUT : this.adbExecTimeout,
timeoutCapName: 'androidInstallTimeout',
});
const installArgs = buildInstallArgs(await this.getApiLevel(), options);
const installOpts = {
timeout: options.timeout,
timeoutCapName: options.timeoutCapName,
};
const installCmd = [
'install',
...installArgs,
appPath,
];
let performAppInstall = async () => await this.adbExec(installCmd, installOpts);
// this.remoteAppsCacheLimit <= 0 means no caching should be applied
let shouldCacheApp = this.remoteAppsCacheLimit > 0;
if (shouldCacheApp) {
shouldCacheApp = !(await this.isStreamedInstallSupported());
if (!shouldCacheApp) {
log.info(`The application at '${appPath}' will not be cached, because the device under test has ` +
`confirmed the support of streamed installs`);
}
}
if (shouldCacheApp) {
const clearCache = async () => {
log.info(`Clearing the cache at '${REMOTE_CACHE_ROOT}'`);
await this.shell(['rm', '-rf', `${REMOTE_CACHE_ROOT}/*`]);
};
const cacheApp = async () => await this.cacheApk(appPath, {
timeout: options.timeout,
});
try {
const cachedAppPath = await cacheApp();
performAppInstall = async () => {
const pmInstallCmdByRemotePath = (remotePath) => [
'pm', 'install',
...installArgs,
remotePath,
];
const output = await this.shell(pmInstallCmdByRemotePath(cachedAppPath), installOpts);
// https://github.com/appium/appium/issues/13970
if (/\bINSTALL_FAILED_INSUFFICIENT_STORAGE\b/.test(output)) {
log.warn(`There was a failure while installing '${appPath}' ` +
`because of the insufficient device storage space`);
await clearCache();
log.info(`Consider decreasing the maximum amount of cached apps ` +
`(currently ${this.remoteAppsCacheLimit}) to avoid such issues in the future`);
const newCachedAppPath = await cacheApp();
return await this.shell(pmInstallCmdByRemotePath(newCachedAppPath), installOpts);
}
return output;
};
} catch (e) {
log.debug(e);
log.warn(`There was a failure while caching '${appPath}': ${e.message}`);
log.warn('Falling back to the default installation procedure');
await clearCache();
}
}
try {
const timer = new timing.Timer().start();
const output = await performAppInstall();
log.info(`The installation of '${path.basename(appPath)}' took ${timer.getDuration().asMilliSeconds.toFixed(0)}ms`);
const truncatedOutput = (!_.isString(output) || output.length <= 300) ?
output : `${output.substr(0, 150)}...${output.substr(output.length - 150)}`;
log.debug(`Install command stdout: ${truncatedOutput}`);
if (/\[INSTALL[A-Z_]+FAILED[A-Z_]+\]/.test(output)) {
if (this.isTestPackageOnlyError(output)) {
const msg = `Set 'allowTestPackages' capability to true in order to allow test packages installation.`;
log.warn(msg);
throw new Error(`${output}\n${msg}`);
}
throw new Error(output);
}
} catch (err) {
// on some systems this will throw an error if the app already
// exists
if (!err.message.includes('INSTALL_FAILED_ALREADY_EXISTS')) {
throw err;
}
log.debug(`Application '${appPath}' already installed. Continuing.`);
}
};
/**
* Retrieves the current installation state of the particular application
*
* @param {string} appPath - Full path to the application
* @param {?string} pkg - Package identifier. If omitted then the script will
* try to extract it on its own
* @returns {string}]One of `APP_INSTALL_STATE` constants
*/
apkUtilsMethods.getApplicationInstallState = async function getApplicationInstallState (appPath, pkg = null) {
let apkInfo = null;
if (!pkg) {
apkInfo = await this.getApkInfo(appPath);
pkg = apkInfo.name;
}
if (!pkg) {
log.warn(`Cannot read the package name of '${appPath}'`);
return this.APP_INSTALL_STATE.UNKNOWN;
}
if (!await this.isAppInstalled(pkg)) {
log.debug(`App '${appPath}' is not installed`);
return this.APP_INSTALL_STATE.NOT_INSTALLED;
}
const {versionCode: pkgVersionCode, versionName: pkgVersionNameStr} = await this.getPackageInfo(pkg);
const pkgVersionName = semver.valid(semver.coerce(pkgVersionNameStr));
if (!apkInfo) {
apkInfo = await this.getApkInfo(appPath);
}
const {versionCode: apkVersionCode, versionName: apkVersionNameStr} = apkInfo;
const apkVersionName = semver.valid(semver.coerce(apkVersionNameStr));
if (!_.isInteger(apkVersionCode) || !_.isInteger(pkgVersionCode)) {
log.warn(`Cannot read version codes of '${appPath}' and/or '${pkg}'`);
if (!_.isString(apkVersionName) || !_.isString(pkgVersionName)) {
log.warn(`Cannot read version names of '${appPath}' and/or '${pkg}'`);
return this.APP_INSTALL_STATE.UNKNOWN;
}
}
if (_.isInteger(apkVersionCode) && _.isInteger(pkgVersionCode)) {
if (pkgVersionCode > apkVersionCode) {
log.debug(`The version code of the installed '${pkg}' is greater than the application version code (${pkgVersionCode} > ${apkVersionCode})`);
return this.APP_INSTALL_STATE.NEWER_VERSION_INSTALLED;
}
// Version codes might not be maintained. Check version names.
if (pkgVersionCode === apkVersionCode) {
if (_.isString(apkVersionName) && _.isString(pkgVersionName) && semver.satisfies(pkgVersionName, `>=${apkVersionName}`)) {
log.debug(`The version name of the installed '${pkg}' is greater or equal to the application version name ('${pkgVersionName}' >= '${apkVersionName}')`);
return semver.satisfies(pkgVersionName, `>${apkVersionName}`)
? this.APP_INSTALL_STATE.NEWER_VERSION_INSTALLED
: this.APP_INSTALL_STATE.SAME_VERSION_INSTALLED;
}
if (!_.isString(apkVersionName) || !_.isString(pkgVersionName)) {
log.debug(`The version name of the installed '${pkg}' is equal to application version name (${pkgVersionCode} === ${apkVersionCode})`);
return this.APP_INSTALL_STATE.SAME_VERSION_INSTALLED;
}
}
} else if (_.isString(apkVersionName) && _.isString(pkgVersionName) && semver.satisfies(pkgVersionName, `>=${apkVersionName}`)) {
log.debug(`The version name of the installed '${pkg}' is greater or equal to the application version name ('${pkgVersionName}' >= '${apkVersionName}')`);
return semver.satisfies(pkgVersionName, `>${apkVersionName}`)
? this.APP_INSTALL_STATE.NEWER_VERSION_INSTALLED
: this.APP_INSTALL_STATE.SAME_VERSION_INSTALLED;
}
log.debug(`The installed '${pkg}' package is older than '${appPath}' (${pkgVersionCode} < ${apkVersionCode} or '${pkgVersionName}' < '${apkVersionName}')'`);
return this.APP_INSTALL_STATE.OLDER_VERSION_INSTALLED;
};
/**
* @typedef {Object} InstallOrUpgradeOptions
* @property {number} timeout [60000] - The count of milliseconds to wait until the
* app is installed.
* @property {boolean} allowTestPackages [false] - Set to true in order to allow test
* packages installation.
* @property {boolean} useSdcard [false] - Set to true to install the app on SDCard
* instead of the device memory.
* @property {boolean} grantPermissions [false] - Set to true in order to grant all the
* permissions requested in the application's manifest
* automatically after the installation is completed
* under Android 6+.
* @property {boolean} enforceCurrentBuild [false] - Set to `true` in order to always prefer
* the current build over any installed packages having
* the same identifier
*/
/**
* @typedef {Object} InstallOrUpgradeResult
* @property {boolean} wasUninstalled - Equals to `true` if the target app has been uninstalled
* before being installed
* @property {APP_INSTALL_STATE} appState - One of `adb.APP_INSTALL_STATE` states, which reflects
* the state of the application before being installed.
*/
/**
* Install the package from the local file system or upgrade it if an older
* version of the same package is already installed.
*
* @param {string} appPath - The full path to the local package.
* @param {?string} pkg - The name of the installed package. The method will
* perform faster if it is set.
* @param {?InstallOrUpgradeOptions} options - Set of install options.
* @throws {Error} If an unexpected error happens during install.
* @returns {InstallOrUpgradeResult}
*/
apkUtilsMethods.installOrUpgrade = async function installOrUpgrade (appPath, pkg = null, options = {}) {
if (!pkg) {
const apkInfo = await this.getApkInfo(appPath);
pkg = apkInfo.name;
}
const {
enforceCurrentBuild,
} = options;
const appState = await this.getApplicationInstallState(appPath, pkg);
let wasUninstalled = false;
const uninstallPackage = async () => {
if (!await this.uninstallApk(pkg)) {
throw new Error(`'${pkg}' package cannot be uninstalled`);
}
wasUninstalled = true;
};
switch (appState) {
case this.APP_INSTALL_STATE.NOT_INSTALLED:
log.debug(`Installing '${appPath}'`);
await this.install(appPath, Object.assign({}, options, {replace: false}));
return {
appState,
wasUninstalled,
};
case this.APP_INSTALL_STATE.NEWER_VERSION_INSTALLED:
if (enforceCurrentBuild) {
log.info(`Downgrading '${pkg}' as requested`);
await uninstallPackage();
break;
}
log.debug(`There is no need to downgrade '${pkg}'`);
return {
appState,
wasUninstalled,
};
case this.APP_INSTALL_STATE.SAME_VERSION_INSTALLED:
if (enforceCurrentBuild) {
break;
}
log.debug(`There is no need to install/upgrade '${appPath}'`);
return {
appState,
wasUninstalled,
};
case this.APP_INSTALL_STATE.OLDER_VERSION_INSTALLED:
log.debug(`Executing upgrade of '${appPath}'`);
break;
default:
log.debug(`The current install state of '${appPath}' is unknown. Installing anyway`);
break;
}
try {
await this.install(appPath, Object.assign({}, options, {replace: true}));
} catch (err) {
log.warn(`Cannot install/upgrade '${pkg}' because of '${err.message}'. Trying full reinstall`);
await uninstallPackage();
await this.install(appPath, Object.assign({}, options, {replace: false}));
}
return {
appState,
wasUninstalled,
};
};
/**
* Extract string resources from the given package on local file system.
*
* @param {string} appPath - The full path to the .apk(s) package.
* @param {?string} language - The name of the language to extract the resources for.
* The default language is used if this equals to `null`/`undefined`
* @param {string} out - The name of the destination folder on the local file system to
* store the extracted file to.
* @return {Object} A mapping object, where properties are: 'apkStrings', containing
* parsed resource file represented as JSON object, and 'localPath',
* containing the path to the extracted file on the local file system.
*/
apkUtilsMethods.extractStringsFromApk = async function extractStringsFromApk (appPath, language, out) {
log.debug(`Extracting strings from for language: ${language || 'default'}`);
const originalAppPath = appPath;
if (appPath.endsWith(APKS_EXTENSION)) {
appPath = await this.extractLanguageApk(appPath, language);
}
let apkStrings = {};
let configMarker;
try {
await this.initAapt();
configMarker = await formatConfigMarker(async () => {
const {stdout} = await exec(this.binaries.aapt, [
'd',
'configurations',
appPath,
]);
return stdout.split(os.EOL);
}, language, '(default)');
const {stdout} = await exec(this.binaries.aapt, [
'd',
'--values',
'resources',
appPath,
]);
apkStrings = parseAaptStrings(stdout, configMarker);
} catch (e) {
log.debug('Cannot extract resources using aapt. Trying aapt2. ' +
`Original error: ${e.stderr || e.message}`);
await this.initAapt2();
configMarker = await formatConfigMarker(async () => {
const apkanalyzerPath = await getApkanalyzerForOs(this);
const {stdout} = await exec(apkanalyzerPath, [
'resources', 'configs',
'--type', 'string',
appPath,
], {
shell: true,
cwd: path.dirname(apkanalyzerPath),
});
return stdout.split(os.EOL);
}, language, '');
try {
const {stdout} = await exec(this.binaries.aapt2, [
'dump', appPath,
]);
apkStrings = parseAapt2Strings(stdout, configMarker);
} catch (e) {
throw new Error(`Cannot extract resources from '${originalAppPath}'. ` +
`Original error: ${e.message}`);
}
}
if (_.isEmpty(apkStrings)) {
log.warn(`No strings have been found in '${originalAppPath}' resources ` +
`for '${configMarker || 'default'}' configuration`);
} else {
log.info(`Successfully extracted ${_.keys(apkStrings).length} strings from ` +
`'${originalAppPath}' resources for '${configMarker || 'default'}' configuration`);
}
const localPath = path.resolve(out, 'strings.json');
await mkdirp(out);
await fs.writeFile(localPath, JSON.stringify(apkStrings, null, 2), 'utf-8');
return {apkStrings, localPath};
};
/**
* Get the language name of the device under test.
*
* @return {string} The name of device language.
*/
apkUtilsMethods.getDeviceLanguage = async function getDeviceLanguage () {
let language;
if (await this.getApiLevel() < 23) {
language = await this.getDeviceSysLanguage();
if (!language) {
language = await this.getDeviceProductLanguage();
}
} else {
language = (await this.getDeviceLocale()).split('-')[0];
}
return language;
};
/**
* Get the country name of the device under test.
*
* @return {string} The name of device country.
*/
apkUtilsMethods.getDeviceCountry = async function getDeviceCountry () {
// this method is only used in API < 23
let country = await this.getDeviceSysCountry();
if (!country) {
country = await this.getDeviceProductCountry();
}
return country;
};
/**
* Get the locale name of the device under test.
*
* @return {string} The name of device locale.
*/
apkUtilsMethods.getDeviceLocale = async function getDeviceLocale () {
// this method is only used in API >= 23
let locale = await this.getDeviceSysLocale();
if (!locale) {
locale = await this.getDeviceProductLocale();
}
return locale;
};
/**
* Set the locale name of the device under test and the format of the locale is en-US, for example.
* This method call setDeviceLanguageCountry, so, please use setDeviceLanguageCountry as possible.
*
* @param {string} locale - Names of the device language and the country connected with `-`. e.g. en-US.
*/
apkUtilsMethods.setDeviceLocale = async function setDeviceLocale (locale) {
const validateLocale = new RegExp(/[a-zA-Z]+-[a-zA-Z0-9]+/);
if (!validateLocale.test(locale)) {
log.warn(`setDeviceLocale requires the following format: en-US or ja-JP`);
return;
}
let split_locale = locale.split('-');
await this.setDeviceLanguageCountry(split_locale[0], split_locale[1]);
};
/**
* Make sure current device locale is expected or not.
*
* @param {string} language - Language. The language field is case insensitive, but Locale always canonicalizes to lower case.
* @param {string} country - Country. The language field is case insensitive, but Locale always canonicalizes to lower case.
* @param {?string} script - Script. The script field is case insensitive but Locale always canonicalizes to title case.
*
* @return {boolean} If current locale is language and country as arguments, return true.
*/
apkUtilsMethods.ensureCurrentLocale = async function ensureCurrentLocale (language, country, script = null) {
const hasLanguage = _.isString(language);
const hasCountry = _.isString(country);
if (!hasLanguage && !hasCountry) {
log.warn('ensureCurrentLocale requires language or country');
return false;
}
// get lower case versions of the strings
language = (language || '').toLowerCase();
country = (country || '').toLowerCase();
const apiLevel = await this.getApiLevel();
return await retryInterval(5, 1000, async () => {
try {
if (apiLevel < 23) {
let curLanguage, curCountry;
if (hasLanguage) {
curLanguage = (await this.getDeviceLanguage()).toLowerCase();
if (!hasCountry && language === curLanguage) {
return true;
}
}
if (hasCountry) {
curCountry = (await this.getDeviceCountry()).toLowerCase();
if (!hasLanguage && country === curCountry) {
return true;
}
}
if (language === curLanguage && country === curCountry) {
return true;
}
} else {
const curLocale = (await this.getDeviceLocale()).toLowerCase();
// zh-hans-cn : zh-cn
const localeCode = script ? `${language}-${script.toLowerCase()}-${country}` : `${language}-${country}`;
if (localeCode === curLocale) {
log.debug(`Requested locale is equal to current locale: '${curLocale}'`);
return true;
}
}
return false;
} catch (err) {
// if there has been an error, restart adb and retry
log.error(`Unable to check device localization: ${err.message}`);
log.debug('Restarting ADB and retrying...');
await this.restartAdb();
throw err;
}
});
};
/**
* Set the locale name of the device under test.
*
* @param {string} language - Language. The language field is case insensitive, but Locale always canonicalizes to lower case.
* format: [a-zA-Z]{2,8}. e.g. en, ja : https://developer.android.com/reference/java/util/Locale.html
* @param {string} country - Country. The country (region) field is case insensitive, but Locale always canonicalizes to upper case.
* format: [a-zA-Z]{2} | [0-9]{3}. e.g. US, JP : https://developer.android.com/reference/java/util/Locale.html
* @param {?string} script - Script. The script field is case insensitive but Locale always canonicalizes to title case.
* format: [a-zA-Z]{4}. e.g. Hans in zh-Hans-CN : https://developer.android.com/reference/java/util/Locale.html
*/
apkUtilsMethods.setDeviceLanguageCountry = async function setDeviceLanguageCountry (language, country, script = null) {
let hasLanguage = language && _.isString(language);
let hasCountry = country && _.isString(country);
if (!hasLanguage || !hasCountry) {
log.warn(`setDeviceLanguageCountry requires language and country at least`);
log.warn(`Got language: '${language}' and country: '${country}'`);
return;
}
let apiLevel = await this.getApiLevel();
language = (language || '').toLowerCase();
country = (country || '').toUpperCase();
if (apiLevel < 23) {
let curLanguage = (await this.getDeviceLanguage()).toLowerCase();
let curCountry = (await this.getDeviceCountry()).toUpperCase();
if (language !== curLanguage || country !== curCountry) {
await this.setDeviceSysLocaleViaSettingApp(language, country);
}
} else {
let curLocale = await this.getDeviceLocale();
// zh-Hans-CN : zh-CN
const localeCode = script ? `${language}-${script}-${country}` : `${language}-${country}`;
log.debug(`Current locale: '${curLocale}'; requested locale: '${localeCode}'`);
if (localeCode.toLowerCase() !== curLocale.toLowerCase()) {
await this.setDeviceSysLocaleViaSettingApp(language, country, script);
}
}
};
/**
* @typedef {Object} AppInfo
* @property {string} name - Package name, for example 'com.acme.app'.
* @property {number} versionCode - Version code.
* @property {string} versionName - Version name, for example '1.0'.
*/
/**
* Get the package info from local apk file.
*
* @param {string} appPath - The full path to existing .apk(s) package on the local
* file system.
* @return {?AppInfo} The parsed application information.
*/
apkUtilsMethods.getApkInfo = async function getApkInfo (appPath) {
if (!await fs.exists(appPath)) {
throw new Error(`The file at path ${appPath} does not exist or is not accessible`);
}
if (appPath.endsWith(APKS_EXTENSION)) {
appPath = await this.extractBaseApk(appPath);
}
try {
const apkReader = await ApkReader.open(appPath);
const manifest = await apkReader.readManifest();
const {pkg, versionName, versionCode} = parseManifest(manifest);
return {
name: pkg,
versionCode,
versionName,
};
} catch (e) {
log.warn(`Error '${e.message}' while getting badging info`);
}
return {};
};
/**
* Get the package info from the installed application.
*
* @param {string} pkg - The name of the installed package.
* @return {?AppInfo} The parsed application information.
*/
apkUtilsMethods.getPackageInfo = async function getPackageInfo (pkg) {
log.debug(`Getting package info for '${pkg}'`);
let result = {name: pkg};
try {
const stdout = await this.shell(['dumpsys', 'package', pkg]);
const versionNameMatch = new RegExp(/versionName=([\d+.]+)/).exec(stdout);
if (versionNameMatch) {
result.versionName = versionNameMatch[1];
}
const versionCodeMatch = new RegExp(/versionCode=(\d+)/).exec(stdout);
if (versionCodeMatch) {
result.versionCode = parseInt(versionCodeMatch[1], 10);
}
return result;
} catch (err) {
log.warn(`Error '${err.message}' while dumping package info`);
}
return result;
};
apkUtilsMethods.pullApk = async function pullApk (pkg, tmpDir) {
const pkgPath = (await this.adbExec(['shell', 'pm', 'path', pkg])).replace('package:', '');
const tmpApp = path.resolve(tmpDir, `${pkg}.apk`);
await this.pull(pkgPath, tmpApp);
log.debug(`Pulled app for package '${pkg}' to '${tmpApp}'`);
return tmpApp;
};
export { REMOTE_CACHE_ROOT };
export default apkUtilsMethods;