-
-
Notifications
You must be signed in to change notification settings - Fork 736
/
Copy pathAppium.js
1789 lines (1653 loc) · 47 KB
/
Appium.js
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
let webdriverio
const fs = require('fs')
const axios = require('axios').default
const { v4: uuidv4 } = require('uuid')
const Webdriver = require('./WebDriver')
const AssertionFailedError = require('../assert/error')
const { truth } = require('../assert/truth')
const recorder = require('../recorder')
const Locator = require('../locator')
const ConnectionRefused = require('./errors/ConnectionRefused')
const mobileRoot = '//*'
const webRoot = 'body'
const supportedPlatform = {
android: 'Android',
iOS: 'iOS',
}
const vendorPrefix = {
appium: 'appium',
}
/**
* Appium helper extends [Webdriver](http://codecept.io/helpers/WebDriver/) helper.
* It supports all browser methods and also includes special methods for mobile apps testing.
* You can use this helper to test Web on desktop and mobile devices and mobile apps.
*
* ## Appium Installation
*
* Appium is an open source test automation framework for use with native, hybrid and mobile web apps that implements the WebDriver protocol.
* It allows you to run Selenium tests on mobile devices and also test native, hybrid and mobile web apps.
*
* Download and install [Appium](https://appium.io/docs/en/2.1/)
*
* ```sh
* npm install -g appium
* ```
*
* Launch the daemon: `appium`
*
* ## Helper configuration
*
* This helper should be configured in codecept.conf.ts or codecept.conf.js
*
* * `appiumV2`: by default is true, set this to false if you want to run tests with AppiumV1. See more how to setup [here](https://codecept.io/mobile/#setting-up)
* * `app`: Application path. Local path or remote URL to an .ipa or .apk file, or a .zip containing one of these. Alias to desiredCapabilities.appPackage
* * `host`: (default: 'localhost') Appium host
* * `port`: (default: '4723') Appium port
* * `platform`: (Android or IOS), which mobile OS to use; alias to desiredCapabilities.platformName
* * `restart`: restart browser or app between tests (default: true), if set to false cookies will be cleaned but browser window will be kept and for apps nothing will be changed.
* * `desiredCapabilities`: [], Appium capabilities, see below
* * `platformName` - Which mobile OS platform to use
* * `appPackage` - Java package of the Android app you want to run
* * `appActivity` - Activity name for the Android activity you want to launch from your package.
* * `deviceName`: The kind of mobile device or emulator to use
* * `platformVersion`: Mobile OS version
* * `app` - The absolute local path or remote http URL to an .ipa or .apk file, or a .zip containing one of these. Appium will attempt to install this app binary on the appropriate device first.
* * `browserName`: Name of mobile web browser to automate. Should be an empty string if automating an app instead.
*
* Example Android App:
*
* ```js
* {
* helpers: {
* Appium: {
* platform: "Android",
* desiredCapabilities: {
* appPackage: "com.example.android.myApp",
* appActivity: "MainActivity",
* deviceName: "OnePlus3",
* platformVersion: "6.0.1"
* }
* }
* }
* }
* ```
*
* Example iOS Mobile Web with local Appium:
*
* ```js
* {
* helpers: {
* Appium: {
* platform: "iOS",
* url: "https://the-internet.herokuapp.com/",
* desiredCapabilities: {
* deviceName: "iPhone X",
* platformVersion: "12.0",
* browserName: "safari"
* }
* }
* }
* }
* ```
*
* Example iOS Mobile Web on BrowserStack:
*
* ```js
* {
* helpers: {
* Appium: {
* host: "hub-cloud.browserstack.com",
* port: 4444,
* user: process.env.BROWSERSTACK_USER,
* key: process.env.BROWSERSTACK_KEY,
* platform: "iOS",
* url: "https://the-internet.herokuapp.com/",
* desiredCapabilities: {
* realMobile: "true",
* device: "iPhone 8",
* os_version: "12",
* browserName: "safari"
* }
* }
* }
* }
* ```
*
* Example Android App using AppiumV2 on BrowserStack:
*
* ```js
* {
* helpers: {
* Appium: {
* appiumV2: true, // By default is true, set to false if you want to run against Appium v1
* host: "hub-cloud.browserstack.com",
* port: 4444,
* user: process.env.BROWSERSTACK_USER,
* key: process.env.BROWSERSTACK_KEY,
* app: `bs://c700ce60cf1gjhgjh3ae8ed9770ghjg5a55b8e022f13c5827cg`,
* browser: '',
* desiredCapabilities: {
* 'appPackage': data.packageName,
* 'deviceName': process.env.DEVICE || 'Google Pixel 3',
* 'platformName': process.env.PLATFORM || 'android',
* 'platformVersion': process.env.OS_VERSION || '10.0',
* 'automationName': process.env.ENGINE || 'UIAutomator2',
* 'newCommandTimeout': 300000,
* 'androidDeviceReadyTimeout': 300000,
* 'androidInstallTimeout': 90000,
* 'appWaitDuration': 300000,
* 'autoGrantPermissions': true,
* 'gpsEnabled': true,
* 'isHeadless': false,
* 'noReset': false,
* 'noSign': true,
* 'bstack:options' : {
* "appiumVersion" : "2.0.1",
* },
* }
* }
* }
* }
* ```
*
* Additional configuration params can be used from <https://github.com/appium/appium/blob/master/packages/appium/docs/en/guides/caps.md>
*
* ## Access From Helpers
*
* Receive Appium client from a custom helper by accessing `browser` property:
*
* ```js
* let browser = this.helpers['Appium'].browser
* ```
*
* ## Methods
*/
class Appium extends Webdriver {
/**
* Appium Special Methods for Mobile only
* @augments WebDriver
*/
// @ts-ignore
constructor(config) {
super(config)
this.isRunning = false
this.appiumV2 = config.appiumV2 || true
this.axios = axios.create()
webdriverio = require('webdriverio')
if (!config.appiumV2) {
console.log('The Appium core team does not maintain Appium 1.x anymore since the 1st of January 2022. Appium 2.x is used by default.')
console.log('More info: https://bit.ly/appium-v2-migration')
console.log('This Appium 1.x support will be removed in next major release.')
}
}
_validateConfig(config) {
if (!(config.app || config.platform) && !config.browser) {
throw new Error(`
Appium requires either platform and app or a browser to be set.
Check your codeceptjs config file to ensure these are set properly
{
"helpers": {
"Appium": {
"app": "/path/to/app/package"
"platform": "MOBILE_OS",
}
}
}
`)
}
// set defaults
const defaults = {
// webdriverio defaults
protocol: 'http',
hostname: '0.0.0.0', // webdriverio specs
port: 4723,
path: '/wd/hub',
// config
waitForTimeout: 1000, // ms
logLevel: 'error',
capabilities: {},
deprecationWarnings: false,
restart: true,
manualStart: false,
timeouts: {
script: 0, // ms
},
}
// override defaults with config
config = Object.assign(defaults, config)
config.baseUrl = config.url || config.baseUrl
if (config.desiredCapabilities && Object.keys(config.desiredCapabilities).length) {
config.capabilities = this.appiumV2 === true ? this._convertAppiumV2Caps(config.desiredCapabilities) : config.desiredCapabilities
}
if (this.appiumV2) {
config.capabilities[`${vendorPrefix.appium}:deviceName`] = config[`${vendorPrefix.appium}:device`] || config.capabilities[`${vendorPrefix.appium}:deviceName`]
config.capabilities[`${vendorPrefix.appium}:browserName`] = config[`${vendorPrefix.appium}:browser`] || config.capabilities[`${vendorPrefix.appium}:browserName`]
config.capabilities[`${vendorPrefix.appium}:app`] = config[`${vendorPrefix.appium}:app`] || config.capabilities[`${vendorPrefix.appium}:app`]
config.capabilities[`${vendorPrefix.appium}:tunnelIdentifier`] = config[`${vendorPrefix.appium}:tunnelIdentifier`] || config.capabilities[`${vendorPrefix.appium}:tunnelIdentifier`] // Adding the code to connect to sauce labs via sauce tunnel
} else {
config.capabilities.deviceName = config.device || config.capabilities.deviceName
config.capabilities.browserName = config.browser || config.capabilities.browserName
config.capabilities.app = config.app || config.capabilities.app
config.capabilities.tunnelIdentifier = config.tunnelIdentifier || config.capabilities.tunnelIdentifier // Adding the code to connect to sauce labs via sauce tunnel
}
config.capabilities.platformName = config.platform || config.capabilities.platformName
config.waitForTimeoutInSeconds = config.waitForTimeout / 1000 // convert to seconds
// [CodeceptJS compatible] transform host to hostname
config.hostname = config.host || config.hostname
if (!config.app && config.capabilities.browserName) {
this.isWeb = true
this.root = webRoot
} else {
this.isWeb = false
this.root = mobileRoot
}
this.platform = null
if (config.capabilities[`${vendorPrefix.appium}:platformName`]) {
this.platform = config.capabilities[`${vendorPrefix.appium}:platformName`].toLowerCase()
}
if (config.capabilities.platformName) {
this.platform = config.capabilities.platformName.toLowerCase()
}
return config
}
_convertAppiumV2Caps(capabilities) {
const _convertedCaps = {}
for (const [key, value] of Object.entries(capabilities)) {
if (!key.startsWith(vendorPrefix.appium)) {
if (key !== 'platformName' && key !== 'bstack:options') {
_convertedCaps[`${vendorPrefix.appium}:${key}`] = value
} else {
_convertedCaps[`${key}`] = value
}
} else {
_convertedCaps[`${key}`] = value
}
}
return _convertedCaps
}
static _config() {
return [
{
name: 'app',
message: 'Application package. Path to file or url',
default: 'http://localhost',
},
{
name: 'platform',
message: 'Mobile Platform',
type: 'list',
choices: ['iOS', supportedPlatform.android],
default: supportedPlatform.android,
},
{
name: 'device',
message: 'Device to run tests on',
default: 'emulator',
},
]
}
async _startBrowser() {
if (this.appiumV2 === true) {
this.options.capabilities = this._convertAppiumV2Caps(this.options.capabilities)
this.options.desiredCapabilities = this._convertAppiumV2Caps(this.options.desiredCapabilities)
}
try {
if (this.options.multiremote) {
this.browser = await webdriverio.multiremote(this.options.multiremote)
} else {
this.browser = await webdriverio.remote(this.options)
}
} catch (err) {
if (err.toString().indexOf('ECONNREFUSED')) {
throw new ConnectionRefused(err)
}
throw err
}
this.$$ = this.browser.$$.bind(this.browser)
this.isRunning = true
if (this.options.timeouts && this.isWeb) {
await this.defineTimeout(this.options.timeouts)
}
if (this.options.windowSize === 'maximize' && !this.platform) {
const res = await this.browser.execute('return [screen.width, screen.height]')
return this.browser.windowHandleSize({
width: res.value[0],
height: res.value[1],
})
}
if (this.options.windowSize && this.options.windowSize.indexOf('x') > 0 && !this.platform) {
const dimensions = this.options.windowSize.split('x')
await this.browser.windowHandleSize({
width: dimensions[0],
height: dimensions[1],
})
}
}
async _after() {
if (!this.isRunning) return
if (this.options.restart) {
this.isRunning = false
return this.browser.deleteSession()
}
if (this.isWeb && !this.platform) {
return super._after()
}
}
async _withinBegin(context) {
if (this.isWeb) {
return super._withinBegin(context)
}
if (context === 'webview') {
return this.switchToWeb()
}
if (typeof context === 'object') {
if (context.web) return this.switchToWeb(context.web)
if (context.webview) return this.switchToWeb(context.webview)
}
return this.switchToContext(context)
}
_withinEnd() {
if (this.isWeb) {
return super._withinEnd()
}
return this.switchToNative()
}
_buildAppiumEndpoint() {
const { protocol, port, hostname, path } = this.browser.options
// Ensure path does NOT end with a slash to prevent double slashes
const normalizedPath = path.replace(/\/$/, '')
// Build path to Appium REST API endpoint
return `${protocol}://${hostname}:${port}${normalizedPath}/session/${this.browser.sessionId}`
}
/**
* Execute code only on iOS
*
* ```js
* I.runOnIOS(() => {
* I.click('//UIAApplication[1]/UIAWindow[1]/UIAButton[1]');
* I.see('Hi, IOS', '~welcome');
* });
* ```
*
* Additional filter can be applied by checking for capabilities.
* For instance, this code will be executed only on iPhone 5s:
*
*
* ```js
* I.runOnIOS({deviceName: 'iPhone 5s'},() => {
* // ...
* });
* ```
*
* Also capabilities can be checked by a function.
*
* ```js
* I.runOnAndroid((caps) => {
* // caps is current config of desiredCapabiliites
* return caps.platformVersion >= 6
* },() => {
* // ...
* });
* ```
*
* @param {*} caps
* @param {*} fn
*/
async runOnIOS(caps, fn) {
if (this.platform !== 'ios') return
recorder.session.start('iOS-only actions')
this._runWithCaps(caps, fn)
recorder.add('restore from iOS session', () => recorder.session.restore())
return recorder.promise()
}
/**
* Execute code only on Android
*
* ```js
* I.runOnAndroid(() => {
* I.click('io.selendroid.testapp:id/buttonTest');
* });
* ```
*
* Additional filter can be applied by checking for capabilities.
* For instance, this code will be executed only on Android 6.0:
*
*
* ```js
* I.runOnAndroid({platformVersion: '6.0'},() => {
* // ...
* });
* ```
*
* Also capabilities can be checked by a function.
* In this case, code will be executed only on Android >= 6.
*
* ```js
* I.runOnAndroid((caps) => {
* // caps is current config of desiredCapabiliites
* return caps.platformVersion >= 6
* },() => {
* // ...
* });
* ```
*
* @param {*} caps
* @param {*} fn
*/
async runOnAndroid(caps, fn) {
if (this.platform !== 'android') return
recorder.session.start('Android-only actions')
this._runWithCaps(caps, fn)
recorder.add('restore from Android session', () => recorder.session.restore())
return recorder.promise()
}
/**
* Execute code only in Web mode.
*
* ```js
* I.runInWeb(() => {
* I.waitForElement('#data');
* I.seeInCurrentUrl('/data');
* });
* ```
*
*/
async runInWeb() {
if (!this.isWeb) return
recorder.session.start('Web-only actions')
recorder.add('restore from Web session', () => recorder.session.restore(), true)
return recorder.promise()
}
_runWithCaps(caps, fn) {
if (typeof caps === 'object') {
for (const key in caps) {
// skip if capabilities do not match
if (this.config.desiredCapabilities[key] !== caps[key]) {
return
}
}
}
if (typeof caps === 'function') {
if (!fn) {
fn = caps
} else {
// skip if capabilities are checked inside a function
const enabled = caps(this.config.desiredCapabilities)
if (!enabled) return
}
}
fn()
}
/**
* Returns app installation status.
*
* ```js
* I.checkIfAppIsInstalled("com.example.android.apis");
* ```
*
* @param {string} bundleId String ID of bundled app
* @return {Promise<boolean>}
*
* Appium: support only Android
*/
async checkIfAppIsInstalled(bundleId) {
onlyForApps.call(this, supportedPlatform.android)
return this.browser.isAppInstalled(bundleId)
}
/**
* Check if an app is installed.
*
* ```js
* I.seeAppIsInstalled("com.example.android.apis");
* ```
*
* @param {string} bundleId String ID of bundled app
* @return {Promise<void>}
*
* Appium: support only Android
*/
async seeAppIsInstalled(bundleId) {
onlyForApps.call(this, supportedPlatform.android)
const res = await this.browser.isAppInstalled(bundleId)
return truth(`app ${bundleId}`, 'to be installed').assert(res)
}
/**
* Check if an app is not installed.
*
* ```js
* I.seeAppIsNotInstalled("com.example.android.apis");
* ```
*
* @param {string} bundleId String ID of bundled app
* @return {Promise<void>}
*
* Appium: support only Android
*/
async seeAppIsNotInstalled(bundleId) {
onlyForApps.call(this, supportedPlatform.android)
const res = await this.browser.isAppInstalled(bundleId)
return truth(`app ${bundleId}`, 'not to be installed').negate(res)
}
/**
* Install an app on device.
*
* ```js
* I.installApp('/path/to/file.apk');
* ```
* @param {string} path path to apk file
* @return {Promise<void>}
*
* Appium: support only Android
*/
async installApp(path) {
onlyForApps.call(this, supportedPlatform.android)
return this.browser.installApp(path)
}
/**
* Remove an app from the device.
*
* ```js
* I.removeApp('appName', 'com.example.android.apis');
* ```
*
* Appium: support only Android
*
* @param {string} appId
* @param {string} [bundleId] ID of bundle
*/
async removeApp(appId, bundleId) {
onlyForApps.call(this, supportedPlatform.android)
return this.axios({
method: 'post',
url: `${this._buildAppiumEndpoint()}/appium/device/remove_app`,
data: { appId, bundleId },
})
}
/**
* Reset the currently running app for current session.
*
* ```js
* I.resetApp();
* ```
*
*/
async resetApp() {
onlyForApps.call(this)
return this.axios({
method: 'post',
url: `${this._buildAppiumEndpoint()}/appium/app/reset`,
})
}
/**
* Check current activity on an Android device.
*
* ```js
* I.seeCurrentActivityIs(".HomeScreenActivity")
* ```
* @param {string} currentActivity
* @return {Promise<void>}
*
* Appium: support only Android
*/
async seeCurrentActivityIs(currentActivity) {
onlyForApps.call(this, supportedPlatform.android)
const res = await this.browser.getCurrentActivity()
return truth('current activity', `to be ${currentActivity}`).assert(res === currentActivity)
}
/**
* Check whether the device is locked.
*
* ```js
* I.seeDeviceIsLocked();
* ```
*
* @return {Promise<void>}
*
* Appium: support only Android
*/
async seeDeviceIsLocked() {
onlyForApps.call(this, supportedPlatform.android)
const res = await this.browser.isLocked()
return truth('device', 'to be locked').assert(res)
}
/**
* Check whether the device is not locked.
*
* ```js
* I.seeDeviceIsUnlocked();
* ```
*
* @return {Promise<void>}
*
* Appium: support only Android
*/
async seeDeviceIsUnlocked() {
onlyForApps.call(this, supportedPlatform.android)
const res = await this.browser.isLocked()
return truth('device', 'to be locked').negate(res)
}
/**
* Check the device orientation
*
* ```js
* I.seeOrientationIs('PORTRAIT');
* I.seeOrientationIs('LANDSCAPE')
* ```
*
* @return {Promise<void>}
*
* @param {'LANDSCAPE'|'PORTRAIT'} orientation LANDSCAPE or PORTRAIT
*
* Appium: support Android and iOS
*/
async seeOrientationIs(orientation) {
onlyForApps.call(this)
const res = await this.axios({
method: 'get',
url: `${this._buildAppiumEndpoint()}/orientation`,
})
const currentOrientation = res.data.value
return truth('orientation', `to be ${orientation}`).assert(currentOrientation === orientation)
}
/**
* Set a device orientation. Will fail, if app will not set orientation
*
* ```js
* I.setOrientation('PORTRAIT');
* I.setOrientation('LANDSCAPE')
* ```
*
* @param {'LANDSCAPE'|'PORTRAIT'} orientation LANDSCAPE or PORTRAIT
*
* Appium: support Android and iOS
*/
async setOrientation(orientation) {
onlyForApps.call(this)
return this.axios({
method: 'post',
url: `${this._buildAppiumEndpoint()}/orientation`,
data: { orientation },
})
}
/**
* Get list of all available contexts
*
* ```
* let contexts = await I.grabAllContexts();
* ```
*
* @return {Promise<string[]>}
*
* Appium: support Android and iOS
*/
async grabAllContexts() {
onlyForApps.call(this)
return this.browser.getContexts()
}
/**
* Retrieve current context
*
* ```js
* let context = await I.grabContext();
* ```
*
* @return {Promise<string|null>}
*
* Appium: support Android and iOS
*/
async grabContext() {
onlyForApps.call(this)
return this.browser.getContext()
}
/**
* Get current device activity.
*
* ```js
* let activity = await I.grabCurrentActivity();
* ```
*
* @return {Promise<string>}
*
* Appium: support only Android
*/
async grabCurrentActivity() {
onlyForApps.call(this, supportedPlatform.android)
return this.browser.getCurrentActivity()
}
/**
* Get information about the current network connection (Data/WIFI/Airplane).
* The actual server value will be a number. However WebdriverIO additional
* properties to the response object to allow easier assertions.
*
* ```js
* let con = await I.grabNetworkConnection();
* ```
*
* @return {Promise<{}>}
*
* Appium: support only Android
*/
async grabNetworkConnection() {
onlyForApps.call(this, supportedPlatform.android)
const res = await this.browser.getNetworkConnection()
return {
value: res,
inAirplaneMode: res.inAirplaneMode,
hasWifi: res.hasWifi,
hasData: res.hasData,
}
}
/**
* Get current orientation.
*
* ```js
* let orientation = await I.grabOrientation();
* ```
*
* @return {Promise<string>}
*
* Appium: support Android and iOS
*/
async grabOrientation() {
onlyForApps.call(this)
const res = await this.browser.orientation()
this.debugSection('Orientation', res)
return res
}
/**
* Get all the currently specified settings.
*
* ```js
* let settings = await I.grabSettings();
* ```
*
* @return {Promise<string>}
*
* Appium: support Android and iOS
*/
async grabSettings() {
onlyForApps.call(this)
const res = await this.browser.getSettings()
this.debugSection('Settings', JSON.stringify(res))
return res
}
/**
* Switch to the specified context.
*
* @param {*} context the context to switch to
*/
async switchToContext(context) {
return this.browser.switchContext(context)
}
/**
* Switches to web context.
* If no context is provided switches to the first detected web context
*
* ```js
* // switch to first web context
* I.switchToWeb();
*
* // or set the context explicitly
* I.switchToWeb('WEBVIEW_io.selendroid.testapp');
* ```
*
* @return {Promise<void>}
*
* @param {string} [context]
*/
async switchToWeb(context) {
this.isWeb = true
this.defaultContext = 'body'
if (context) return this.switchToContext(context)
const contexts = await this.grabAllContexts()
this.debugSection('Contexts', contexts.toString())
for (const idx in contexts) {
if (contexts[idx].match(/^WEBVIEW/)) return this.switchToContext(contexts[idx])
}
throw new Error('No WEBVIEW could be guessed, please specify one in params')
}
/**
* Switches to native context.
* By default switches to NATIVE_APP context unless other specified.
*
* ```js
* I.switchToNative();
*
* // or set context explicitly
* I.switchToNative('SOME_OTHER_CONTEXT');
* ```
* @param {*} [context]
* @return {Promise<void>}
*/
async switchToNative(context = null) {
this.isWeb = false
this.defaultContext = '//*'
if (context) return this.switchToContext(context)
return this.switchToContext('NATIVE_APP')
}
/**
* Start an arbitrary Android activity during a session.
*
* ```js
* I.startActivity('io.selendroid.testapp', '.RegisterUserActivity');
* ```
*
* Appium: support only Android
*
* @param {string} appPackage
* @param {string} appActivity
* @return {Promise<void>}
*/
async startActivity(appPackage, appActivity) {
onlyForApps.call(this, supportedPlatform.android)
return this.browser.startActivity(appPackage, appActivity)
}
/**
* Set network connection mode.
*
* * airplane mode
* * wifi mode
* * data data
*
* ```js
* I.setNetworkConnection(0) // airplane mode off, wifi off, data off
* I.setNetworkConnection(1) // airplane mode on, wifi off, data off
* I.setNetworkConnection(2) // airplane mode off, wifi on, data off
* I.setNetworkConnection(4) // airplane mode off, wifi off, data on
* I.setNetworkConnection(6) // airplane mode off, wifi on, data on
* ```
* See corresponding [webdriverio reference](https://webdriver.io/docs/api/chromium/#setnetworkconnection).
*
* Appium: support only Android
*
* @param {number} value The network connection mode bitmask
* @return {Promise<number>}
*/
async setNetworkConnection(value) {
onlyForApps.call(this, supportedPlatform.android)
return this.browser.setNetworkConnection(value)
}
/**
* Update the current setting on the device
*
* ```js
* I.setSettings({cyberdelia: 'open'});
* ```
*
* @param {object} settings object
*
* Appium: support Android and iOS
*/
async setSettings(settings) {
onlyForApps.call(this)
return this.browser.settings(settings)
}
/**
* Hide the keyboard.
*
* ```js
* // taps outside to hide keyboard per default
* I.hideDeviceKeyboard();
* ```
*
* Appium: support Android and iOS
*
*/
async hideDeviceKeyboard() {
onlyForApps.call(this)
return this.axios({
method: 'post',
url: `${this._buildAppiumEndpoint()}/appium/device/hide_keyboard`,
data: {},
})
}
/**
* Send a key event to the device.
* List of keys: https://developer.android.com/reference/android/view/KeyEvent.html
*
* ```js
* I.sendDeviceKeyEvent(3);
* ```
*
* @param {number} keyValue Device specific key value
* @return {Promise<void>}
*
* Appium: support only Android
*/
async sendDeviceKeyEvent(keyValue) {
onlyForApps.call(this, supportedPlatform.android)
return this.browser.pressKeyCode(keyValue)
}
/**
* Open the notifications panel on the device.
*
* ```js
* I.openNotifications();
* ```
*
* @return {Promise<void>}
*