How to use DeviceTimeZone class of com.qaprosoft.carina.core.foundation.utils.android package

Best Carina code snippet using com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone

Source:AndroidService.java Github

copy

Full Screen

1package com.qaprosoft.carina.core.foundation.utils.android;2import com.qaprosoft.carina.core.foundation.report.ReportContext;3import com.qaprosoft.carina.core.foundation.utils.R;4import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone.TimeFormat;5import com.qaprosoft.carina.core.foundation.utils.android.recorder.utils.AdbExecutor;6import com.qaprosoft.carina.core.foundation.utils.android.recorder.utils.CmdLine;7import com.qaprosoft.carina.core.foundation.utils.factory.DeviceType;8import com.qaprosoft.carina.core.foundation.utils.mobile.notifications.android.Notification;9import com.qaprosoft.carina.core.foundation.webdriver.DriverPool;10import com.qaprosoft.carina.core.foundation.webdriver.Screenshot;11import com.qaprosoft.carina.core.foundation.webdriver.device.DevicePool;12import com.qaprosoft.carina.core.gui.mobile.devices.android.phone.pages.fakegps.FakeGpsPage;13import com.qaprosoft.carina.core.gui.mobile.devices.android.phone.pages.notifications.NotificationPage;14import com.qaprosoft.carina.core.gui.mobile.devices.android.phone.pages.settings.DateTimeSettingsPage;15import com.qaprosoft.carina.core.gui.mobile.devices.android.phone.pages.tzchanger.TZChangerPage;16import io.appium.java_client.android.AndroidDriver;17import org.apache.commons.io.FilenameUtils;18import org.apache.log4j.Logger;19import java.io.File;20import java.io.IOException;21import java.io.InputStream;22import java.net.URL;23import java.nio.file.Files;24import java.text.SimpleDateFormat;25import java.util.ArrayList;26import java.util.Date;27import java.util.List;28import java.util.regex.Matcher;29import java.util.regex.Pattern;30import static com.qaprosoft.carina.core.foundation.webdriver.DriverPool.getDriver;31public class AndroidService {32 private static final Logger LOGGER = Logger.getLogger(AndroidService.class);33 protected static final int INIT_TIMEOUT = 20;34 private final Pattern NOTIFICATION_PATTERN = Pattern.compile(".* NotificationRecord.*pkg=(.*) user");35 private final Pattern NOTIFICATION_TEXT_PATTERN = Pattern.compile(".*tickerText=(.*)");36 private final String TZ_CHANGE_APP_PATH = "app/TimeZone_Changer.apk";37 private final String TZ_CHANGE_APP_ACTIVITY = "com.futurek.android.tzc/com.futurek.android.tzc.MainActivity";38 private final String TZ_CHANGE_APP_PACKAGE = "com.futurek.android.tzc";39 private final String LANGUAGE_CHANGE_APP_PATH = "app/ADB_Change_Language.apk";40 private final String FAKE_GPS_APP_PATH = "app/FakeGPSLocation.apk";41 private final String FAKE_GPS_APP_ACTIVITY = "com.lexa.fakegps/com.lexa.fakegps.ui.Main";42 private final String FAKE_GPS_APP_PACKAGE = "com.lexa.fakegps";43 private String[] baseInitCmd;44 private AdbExecutor executor;45 public enum ChangeTimeZoneWorkflow {46 ADB(1), // 0b00147 SETTINGS(2), // 0b01048 APK(4), // 0b10049 ALL(7); // 0b11150 private int workflow;51 ChangeTimeZoneWorkflow(int workflow) {52 this.workflow = workflow;53 }54 public int getWorkflow() {55 return workflow;56 }57 public boolean isSupported(ChangeTimeZoneWorkflow workflow) {58 return (this.workflow & workflow.getWorkflow()) > 0;59 }60 }61 private static AndroidService instance;62 private AndroidService() {63 executor = new AdbExecutor();64 baseInitCmd = executor.getDefaultCmd();65 }66 static {67 try {68 instance = new AndroidService();69 } catch (Exception e) {70 throw new RuntimeException("Exception occurred in creating singleton AndroidService!");71 }72 }73 public static AndroidService getInstance() {74 return instance;75 }76 // Common methods77 /**78 * executeAbdCommand79 *80 * @param command String81 * @return String command output in one line82 */83 public String executeAbdCommand(String command) {84 String udid = DevicePool.getDeviceUdid();85 if (!udid.isEmpty()) {86 // add udid reference87 command = "-s " + udid + " " + command;88 }89 String result = "";90 LOGGER.info("Command: " + command);91 String[] listOfCommands = command.split(" ");92 String[] execCmd = CmdLine.insertCommandsAfter(baseInitCmd, listOfCommands);93 try {94 LOGGER.info("Try to execute following cmd: " + CmdLine.arrayToString(execCmd));95 List<String> execOutput = executor.execute(execCmd);96 LOGGER.info("Output after execution ADB command: " + execOutput);97 result = execOutput.toString().replaceAll("\\[|\\]", "").replaceAll(", ", " ").trim();98 LOGGER.info("Returning Output: " + result);99 } catch (Exception e) {100 LOGGER.error(e);101 }102 return result;103 }104 /**105 * openApp106 *107 * @param pkg String108 * @param activity String109 */110 public void openApp(String pkg, String activity) {111 openApp(pkg.trim() + "/" + activity.trim());112 }113 /**114 * openApp115 *116 * @param app String117 */118 public void openApp(String app) {119 executeAbdCommand("shell am start -n " + app);120 }121 /**122 * clear Apk Cache123 *124 * @param appPackageName for example: com.bamnetworks.mobile.android.gameday.atbat125 * @return boolean126 */127 public boolean clearApkCache(String appPackageName) {128 //Later can be used:129 /*130 String packageName = executor.getApkPackageName(String apkFile);131 executor.clearAppData(Device device, String appPackage);132 */133 String result = executeAbdCommand("shell pm clear " + appPackageName);134 if (result.contains("Success")) {135 LOGGER.info("Cache was cleared correctly");136 return true;137 } else {138 LOGGER.error("Cache was not cleared. May be application does not exist on this device.");139 return false;140 }141 }142 /**143 * checkCurrentDeviceFocus - return actual device focused apk and compare with expected.144 *145 * @param apk String146 * @return boolean147 */148 public boolean checkCurrentDeviceFocus(String apk) {149 String res = getCurrentDeviceFocus();150 if (res.contains(apk)) {151 LOGGER.info("Actual device focus is as expected and contains package or activity: '" + apk + "'.");152 return true;153 } else {154 LOGGER.error("Not expected apk '" + apk + "' is in focus. Actual result is: " + res);155 return false;156 }157 }158 /**159 * getCurrentDeviceFocus - get actual device apk in focus160 *161 * @return String162 */163 public String getCurrentDeviceFocus() {164 String result = executeAbdCommand("shell dumpsys window windows | grep -E 'mCurrentFocus|mFocusedApp'");165 return result;166 }167 /**168 * install android Apk by path to apk file.169 *170 * @param apkPath String171 */172 public void installApk(final String apkPath) {173 installApk(apkPath, false);174 }175 /**176 * install android Apk by path to apk or by name in classpath.177 *178 * @param apkPath String179 * @param inClasspath boolean180 */181 public void installApk(final String apkPath, boolean inClasspath) {182 String filePath = apkPath;183 if (inClasspath) {184 URL baseResource = ClassLoader.getSystemResource(apkPath);185 if (baseResource == null) {186 throw new RuntimeException("Unable to get resource from classpath: " + apkPath);187 } else {188 LOGGER.debug("Resource was found: " + baseResource.getPath());189 }190 String fileName = FilenameUtils.getBaseName(baseResource.getPath()) + "."191 + FilenameUtils.getExtension(baseResource.getPath());192 // make temporary copy of resource in artifacts folder193 filePath = ReportContext.getArtifactsFolder().getAbsolutePath() + File.separator + fileName;194 File file = new File(filePath);195 if (!file.exists()) {196 InputStream link = (ClassLoader.getSystemResourceAsStream(apkPath));197 try {198 Files.copy(link, file.getAbsoluteFile().toPath());199 } catch (IOException e) {200 LOGGER.error("Unable to extract resource from ClassLoader!", e);201 }202 }203 }204 executeAbdCommand("install " + filePath);205 }206 /**207 * Open Development Settings on device208 */209 public void openDeveloperOptions() {210 executeAbdCommand("shell am start -n com.android.settings/.DevelopmentSettings");211 }212 // End of Common Methods213 //Notification section214 /**215 * expandStatusBar216 */217 public void expandStatusBar() {218 executeAbdCommand("shell service call statusbar 1");219 }220 /**221 * collapseStatusBar222 */223 public void collapseStatusBar() {224 executeAbdCommand("shell service call statusbar 2");225 }226 //TODO: move notifications methods into separate class if possible. Maybe declare notification service instance inside AndroidService 227 /**228 * getNotifications229 *230 * @return List of Notification231 */232 public List<Notification> getNotifications() {233 return getNotifications(true);234 }235 /**236 * getNotifications237 *238 * @param withLogger boolean239 * @return List of Notification240 */241 public List<Notification> getNotifications(boolean withLogger) {242 String[] getNotificationsCmd = null;243 String udid = DevicePool.getDeviceUdid();244 if (!udid.isEmpty()) {245 getNotificationsCmd = CmdLine.insertCommandsAfter(baseInitCmd, "-s", udid, "shell", "dumpsys",246 "notification");247 } else {248 getNotificationsCmd = CmdLine.insertCommandsAfter(baseInitCmd, "shell", "dumpsys", "notification");249 }250 LOGGER.info("getNotifications cmd was built: " + CmdLine.arrayToString(getNotificationsCmd));251 //TODO: migrate to executeAbdCommand later252 List<Notification> resultList = new ArrayList<Notification>();253 List<String> notificationsOutput = executor.execute(getNotificationsCmd);254 Notification notification = new Notification();255 for (String output : notificationsOutput) {256 boolean found = false;257 Matcher matcher = NOTIFICATION_PATTERN.matcher(output);258 while (matcher.find()) {259 notification.setNotificationPkg(matcher.group(1));260 if (withLogger)261 LOGGER.info(matcher.group(1));262 }263 Matcher matcher2 = NOTIFICATION_TEXT_PATTERN.matcher(output);264 while (matcher2.find()) {265 notification.setNotificationText(matcher2.group(1));266 if (withLogger)267 LOGGER.info(matcher2.group(1));268 found = true;269 }270 if (found) {271 resultList.add(notification);272 if (withLogger)273 LOGGER.info(notification);274 notification = new Notification();275 found = false;276 }277 }278 if (withLogger)279 LOGGER.info("Found: " + resultList.size() + " notifications.");280 return resultList;281 }282 /**283 * notificationsCount284 *285 * @return notificationsCount286 */287 public int notificationsCount() {288 List<Notification> resultList = getNotifications(false);289 LOGGER.info("Found: " + resultList.size() + " notifications.");290 return resultList.size();291 }292 /**293 * isNotificationWithTextExist294 *295 * @param text String296 * @return boolean297 */298 public boolean isNotificationWithTextExist(String text) {299 List<Notification> resultList = getNotifications(false);300 for (Notification notify : resultList) {301 if (notify.getNotificationText().contains(text)) {302 LOGGER.info("Found '" + text + "' in notification '" + notify.getNotificationText() + "'.");303 return true;304 }305 }306 return false;307 }308 /**309 * waitUntilNewNotificationAppear310 *311 * @param text String312 * @param timeout long313 * @return boolean314 */315 public boolean waitUntilNewNotificationAppear(String text, long timeout) {316 //boolean found = false;317 int base = notificationsCount();318 int time = 0;319 boolean foundText = isNotificationWithTextExist(text);320 int actual = notificationsCount();321 while (actual <= base && ++time < timeout && !foundText) {322 LOGGER.info("Wait for notification. Second: " + time + ". Actual number:" + actual);323 pause(1);324 actual = notificationsCount();325 foundText = isNotificationWithTextExist(text);326 }327 return (foundText);328 }329 /**330 * isNotificationPkgExist331 *332 * @param text package text333 * @return boolean334 */335 public boolean isNotificationPkgExist(String text) {336 List<Notification> resultList = getNotifications(false);337 for (Notification notify : resultList) {338 if (notify.getNotificationPkg().contains(text)) {339 LOGGER.info("Found '" + text + "' in notification packages '" + notify.getNotificationPkg() + "' with text '" + notify.getNotificationText() + "'.");340 return true;341 }342 }343 return false;344 }345 /**346 * waitUntilNewNotificationPackageAppear347 *348 * @param pkg String349 * @param timeout long350 * @return boolean351 */352 public boolean waitUntilNewNotificationPackageAppear(String pkg, long timeout) {353 //boolean found = false;354 int base = notificationsCount();355 int time = 0;356 boolean foundText = isNotificationPkgExist(pkg);357 int actual = notificationsCount();358 while (actual <= base && ++time < timeout && !foundText) {359 LOGGER.info("Wait for notification. Second: " + time + ". Actual number:" + actual);360 pause(1);361 actual = notificationsCount();362 foundText = isNotificationPkgExist(pkg);363 }364 return (foundText);365 }366 /**367 * find Expected Notification with partial text368 *369 * @param expectedTitle String370 * @param expectedText String371 * @return boolean372 */373 public boolean findExpectedNotification(String expectedTitle, String expectedText) {374 return findExpectedNotification(expectedTitle, expectedText, true);375 }376 /**377 * find Expected Notification378 *379 * @param expectedTitle String380 * @param expectedText String381 * @param partially boolean382 * @return boolean383 */384 @SuppressWarnings("rawtypes")385 public boolean findExpectedNotification(String expectedTitle, String expectedText, boolean partially) {386 //open notification387 try {388 ((AndroidDriver) getDriver()).openNotifications();389 pause(2); //wait while notifications are playing animation to appear to avoid missed taps390 } catch (Exception e) {391 LOGGER.error(e);392 LOGGER.info("Using adb to expand Status bar. ");393 expandStatusBar();394 }395 NotificationPage nativeNotificationPage = new NotificationPage(getDriver());396 LOGGER.info("Native notification page is loaded: " + nativeNotificationPage.isNativeNotificationPage());397 int itemsListSize = nativeNotificationPage.getLastItemsContentSize();398 String title, text;399 int notificationItemNum = 0;400 for (int i = 0; i <= itemsListSize; i++) {401 title = nativeNotificationPage.getItemTitle(i);402 text = nativeNotificationPage.getItemText(i);403 LOGGER.info("Notification title is: " + title);404 LOGGER.info("Notification text is: " + text);405 if (!expectedTitle.isEmpty()) {406 if (title.equals(expectedTitle)) {407 notificationItemNum = i;408 LOGGER.info("Found expected title '" + expectedTitle + "' in notification #" + notificationItemNum);409 return true;410 } else if (partially) {411 if (expectedTitle.contains(title)) {412 notificationItemNum = i;413 LOGGER.info("Found that expected title '" + expectedTitle + "' contains '" + title + "' in notification #" + notificationItemNum);414 return true;415 }416 }417 }418 if (!expectedText.isEmpty()) {419 if (text.equals(expectedText)) {420 notificationItemNum = i;421 LOGGER.info("Found expected text '" + expectedText + "' in notification #" + notificationItemNum);422 return true;423 } else if (partially) {424 if (expectedText.contains(text)) {425 notificationItemNum = i;426 LOGGER.info("Found that expected text '" + expectedText + "' contains '" + text + "' in notification #" + notificationItemNum);427 return true;428 }429 }430 }431 }432 return false;433 }434 /**435 * clearNotifications436 */437 public void clearNotifications() {438 LOGGER.info("Clear notifications");439 NotificationPage notificationPage = new NotificationPage(getDriver());440 int attempts = 3;441 boolean isStatusBarOpened;442 // three attempts will be executed to clear notifications443 for (int i = 0; i < attempts; i++) {444 collapseStatusBar();445 expandStatusBar();446 // wait until status bar will be opened447 isStatusBarOpened = notificationPage.isOpened(INIT_TIMEOUT);448 if (!isStatusBarOpened) {449 LOGGER.info(String.format("Status bar isn't opened after %d seconds. One more attempt.",450 (int) INIT_TIMEOUT));451 expandStatusBar();452 }453 LOGGER.debug("Page source [expand status bar]: ".concat(454 getDriver().getPageSource()));455 Screenshot.capture(getDriver(),456 "Clear notification - screenshot. Status bar should be opened. Attempt: " + i);457 try {458 notificationPage.clearNotifications();459 } catch (Exception e) {460 LOGGER.info("Exception during notification extraction.");461 }462 }463 collapseStatusBar();464 }465 /**466 * isStatusBarExpanded467 *468 * @return boolean469 */470 public boolean isStatusBarExpanded() {471 NotificationPage notificationPage = new NotificationPage(getDriver());472 return notificationPage.isStatusBarExpanded();473 }474 // End of Notification section475 // Change Device Language section476 /**477 * change Android Device Language with default parameters478 *479 * @param language String480 * @return boolean481 */482 public boolean setDeviceLanguage(String language) {483 return setDeviceLanguage(language, true, 20);484 }485 /**486 * change Android Device Language487 * <p>488 * Url: <a href="http://play.google.com/store/apps/details?id=net.sanapeli.adbchangelanguage&hl=ru&rdid=net.sanapeli.adbchangelanguage">489 * ADBChangeLanguage apk490 * </a>491 * Change locale (language) of your device via ADB (on Android OS version 6.0, 5.0, 4.4, 4.3, 4.2 and older).492 * No need to root your device! With ADB (Android Debug Bridge) on your computer,493 * you can fast switch the device locale to see how your application UI looks on different languages.494 * Usage:495 * - install this app496 * - setup adb connection to your device (http://developer.android.com/tools/help/adb.html)497 * - Android OS 4.2 onwards (tip: you can copy the command here and paste it to your command console):498 * adb shell pm grant net.sanapeli.adbchangelanguage android.permission.CHANGE_CONFIGURATION499 * <p>500 * English: adb shell am start -n net.sanapeli.adbchangelanguage/.AdbChangeLanguage -e language en501 * Russian: adb shell am start -n net.sanapeli.adbchangelanguage/.AdbChangeLanguage -e language ru502 * Spanish: adb shell am start -n net.sanapeli.adbchangelanguage/.AdbChangeLanguage -e language es503 *504 * @param language to set. Can be es, en, etc.505 * @param changeConfig boolean if true - update config locale and language params506 * @param waitTime int wait in seconds before device refresh.507 * @return boolean508 */509 public boolean setDeviceLanguage(String language, boolean changeConfig, int waitTime) {510 boolean status = false;511 language = language.toLowerCase();512 if (getDeviceLanguage().toLowerCase().contains(language)) {513 LOGGER.info("Device already have expected language.");514 return true;515 }516 String setLocalizationChangePermissionCmd = "shell pm grant net.sanapeli.adbchangelanguage android.permission.CHANGE_CONFIGURATION";517 String setLocalizationCmd = "shell am start -n net.sanapeli.adbchangelanguage/.AdbChangeLanguage -e language " + language;518 LOGGER.info("Try set localization change permission with following cmd:"519 + setLocalizationChangePermissionCmd);520 String expandOutput = executeAbdCommand(setLocalizationChangePermissionCmd);521 if (expandOutput.contains("Unknown package: net.sanapeli.adbchangelanguage")) {522 LOGGER.info("Looks like 'ADB Change Language apk' is not installed. Install it and try again.");523 installApk(LANGUAGE_CHANGE_APP_PATH, true);524 expandOutput = executeAbdCommand(setLocalizationChangePermissionCmd);525 }526 LOGGER.info("Output after set localization change permission using 'ADB Change Language apk': "527 + expandOutput);528 LOGGER.info("Try set localization to '" + language529 + "' with following cmd: "530 + setLocalizationCmd);531 String changeLocaleOutput = executeAbdCommand(setLocalizationCmd);532 LOGGER.info("Output after set localization to '" + language533 + "' using 'ADB Change Language apk' : " + changeLocaleOutput);534 if (waitTime > 0) {535 LOGGER.info("Wait for at least '" + waitTime536 + "' seconds before device refresh.");537 pause(waitTime);538 }539 if (changeConfig) {540 String loc;541 String lang;542 if (language.contains("_")) {543 lang = language.split("_")[0];544 loc = language.split("_")[1];545 } else {546 lang = language;547 loc = language;548 }549 LOGGER.info("Update config.properties locale to '" + loc + "' and language to '" + lang + "'.");550 R.CONFIG.put("locale", loc);551 R.CONFIG.put("language", lang);552 }553 if (getDeviceLanguage().toLowerCase().contains(language)) {554 status = true;555 } else {556 if (getDeviceLanguage().isEmpty()) {557 LOGGER.info("Adb return empty response without errors.");558 status = true;559 } else {560 String currentAndroidVersion = DevicePool.getDevice().getOsVersion();561 LOGGER.info("currentAndroidVersion=" + currentAndroidVersion);562 if (currentAndroidVersion.contains("7.")) {563 LOGGER.info("Adb return language command do not work on some Android 7+ devices." +564 " Check that there are no error.");565 status = !getDeviceLanguage().toLowerCase().contains("error");566 }567 }568 }569 return status;570 }571 /**572 * getDeviceLanguage573 *574 * @return String575 */576 public String getDeviceLanguage() {577 return executeAbdCommand("shell getprop persist.sys.language");578 }579 // End Language Change section580 // Fake GPS section581 /**582 * startFakeGPS to emulate GPS location583 *584 * @param location String - existing city (for ex. New York)585 * @return boolean return true if everything is ok.586 */587 public boolean setFakeGPSLocation(String location) {588 return setFakeGPSLocation(location, false);589 }590 /**591 * startFakeGPS to emulate GPS location592 *593 * @param location String - existing city (for ex. New York)594 * @param restartApk - if true DriverPool.restartDriver(true);595 * @return boolean return true if everything is ok.596 */597 public boolean setFakeGPSLocation(String location, boolean restartApk) {598 getDriver();599 boolean res = false;600 installApk(FAKE_GPS_APP_PATH, true);601 String activity = FAKE_GPS_APP_ACTIVITY;602 try {603 forceFakeGPSApkOpen();604 FakeGpsPage fakeGpsPage = new FakeGpsPage(getDriver());605 if (!fakeGpsPage.isOpened(1)) {606 LOGGER.error("Fake GPS application should be open but wasn't. Force opening.");607 openApp(activity);608 pause(2);609 }610 res = fakeGpsPage.locationSearch(location);611 if (res) {612 LOGGER.info("Set Fake GPS locale: " + location);613 AndroidUtils.hideKeyboard();614 fakeGpsPage.clickSetLocation();615 }616 res = true;617 if (restartApk) DriverPool.restartDriver(true);618 } catch (Exception e) {619 LOGGER.error("Exception: ", e);620 }621 return res;622 }623 /**624 * stopFakeGPS stop using Fake GPS625 *626 * @return boolean627 */628 public boolean stopFakeGPS() {629 return stopFakeGPS(false);630 }631 /**632 * stopFakeGPS stop using Fake GPS633 *634 * @param restartApk - if true DriverPool.restartDriver(true);635 * @return boolean636 */637 public boolean stopFakeGPS(boolean restartApk) {638 getDriver();639 boolean res = false;640 String activity = FAKE_GPS_APP_ACTIVITY;641 try {642 forceFakeGPSApkOpen();643 FakeGpsPage fakeGpsPage = new FakeGpsPage(getDriver());644 if (!fakeGpsPage.isOpened(1)) {645 LOGGER.error("Fake GPS application should be open but wasn't. Force opening.");646 openApp(activity);647 pause(2);648 }649 LOGGER.info("STOP Fake GPS locale");650 res = fakeGpsPage.clickStopFakeGps();651 if (restartApk) DriverPool.restartDriver(true);652 } catch (Exception e) {653 LOGGER.error("Exception: ", e);654 }655 LOGGER.info("Stop Fake GPS button was clicked: " + res);656 return res;657 }658 /**659 * forceFakeGPSApkOpen660 *661 * @return boolean662 */663 private boolean forceFakeGPSApkOpen() {664 return forceApkOpen(FAKE_GPS_APP_ACTIVITY, FAKE_GPS_APP_PACKAGE, FAKE_GPS_APP_PATH);665 }666 /**667 * forceApkOpen668 *669 * @param activity String670 * @param packageName String671 * @param apkPath String672 * @return boolean673 */674 private boolean forceApkOpen(String activity, String packageName, String apkPath) {675 boolean res;676 int attemps = 3;677 boolean isApkOpened = checkCurrentDeviceFocus(packageName);678 while (!isApkOpened && attemps > 0) {679 LOGGER.info("Apk was not open. Attempt to open...");680 openApp(activity);681 pause(2);682 isApkOpened = checkCurrentDeviceFocus(packageName);683 attemps--;684 }685 if (!isApkOpened) {686 LOGGER.info("Probably APK was not installed correctly. Try to reinstall.");687 installApk(apkPath, true);688 openApp(activity);689 pause(2);690 }691 if (checkCurrentDeviceFocus(packageName)) {692 LOGGER.info("On '" + packageName + "' apk page");693 res = true;694 } else {695 LOGGER.error("Not on '" + packageName + "' page after all tries. Please check logs.");696 res = false;697 }698 return res;699 }700 // End of Fake GPS section701 // TimeZone change section702 /**703 * switchDeviceAutoTimeAndTimeZone704 *705 * @param autoSwitch boolean. If true - auto Time and TimeZone will be set as On.706 */707 public void switchDeviceAutoTimeAndTimeZone(boolean autoSwitch) {708 String value = "0";709 if (autoSwitch) {710 value = "1";711 }712 executeAbdCommand("shell settings put global auto_time " + value);713 executeAbdCommand("shell settings put global auto_time_zone " + value);714 }715 /**716 * get Device Time Zone717 *718 * @return DeviceTimeZone719 */720 public DeviceTimeZone getDeviceTimeZone() {721 return getDeviceTimeZone("");722 }723 /**724 * get Device Time Zone. Set default TimeZone725 *726 * @param defaultTZ - default string.727 * @return DeviceTimeZone728 */729 public DeviceTimeZone getDeviceTimeZone(String defaultTZ) {730 getDriver(); //start driver in before class to assign it for particular thread731 DeviceTimeZone dt = new DeviceTimeZone();732 String value = executeAbdCommand("shell settings get global auto_time");733 if (value.contains("0")) {734 dt.setAutoTime(false);735 } else {736 dt.setAutoTime(true);737 }738 value = executeAbdCommand("shell settings get global auto_time_zone");739 if (value.contains("0")) {740 dt.setAutoTimezone(false);741 } else {742 dt.setAutoTimezone(true);743 }744 value = executeAbdCommand("shell settings get system time_12_24");745 if (value.contains("12")) {746 dt.setTimeFormat(TimeFormat.FORMAT_12);747 } else {748 dt.setTimeFormat(TimeFormat.FORMAT_24);749 }750 if (defaultTZ.isEmpty()) {751 value = executeAbdCommand("shell getprop persist.sys.timezone");752 if (!value.isEmpty()) {753 dt.setTimezone(value);754 }755 } else {756 dt.setTimezone(defaultTZ);757 }758 value = executeAbdCommand("shell date -s %mynow%");759 LOGGER.info(value);760 if (!value.isEmpty()) {761 value = convertDateInCorrectString(parseOutputDate(value));762 dt.setSetDeviceDateTime(value);763 LOGGER.info(value);764 }765 dt.setChangeDateTime(false);766 dt.setRefreshDeviceTime(true);767 LOGGER.info(dt.toString());768 return dt;769 }770 /**771 * get Device Actual TimeZone772 *773 * @return String774 */775 public String getDeviceActualTimeZone() {776 String value = executeAbdCommand("shell getprop persist.sys.timezone");777 if (!value.isEmpty()) {778 LOGGER.info(value);779 }780 return value;781 }782 //Start of TimeZone Setting section783 /**784 * set Device TimeZone by using Apk785 *786 * @param timeZone String required timeZone in Android standard format (Europe/London)787 * @param timeFormat String 12 or 24788 * @return boolean789 */790 public boolean setDeviceTimeZone(String timeZone, TimeFormat timeFormat) {791 return setDeviceTimeZone(timeZone, "", timeFormat, ChangeTimeZoneWorkflow.APK);792 }793 /**794 * set Device TimeZone using all supported workflows. By ADB, Settings and Apk795 *796 * @param timeZone String required timeZone797 * @param timeFormat String 12 or 24798 * @param settingsTZ TimeFormat799 * @return boolean800 */801 public boolean setDeviceTimeZone(String timeZone, String settingsTZ, TimeFormat timeFormat) {802 return setDeviceTimeZone(timeZone, settingsTZ, timeFormat, ChangeTimeZoneWorkflow.ALL);803 }804 /**805 * set Device TimeZone. By required workflow: ADB, Settings or APK806 *807 * @param timeZone String required timeZone808 * @param timeFormat String 12 or 24809 * @param settingsTZ TimeFormat810 * @param workflow ChangeTimeZoneWorkflow811 * @return boolean812 */813 public boolean setDeviceTimeZone(String timeZone, String settingsTZ, TimeFormat timeFormat, ChangeTimeZoneWorkflow workflow) {814 boolean changed = false;815 getDriver(); //start driver in before class to assign it for particular thread816 String actualTZ = getDeviceActualTimeZone();817 if (isRequiredTimeZone(actualTZ, timeZone)) {818 LOGGER.info("Required TimeZone is already set.");819 return true;820 }821 String currentAndroidVersion = DevicePool.getDevice().getOsVersion();822 LOGGER.info("currentAndroidVersion=" + currentAndroidVersion);823 if (currentAndroidVersion.contains("7.") || (DevicePool.getDeviceType() == DeviceType.Type.ANDROID_TABLET)) {824 LOGGER.info("TimeZone changing for Android 7+ and tablets works only by TimeZone changer apk.");825 workflow = ChangeTimeZoneWorkflow.APK;826 }827 //Solution for ADB timezone changing.828 if (ChangeTimeZoneWorkflow.ADB.isSupported(workflow)) {829 LOGGER.info("Try to change TimeZone by ADB");830 LOGGER.info(setDeviceTimeZoneByADB(timeZone, timeFormat, ""));831 changed = applyTZChanges(ChangeTimeZoneWorkflow.ADB, timeZone);832 }833 // Solution for timezone changing by device Settings. (Tested on S7, Note 3, S6, S5).834 if (!changed && ChangeTimeZoneWorkflow.SETTINGS.isSupported(workflow)) {835 LOGGER.info("Try to change TimeZone by Device Settings");836 setDeviceTimeZoneBySetting(timeZone, settingsTZ, timeFormat);837 changed = applyTZChanges(ChangeTimeZoneWorkflow.SETTINGS, timeZone);838 }839 // Solution for using TimeZone Changer apk.840 if (!changed && ChangeTimeZoneWorkflow.APK.isSupported(workflow)) {841 LOGGER.info("Try to change TimeZone by TimeZone Changer apk.");842 setDeviceTimeZoneByChangerApk(timeZone, timeFormat);843 changed = applyTZChanges(ChangeTimeZoneWorkflow.APK, timeZone);844 }845 return changed;846 }847 //End of TimeZone change sections848 //Private section849 //TimeZone Private methods850 /**851 * setDeviceTimeZoneByADB852 *853 * @param timeZone String854 * @param timeFormat TimeFormat855 * @param deviceSetDate String in format yyyyMMdd.HHmmss. Can be empty.856 * @return String857 */858 private String setDeviceTimeZoneByADB(String timeZone, TimeFormat timeFormat, String deviceSetDate) {859 boolean changeDateTime = true;860 String tzGMT = "";861 if (deviceSetDate.isEmpty()) {862 changeDateTime = false;863 }864 DeviceTimeZone dt = new DeviceTimeZone(false, false, timeFormat, timeZone, tzGMT, deviceSetDate, changeDateTime, true);865 return setDeviceTimeZoneByADB(dt);866 }867 /**868 * setDeviceTimeZoneByADB869 * Automatic date and time = OFF (settings - date and time)870 * adb shell settings put global auto_time 0871 * Automatic time zone = OFF (settings - date and time)872 * adb shell settings put global auto_time_zone 0873 * <p>874 * Set Time Zone on device875 * adb shell setprop persist.sys.timezone "America/Chicago"876 * <p>877 * Check timezones:878 * <a href="https://en.wikipedia.org/wiki/List_of_tz_database_time_zones">List_of_tz_database_time_zones</a>879 * <p>880 * Check time on device881 * adb shell date -s %mynow%882 * <p>883 * Restart application884 *885 * @param dt DeviceTimeZone886 * @return String actual Device Date and Time887 */888 private String setDeviceTimeZoneByADB(DeviceTimeZone dt) {889 if (dt == null) {890 LOGGER.error("DeviceTimeZone is not initialised.");891 dt = new DeviceTimeZone();892 }893 LOGGER.info(dt.toString());894 String autoTime = "0";895 String autoTimeZone = "0";896 if (dt.isAutoTime()) {897 autoTime = "1";898 }899 executeAbdCommand("shell settings put global auto_time " + autoTime);900 if (dt.isAutoTimezone()) {901 autoTimeZone = "1";902 }903 executeAbdCommand("shell settings put global auto_time_zone " + autoTimeZone);904 setSystemTime(dt.getTimeFormat());905 if (!dt.getTimezone().isEmpty()) {906 executeAbdCommand("shell setprop persist.sys.timezone \"" + dt.getTimezone() + "\"");907 }908 if (dt.isRefreshDeviceTime()) {909 executeAbdCommand("shell am broadcast -a android.intent.action.TIME_SET");910 }911 if (dt.isChangeDateTime() && !dt.getSetDeviceDateTime().isEmpty()) {912 // Try to set date for device but it will not work on not rooted913 // devices914 executeAbdCommand("shell date " + dt.getSetDeviceDateTime());915 }916 String actualDT = executeAbdCommand("shell date -s %mynow%");917 LOGGER.info(actualDT);918 return actualDT;919 }920 /**921 * setDeviceTimeZoneBySetting922 *923 * @param timeZone String924 * @param settingsTZ String925 * @param timeFormat TimeFormat926 */927 private void setDeviceTimeZoneBySetting(String timeZone, String settingsTZ, TimeFormat timeFormat) {928 String actualTZ = getDeviceActualTimeZone();929 String tz = DeviceTimeZone.getTimezoneOffset(timeZone);930 if (isRequiredTimeZone(actualTZ, timeZone)) {931 LOGGER.info("Required timeZone is already set.");932 return;933 }934 try {935 openDateTimeSettingsSetupWizard(true, timeFormat);936 String res = getCurrentDeviceFocus();937 if (res.contains("settings.DateTimeSettingsSetupWizard")) {938 LOGGER.info("On settings.DateTimeSettingsSetupWizard page");939 } else {940 LOGGER.error("Not on settings.DateTimeSettingsSetupWizard page");941 }942 DateTimeSettingsPage dtSettingsPage = new DateTimeSettingsPage(getDriver());943 if (!dtSettingsPage.isOpened(3)) {944 openDateTimeSettingsSetupWizard(true, timeFormat);945 }946 if (dtSettingsPage.isOpened(3)) {947 LOGGER.info("Date Time Settings page was open.");948 } else {949 LOGGER.error("Date Time Settings page should be open.");950 }951 dtSettingsPage.openTimeZoneSetting();952 dtSettingsPage.selectTimeZone(tz, settingsTZ);953 dtSettingsPage.clickNextButton();954 } catch (Exception e) {955 LOGGER.error("Exception: ", e);956 }957 }958 /**959 * setDeviceTimeZoneByChangerApk960 *961 * @param timeZone String962 * @param timeFormat TimeFormat963 */964 private void setDeviceTimeZoneByChangerApk(String timeZone, TimeFormat timeFormat) {965 String actualTZ = getDeviceActualTimeZone();966 String tz = DeviceTimeZone.getTimezoneOffset(timeZone);967 LOGGER.info("Required TimeZone offset: " + tz);968 if (isRequiredTimeZone(actualTZ, timeZone)) {969 LOGGER.info("Required timeZone is already set.");970 return;971 }972 installApk(TZ_CHANGE_APP_PATH, true);973 try {974 forceTZChangingApkOpen(true, timeFormat);975 TZChangerPage tzChangerPage = new TZChangerPage(getDriver());976 if (tzChangerPage.isOpened(3)) {977 LOGGER.info("TimeZone changer main page was open.");978 } else {979 LOGGER.error("TimeZone changer main page should be open. Retry to open.");980 openTZChangingApk(true, timeFormat);...

Full Screen

Full Screen

Source:MobileUtils.java Github

copy

Full Screen

...25import com.qaprosoft.carina.core.foundation.utils.Configuration;26import com.qaprosoft.carina.core.foundation.utils.Messager;27import com.qaprosoft.carina.core.foundation.utils.Configuration.Parameter;28import com.qaprosoft.carina.core.foundation.utils.android.AndroidService;29import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone;30import com.qaprosoft.carina.core.foundation.webdriver.DriverHelper;31import com.qaprosoft.carina.core.foundation.webdriver.DriverPool;32import com.qaprosoft.carina.core.foundation.webdriver.decorator.ExtendedWebElement;33import com.qaprosoft.carina.core.foundation.webdriver.device.DevicePool;34import io.appium.java_client.MobileDriver;35import io.appium.java_client.TouchAction;36import io.appium.java_client.touch.LongPressOptions;37import io.appium.java_client.touch.WaitOptions;38import io.appium.java_client.touch.offset.ElementOption;39import io.appium.java_client.touch.offset.PointOption;40public class MobileUtils {41 protected static final Logger LOGGER = Logger.getLogger(MobileUtils.class);42 public enum Direction {43 LEFT,44 RIGHT,45 UP,46 DOWN,47 VERTICAL,48 HORIZONTAL,49 VERTICAL_DOWN_FIRST,50 HORIZONTAL_RIGHT_FIRST51 }52 protected static final long EXPLICIT_TIMEOUT = Configuration.getLong(Parameter.EXPLICIT_TIMEOUT);53 protected static final int MINIMUM_TIMEOUT = 2;54 private static final int DEFAULT_TOUCH_ACTION_DURATION = 1000;55 private static final int DEFAULT_MAX_SWIPE_COUNT = 50;56 private static final int DEFAULT_MIN_SWIPE_COUNT = 1;57 58 protected static DriverHelper helper = new DriverHelper();59 /**60 * Tap with TouchAction by the center of element61 *62 * @param element ExtendedWebElement63 */64 public static void tap(ExtendedWebElement element) {65 Point point = element.getLocation();66 Dimension size = helper.performIgnoreException(() -> element.getSize());67 68 tap(point.getX() + size.getWidth() / 2, point.getY() + size.getHeight() / 2);69 }70 /**71 * Tap with TouchAction by coordinates with default 1000ms duration72 *73 * @param startx int74 * @param starty int75 */76 public static void tap(int startx, int starty) {77 tap(startx, starty, DEFAULT_TOUCH_ACTION_DURATION);78 }79 /**80 * tap with TouchActions slowly to imitate log tap on element81 * 82 * @param elem ExtendedWebElement83 * element84 */85 public static void longTap(ExtendedWebElement elem) {86 Dimension size = helper.performIgnoreException(() -> elem.getSize());87 88 int width = size.getWidth();89 int height = size.getHeight();90 int x = elem.getLocation().getX() + width / 2;91 int y = elem.getLocation().getY() + height / 2;92 try {93 MobileUtils.swipe(x, y, x, y, 2500);94 } catch (Exception e) {95 LOGGER.error("Exception: " + e);96 }97 }98 /**99 * Tap and Hold (LongPress) on element100 *101 * @param element ExtendedWebElement102 * @return boolean103 */104 public static boolean longPress(ExtendedWebElement element) {105 //TODO: SZ migrate to FluentWaits106 try {107 WebDriver driver = getDriver();108 @SuppressWarnings("rawtypes")109 TouchAction<?> action = new TouchAction((MobileDriver<?>) driver);110 LongPressOptions options = LongPressOptions.longPressOptions().withElement(ElementOption.element(element.getElement()));111 action.longPress(options).release().perform();112 return true;113 } catch (Exception e) {114 LOGGER.info("Error occurs during longPress: " + e, e);115 }116 return false;117 }118 /**119 * Tap with TouchAction by coordinates with custom duration120 *121 * @param startx int122 * @param starty int123 * @param duration int124 */125 public static void tap(int startx, int starty, int duration) {126 //TODO: add Screenshot.capture()127 try {128 @SuppressWarnings("rawtypes")129 TouchAction<?> touchAction = new TouchAction((MobileDriver<?>) getDriver());130 PointOption<?> startPoint = PointOption.point(startx, starty);131 WaitOptions waitOptions = WaitOptions.waitOptions(Duration.ofMillis(duration));132 if (duration == 0) {133 // do not perform waiter as using 6.0.0. appium java client we do longpress instead of simple tap even with 0 wait duration134 touchAction.press(startPoint).release().perform();135 } else {136 touchAction.press(startPoint).waitAction(waitOptions).release().perform();137 }138 Messager.TAP_EXECUTED.info(String.valueOf(startx), String.valueOf(starty));139 } catch (Exception e) {140 Messager.TAP_NOT_EXECUTED.error(String.valueOf(startx), String.valueOf(starty));141 throw e;142 }143 }144 /**145 * swipe till element using TouchActions146 * 147 * @param element ExtendedWebElement148 * @return boolean149 */150 public static boolean swipe(final ExtendedWebElement element) {151 return swipe(element, null, Direction.UP, DEFAULT_MAX_SWIPE_COUNT, DEFAULT_TOUCH_ACTION_DURATION);152 }153 /**154 * swipe till element using TouchActions155 * 156 * @param element ExtendedWebElement157 * @param count int158 * @return boolean159 */160 public static boolean swipe(final ExtendedWebElement element, int count) {161 return swipe(element, null, Direction.UP, count, DEFAULT_TOUCH_ACTION_DURATION);162 }163 /**164 * swipe till element using TouchActions165 * 166 * @param element ExtendedWebElement167 * @param direction Direction168 * @return boolean169 */170 public static boolean swipe(final ExtendedWebElement element, Direction direction) {171 return swipe(element, null, direction, DEFAULT_MAX_SWIPE_COUNT, DEFAULT_TOUCH_ACTION_DURATION);172 }173 /**174 * swipe till element using TouchActions175 * 176 * @param element ExtendedWebElement177 * @param count int178 * @param duration int179 * @return boolean180 */181 public static boolean swipe(final ExtendedWebElement element, int count, int duration) {182 return swipe(element, null, Direction.UP, count, duration);183 }184 /**185 * swipe till element using TouchActions186 * 187 * @param element ExtendedWebElement188 * @param direction Direction189 * @param count int190 * @param duration int191 * @return boolean192 */193 public static boolean swipe(final ExtendedWebElement element, Direction direction, int count, int duration) {194 return swipe(element, null, direction, count, duration);195 }196 /**197 * Swipe inside container in default direction - Direction.UP198 * Number of attempts is limited by count argument199 * <p>200 *201 * @param element202 * ExtendedWebElement203 * @param container204 * ExtendedWebElement205 * @param count206 * int207 * @return boolean208 */209 public static boolean swipe(ExtendedWebElement element, ExtendedWebElement container, int count) {210 return swipe(element, container, Direction.UP, count, DEFAULT_TOUCH_ACTION_DURATION);211 }212 /**213 * Swipe inside container in default direction - Direction.UP214 * Number of attempts is limited by 5215 * <p>216 *217 * @param element218 * ExtendedWebElement219 * @param container220 * ExtendedWebElement221 * @return boolean222 */223 public static boolean swipe(ExtendedWebElement element, ExtendedWebElement container) {224 return swipe(element, container, Direction.UP, DEFAULT_MAX_SWIPE_COUNT, DEFAULT_TOUCH_ACTION_DURATION);225 }226 /**227 * Swipe inside container in specified direction228 * Number of attempts is limited by 5229 * <p>230 *231 * @param element232 * ExtendedWebElement233 * @param container234 * ExtendedWebElement235 * @param direction236 * Direction237 * @return boolean238 */239 public static boolean swipe(ExtendedWebElement element, ExtendedWebElement container, Direction direction) {240 return swipe(element, container, direction, DEFAULT_MAX_SWIPE_COUNT, DEFAULT_TOUCH_ACTION_DURATION);241 }242 /**243 * Swipe inside container in specified direction with default pulling timeout in 1000ms244 * Number of attempts is limited by count argument245 * <p>246 *247 * @param element248 * ExtendedWebElement249 * @param container250 * ExtendedWebElement251 * @param direction252 * Direction253 * @param count254 * int255 * @return boolean256 */257 public static boolean swipe(ExtendedWebElement element, ExtendedWebElement container, Direction direction,258 int count) {259 return swipe(element, container, direction, count, DEFAULT_TOUCH_ACTION_DURATION);260 }261 /**262 * Swipe to element inside container in specified direction while element263 * will not be present on the screen. If element is on the screen already,264 * scrolling will not be performed.265 * <p>266 *267 * @param element268 * element to which it will be scrolled269 * @param container270 * element, inside which scrolling is expected. null to scroll271 * @param direction272 * direction of scrolling. HORIZONTAL and VERTICAL support swiping in both directions automatically273 * @param count274 * for how long to scroll, ms275 * @param duration276 * pulling timeout, ms277 * @return boolean278 */279 public static boolean swipe(ExtendedWebElement element, ExtendedWebElement container, Direction direction,280 int count, int duration) {281 boolean isVisible = element.isVisible(1);282 if (isVisible) {283 // no sense to continue;284 LOGGER.info("element already present before swipe: " + element.getNameWithLocator().toString());285 return true;286 } else {287 LOGGER.info("swiping to element: " + element.getNameWithLocator().toString());288 }289 Direction oppositeDirection = Direction.DOWN;290 boolean bothDirections = false;291 switch (direction) {292 case UP:293 oppositeDirection = Direction.DOWN;294 break;295 case DOWN:296 oppositeDirection = Direction.UP;297 break;298 case LEFT:299 oppositeDirection = Direction.RIGHT;300 break;301 case RIGHT:302 oppositeDirection = Direction.LEFT;303 break;304 case HORIZONTAL:305 direction = Direction.LEFT;306 oppositeDirection = Direction.RIGHT;307 bothDirections = true;308 break;309 case HORIZONTAL_RIGHT_FIRST:310 direction = Direction.RIGHT;311 oppositeDirection = Direction.LEFT;312 bothDirections = true;313 break;314 case VERTICAL:315 direction = Direction.UP;316 oppositeDirection = Direction.DOWN;317 bothDirections = true;318 break;319 case VERTICAL_DOWN_FIRST:320 direction = Direction.DOWN;321 oppositeDirection = Direction.UP;322 bothDirections = true;323 break;324 default:325 throw new RuntimeException("Unsupported direction for swipeInContainerTillElement: " + direction);326 }327 int currentCount = count;328 while (!isVisible && currentCount-- > 0) {329 LOGGER.debug("Element not present! Swipe " + direction + " will be executed to element: " + element.getNameWithLocator().toString());330 swipeInContainer(container, direction, duration);331 LOGGER.info("Swipe was executed. Attempts remain: " + currentCount);332 isVisible = element.isVisible(1);333 }334 currentCount = count;335 while (bothDirections && !isVisible && currentCount-- > 0) {336 LOGGER.debug(337 "Element not present! Swipe " + oppositeDirection + " will be executed to element: " + element.getNameWithLocator().toString());338 swipeInContainer(container, oppositeDirection, duration);339 LOGGER.info("Swipe was executed. Attempts remain: " + currentCount);340 isVisible = element.isVisible(1);341 }342 LOGGER.info("Result: " + isVisible);343 return isVisible;344 }345 /**346 * Swipe by coordinates using TouchAction (platform independent)347 *348 * @param startx int349 * @param starty int350 * @param endx int351 * @param endy int352 * @param duration int Millis353 */354 @SuppressWarnings("rawtypes")355 public static void swipe(int startx, int starty, int endx, int endy, int duration) {356 LOGGER.debug("Starting swipe...");357 WebDriver drv = getDriver();358 LOGGER.debug("Getting driver dimension size...");359 Dimension scrSize = helper.performIgnoreException(() -> drv.manage().window().getSize());360 LOGGER.debug("Finished driver dimension size...");361 // explicitly limit range of coordinates362 if (endx >= scrSize.width) {363 LOGGER.warn("endx coordinate is bigger then device width! It will be limited!");364 endx = scrSize.width - 1;365 } else {366 endx = Math.max(1, endx);367 }368 if (endy >= scrSize.height) {369 LOGGER.warn("endy coordinate is bigger then device height! It will be limited!");370 endy = scrSize.height - 1;371 } else {372 endy = Math.max(1, endy);373 }374 LOGGER.debug("startx: " + startx + "; starty: " + starty + "; endx: " + endx + "; endy: " + endy375 + "; duration: " + duration);376 PointOption<?> startPoint = PointOption.point(startx, starty);377 PointOption<?> endPoint = PointOption.point(endx, endy);378 WaitOptions waitOptions = WaitOptions.waitOptions(Duration.ofMillis(duration));379 380 new TouchAction((MobileDriver<?>) drv).press(startPoint).waitAction(waitOptions).moveTo(endPoint).release()381 .perform();382 LOGGER.debug("Finished swipe...");383 }384 /**385 * swipeInContainer386 *387 * @param container ExtendedWebElement388 * @param direction Direction389 * @param duration int390 * @return boolean391 */392 public static boolean swipeInContainer(ExtendedWebElement container, Direction direction, int duration) {393 return swipeInContainer(container, direction, DEFAULT_MIN_SWIPE_COUNT, duration);394 }395 /**396 * swipeInContainer397 * 398 * @param container ExtendedWebElement399 * @param direction Direction400 * @param count int401 * @param duration int402 * @return boolean403 */404 public static boolean swipeInContainer(ExtendedWebElement container, Direction direction, int count, int duration) {405 int startx = 0;406 int starty = 0;407 int endx = 0;408 int endy = 0;409 Point elementLocation = null;410 Dimension elementDimensions = null;411 412 if (container == null) {413 // whole screen/driver is a container!414 WebDriver driver = getDriver();415 elementLocation = new Point(0, 0); // initial left corner for that case416 elementDimensions = helper.performIgnoreException(() -> driver.manage().window().getSize());417 } else {418 if (container.isElementNotPresent(5)) {419 Assert.fail("Cannot swipe! Impossible to find element " + container.getName());420 }421 elementLocation = container.getLocation();422 elementDimensions = helper.performIgnoreException(() -> container.getSize());423 }424 double minCoefficient = 0.3;425 double maxCoefficient = 0.6;426 // calculate default coefficient based on OS type427 String os = DevicePool.getDevice().getOs();428 if (os.equalsIgnoreCase(SpecialKeywords.ANDROID)) {429 minCoefficient = 0.25;430 maxCoefficient = 0.5;431 } else if (os.equalsIgnoreCase(SpecialKeywords.IOS) || os.equalsIgnoreCase(SpecialKeywords.MAC)) {432 minCoefficient = 0.25;433 maxCoefficient = 0.8;434 }435 switch (direction) {436 case LEFT:437 starty = endy = elementLocation.getY() + Math.round(elementDimensions.getHeight() / 2);438 startx = (int) (elementLocation.getX() + Math.round(maxCoefficient * elementDimensions.getWidth()));439 endx = (int) (elementLocation.getX() + Math.round(minCoefficient * elementDimensions.getWidth()));440 break;441 case RIGHT:442 starty = endy = elementLocation.getY() + Math.round(elementDimensions.getHeight() / 2);443 startx = (int) (elementLocation.getX() + Math.round(minCoefficient * elementDimensions.getWidth()));444 endx = (int) (elementLocation.getX() + Math.round(maxCoefficient * elementDimensions.getWidth()));445 break;446 case UP:447 startx = endx = elementLocation.getX() + Math.round(elementDimensions.getWidth() / 2);448 starty = (int) (elementLocation.getY() + Math.round(maxCoefficient * elementDimensions.getHeight()));449 endy = (int) (elementLocation.getY() + Math.round(minCoefficient * elementDimensions.getHeight()));450 break;451 case DOWN:452 startx = endx = elementLocation.getX() + Math.round(elementDimensions.getWidth() / 2);453 starty = (int) (elementLocation.getY() + Math.round(minCoefficient * elementDimensions.getHeight()));454 endy = (int) (elementLocation.getY() + Math.round(maxCoefficient * elementDimensions.getHeight()));455 break;456 default:457 throw new RuntimeException("Unsupported direction: " + direction);458 }459 LOGGER.debug(String.format("Swipe from (X = %d; Y = %d) to (X = %d; Y = %d)", startx, starty, endx, endy));460 try {461 for (int i = 0; i < count; ++i) {462 swipe(startx, starty, endx, endy, duration);463 }464 return true;465 } catch (Exception e) {466 LOGGER.error(String.format("Error during Swipe from (X = %d; Y = %d) to (X = %d; Y = %d): %s", startx, starty, endx, endy, e));467 }468 return false;469 }470 /**471 * Swipe up several times472 * 473 * @param times int474 * @param duration int475 */476 public static void swipeUp(final int times, final int duration) {477 for (int i = 0; i < times; i++) {478 swipeUp(duration);479 }480 }481 /**482 * Swipe up483 * 484 * @param duration int485 */486 public static void swipeUp(final int duration) {487 LOGGER.info("Swipe up will be executed.");488 swipeInContainer(null, Direction.UP, duration);489 }490 /**491 * Swipe down several times492 * 493 * @param times int494 * @param duration int495 */496 public static void swipeDown(final int times, final int duration) {497 for (int i = 0; i < times; i++) {498 swipeDown(duration);499 }500 }501 /**502 * Swipe down503 * 504 * @param duration int505 */506 public static void swipeDown(final int duration) {507 LOGGER.info("Swipe down will be executed.");508 swipeInContainer(null, Direction.DOWN, duration);509 }510 /**511 * Swipe left several times512 * 513 * @param times int514 * @param duration int515 */516 public static void swipeLeft(final int times, final int duration) {517 for (int i = 0; i < times; i++) {518 swipeLeft(duration);519 }520 }521 /**522 * Swipe left523 * 524 * @param duration int525 */526 public static void swipeLeft(final int duration) {527 LOGGER.info("Swipe left will be executed.");528 swipeLeft(null, duration);529 }530 /**531 * Swipe left in container532 * 533 * @param container534 * ExtendedWebElement535 * @param duration536 * int537 */538 public static void swipeLeft(ExtendedWebElement container, final int duration) {539 LOGGER.info("Swipe left will be executed.");540 swipeInContainer(container, Direction.LEFT, duration);541 }542 /**543 * Swipe right several times544 * 545 * @param times int546 * @param duration int547 */548 public static void swipeRight(final int times, final int duration) {549 for (int i = 0; i < times; i++) {550 swipeRight(duration);551 }552 }553 /**554 * Swipe right555 * 556 * @param duration int557 */558 public static void swipeRight(final int duration) {559 LOGGER.info("Swipe right will be executed.");560 swipeRight(null, duration);561 }562 /**563 * Swipe right in container564 * 565 * @param container566 * ExtendedWebElement567 * @param duration568 * int569 */570 public static void swipeRight(ExtendedWebElement container, final int duration) {571 LOGGER.info("Swipe right will be executed.");572 swipeInContainer(container, Direction.RIGHT, duration);573 }574 /**575 * Set Android Device Default TimeZone And Language based on config or to GMT and En576 * Without restoring actual focused apk.577 */578 public static void setDeviceDefaultTimeZoneAndLanguage() {579 setDeviceDefaultTimeZoneAndLanguage(false);580 }581 /**582 * set Android Device Default TimeZone And Language based on config or to GMT and En583 * 584 * @param returnAppFocus - if true store actual Focused apk and activity, than restore after setting Timezone and Language.585 */586 public static void setDeviceDefaultTimeZoneAndLanguage(boolean returnAppFocus) {587 try {588 String baseApp = "";589 String os = DevicePool.getDevice().getOs();590 if (os.equalsIgnoreCase(SpecialKeywords.ANDROID)) {591 AndroidService androidService = AndroidService.getInstance();592 if (returnAppFocus) {593 baseApp = androidService.getCurrentFocusedApkDetails();594 }595 String deviceTimezone = Configuration.get(Parameter.DEFAULT_DEVICE_TIMEZONE);596 String deviceTimeFormat = Configuration.get(Parameter.DEFAULT_DEVICE_TIME_FORMAT);597 String deviceLanguage = Configuration.get(Parameter.DEFAULT_DEVICE_LANGUAGE);598 DeviceTimeZone.TimeFormat timeFormat = DeviceTimeZone.TimeFormat.parse(deviceTimeFormat);599 DeviceTimeZone.TimeZoneFormat timeZone = DeviceTimeZone.TimeZoneFormat.parse(deviceTimezone);600 LOGGER.info("Set device timezone to " + timeZone.toString());601 LOGGER.info("Set device time format to " + timeFormat.toString());602 LOGGER.info("Set device language to " + deviceLanguage);603 boolean timeZoneChanged = androidService.setDeviceTimeZone(timeZone.getTimeZone(), timeZone.getSettingsTZ(), timeFormat);604 boolean languageChanged = androidService.setDeviceLanguage(deviceLanguage);605 LOGGER.info(String.format("Device TimeZone was changed to timeZone '%s' : %s. Device Language was changed to language '%s': %s",606 deviceTimezone,607 timeZoneChanged, deviceLanguage, languageChanged));608 if (returnAppFocus) {609 androidService.openApp(baseApp);610 }611 } else {612 LOGGER.info(String.format("Current OS is %s. But we can set default TimeZone and Language only for Android.", os));613 }614 } catch (Exception e) {615 LOGGER.error(e);616 }617 }...

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1import java.util.TimeZone;2import org.testng.Assert;3import org.testng.annotations.Test;4import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone;5public class DeviceTimeZoneTest {6public void testDeviceTimeZone() {7TimeZone tz = DeviceTimeZone.getDeviceTimeZone();8Assert.assertNotNull(tz);9}10}

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone;2public class DeviceTimeZoneTest {3public static void main(String[] args) {4DeviceTimeZone deviceTimeZone = new DeviceTimeZone();5System.out.println(deviceTimeZone.getTimeZone());6}7}8import com.qaprosoft.carina.core.foundation.utils.DeviceTimeZone;9public class DeviceTimeZoneTest {10public static void main(String[] args) {11DeviceTimeZone deviceTimeZone = new DeviceTimeZone();12System.out.println(deviceTimeZone.getTimeZone());13}14}

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1import java.util.TimeZone;2import org.testng.Assert;3import org.testng.annotations.Test;4import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone;5public class DeviceTimeZoneTest {6public void testDeviceTimeZone() {7TimeZone tz = DeviceTimeZone.getDeviceTimeZone();8Assert.assertNotNull(tz);9}10}

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone;2public class DeviceTimeZoneTest {3public static void main(String[] args) {4DeviceTimeZone deviceTimeZone = new DeviceTimeZone();5System.out.println(deviceTimeZone.getTimeZone());6}7}8import com.qaprosoft.carina.core.foundation.utils.DeviceTimeZone;9public class DeviceTimeZoneTest {10public static void main(String[] args) {11DeviceTimeZone deviceTimeZone = new DeviceTimeZone();12System.out.println(deviceTimeZone.getTimeZone());13}14}

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1package com.qaprosoft.carina.demo;2import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone;3import org.testng.Assert;4import org.testng.annotations.Test;5public class TestTimeZone {6public void testTimeZone() {7DeviceTimeZone tz = new DeviceTimeZone();8String timeZone = tz.getTimeZone();9System.out.println("Time zone is: " + timeZone);10Assert.assertNotNull(timeZone);11}12}

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone;2public class TimeZone {3public static void main(String[] args) {4DeviceTimeZone tz = new DeviceTimeZone();5System.out.println("Current Time Zone: " + tz.getCurrentTimeZone());6System.out.println("Time Zone ID: " + tz.getTimeZoneID());7System.out.println("Time Zone Name: " + tz.getTimeZoneName());8System.out.println("Time Zone Offset: " + tz.getTimeZoneOffset());9System.out.println("Time Zone Offset in Milliseconds: " + tz.getTimeZoneOffsetInMilliseconds());10}11}

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1DeviceTimeZone deviceTimeZone = new DeviceTimeZone(driver);2deviceTimeZone.getDeviceTimeZone();3deviceTimeZone.setDeviceTimeZone("UTC");4DeviceTimeZone deviceTimeZone = new DeviceTimeZone(driver.getDeviceName());5import com.qaprosoft.carina.core.foungation.utils.android.DetDeviceTimeZ;6deviceTimeZonethe .setDevione("UTC"of h7 d = DsviceTimeZone geviceTimeZone = neviceName());8DeviceTimeZot nhee devicee = new De of the deviceviceTimeZone(driver.getDeviceName());9deviceTdeviio.getDeneDisplayNameIvLocaliceTDmeZone();DsplayNameInLocal(10Strg dDsplayNaInLoWie DSTe=e deviceTimenretdeviceTimeZonvDcsplayNaeZI(LocalWthDS11deviceTimeZot nhee.setDevZone("UTC" ofh12Str dDsplayNamtInL caljWiahDSTAnaGenr=D/code to use DgviceTimeZone claDosplayNaapInLosoleWithDSTridGancric(e.DeviceTimeZone deviceTimeZone = new DeviceTimeZone(driver.getDeviceName());13getDeviceTimeZone();14StrgsplayNaInL aljWiahDSTAGcotAedDevimeZDne class of com.qaprosoft.carinDoZplayNameInLncaleWithDSTAn)GndTim(15deviceTimeZone.setDeviceTimeZone("UTC");16StrtegDeviceTimeZone fosplayNaprIoLi aliWiehDSTAniGmDeviiAnd.getAndLecatiovceTDmeZone();DZplayNaeTIZLoalWhSAndGcndTiAndLoti(17String.getDeviceTimeZsplayNaILi.alDWivhDSTAncGeC"AdAndLcatioAndDatDDsplayNamInLcaleWithDSTAndGenericAndTimeAndLocationAndDate();18STZonruimeZone;Dis/eiyNae.ItLocalTWiZhDSAnuG n/rmpAndrt cA.pLooat.inArdoattAndionlT/pv = DiceTimeZone = new DeviceTimeZoZDn/peiyNemeInL/oToTWeewDSTAndG nvrceAndimeZAedLoADeATmeTye();19StrdevTimZDislyNInLcaleWiDSTAndGeATiAnLcanAdDaAnTim/TypcAeTCalinmao/ypDe=ceTimeZone clasogsare.foundation.DispiayNlmeInLocaleWileDSTAndGen cAdTimALocADtATTypACalnrTpe();

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1package com.qaprosoft.carina.demo;2import org.testng.annotations.Test;3import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone;4public class TimeZoneTest {5public void test1() {6DeviceTimeZone deviceTimeZone = new DeviceTimeZone();7System.out.println(deviceTimeZone.getDeviceTimeZone());8}9}

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1DeviceTimeZone deviceTimeZone = new DeviceTimeZone();2String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);3deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");4DeviceTimeZone deviceTimeZone = new DeviceTimeZone();5String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);6deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");7DeviceTimeZone deviceTimeZone = new DeviceTimeZone();8String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);9deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");10DeviceTimeZone deviceTimeZone = new DeviceTimeZone();11String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);12deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");13DeviceTimeZone deviceTimeZone = new DeviceTimeZone();14String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);15deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");16DeviceTimeZone deviceTimeZone = new DeviceTimeZone();17String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);18deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");19DeviceTimeZone deviceTimeZone = new DeviceTimeZone();20String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1package com.qaprosoft.carina.demo;2import org.testng.annotations.Test;3import com.qaprosoft.carina.core.foundation.utils.android.DeviceTimeZone;4public class TimeZoneTest {5public void test1() {6DeviceTimeZone deviceTimeZone = new DeviceTimeZone();7System.out.println(deviceTimeZone.getDeviceTimeZone());8}9}

Full Screen

Full Screen

DeviceTimeZone

Using AI Code Generation

copy

Full Screen

1DeviceTimeZone deviceTimeZone = new DeviceTimeZone();2String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);3deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");4DeviceTimeZone deviceTimeZone = new DeviceTimeZone();5String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);6deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");7DeviceTimeZone deviceTimeZone = new DeviceTimeZone();8String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);9deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");10DeviceTimeZone deviceTimeZone = new DeviceTimeZone();11String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);12deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");13DeviceTimeZone deviceTimeZone = new DeviceTimeZone();14String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);15deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");16DeviceTimeZone deviceTimeZone = new DeviceTimeZone();17String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);18deviceTimeZone.setDeviceTimeZone(driver, "America/Los_Angeles");19DeviceTimeZone deviceTimeZone = new DeviceTimeZone();20String currentTimeZone = deviceTimeZone.getDeviceTimeZone(driver);

Full Screen

Full Screen

Automation Testing Tutorials

Learn to execute automation testing from scratch with LambdaTest Learning Hub. Right from setting up the prerequisites to run your first automation test, to following best practices and diving deeper into advanced test scenarios. LambdaTest Learning Hubs compile a list of step-by-step guides to help you be proficient with different test automation frameworks i.e. Selenium, Cypress, TestNG etc.

LambdaTest Learning Hubs:

YouTube

You could also refer to video tutorials over LambdaTest YouTube channel to get step by step demonstration from industry experts.

Try LambdaTest Now !!

Get 100 minutes of automation test minutes FREE!!

Next-Gen App & Browser Testing Cloud

Was this article helpful?

Helpful

NotHelpful