How to use sendDisplayBacklightTime method in fMBT

Best Python code snippet using fMBT_python

fmbttizen.py

Source:fmbttizen.py Github

copy

Full Screen

...331 timeout (integer):332 inactivity time in seconds after which the backlight333 will be switched off.334 """335 return self._conn.sendDisplayBacklightTime(timeout)336 def shell(self, shellCommand):337 """338 Execute shell command through sdb shell.339 Parameters:340 shellCommand (string)341 command to be executed in sdb shell.342 Returns output of "sdb shell" command.343 If you wish to receive exitstatus or standard output and error344 separated from shellCommand, refer to shellSOE().345 """346 return _run(["sdb", "shell", shellCommand], expectedExitStatus=range(256))[1]347 def shellSOE(self, shellCommand, username="", password="", asyncStatus=None, asyncOut=None, asyncError=None):348 """349 Get status, output and error of executing shellCommand on Tizen device350 Parameters:351 shellCommand (string)352 command to be executed on device.353 username (string, optional)354 username who should execute the command. The default355 is "", that is, run as the default user when logged356 in using "sdb shell".357 password (string, optional)358 if username is given, use given string as359 password. The default is "tizen" for user "root",360 otherwise "".361 asyncStatus (string or None)362 filename (on device) to which the status of363 asynchronously executed shellCommand will be364 written. The default is None, that is, command will365 be run synchronously, and status will be returned in366 the tuple.367 asyncOut (string or None)368 filename (on device) to which the standard output of369 asynchronously executed shellCommand will be370 written. The default is None.371 asyncError (string or None)372 filename (on device) to which the standard error of373 asynchronously executed shellCommand will be374 written. The default is None.375 Returns tuple (exitStatus, standardOutput, standardError).376 If asyncStatus, asyncOut or asyncError is a string,377 shellCommand will be run asynchronously, and (0, None, None)378 will be returned. In case of asynchronous execution, if any of379 asyncStatus, asyncOut or asyncError is None, corresponding380 output will be written to /dev/null. The shellCommand will be381 executed even if the device would be disconnected. All async382 files are opened for appending, allowing writes to the same383 file.384 """385 if username == "root" and password == "":386 return self._conn.shellSOE(shellCommand, username, "tizen", asyncStatus, asyncOut, asyncError)387 else:388 return self._conn.shellSOE(shellCommand, username, password, asyncStatus, asyncOut, asyncError)389_g_sdbProcesses = set()390def _forceCloseSdbProcesses():391 for p in _g_sdbProcesses:392 try: p.write("quit\n")393 except: pass394 try: p.terminate()395 except: pass396atexit.register(_forceCloseSdbProcesses)397def _encode(obj):398 return base64.b64encode(cPickle.dumps(obj))399def _decode(string):400 return cPickle.loads(base64.b64decode(string))401class TizenDeviceConnection(fmbtgti.GUITestConnection):402 """403 TizenDeviceConnection copies _tizenAgent to Tizen device,404 and runs & communicates with it via sdb shell.405 """406 def __init__(self, serialNumber=None, loginCommand=None, debugAgentFile=None):407 if loginCommand == None:408 if serialNumber == None:409 self._serialNumber = self.recvSerialNumber()410 else:411 self._serialNumber = serialNumber412 self._loginCommand = None413 else:414 if serialNumber == None:415 self._serialNumber = "unknown"416 else:417 self._serialNumber = serialNumber418 if isinstance(loginCommand, str):419 self._loginCommand = shlex.split(loginCommand)420 else:421 self._loginCommand = loginCommand422 self._useSdb = (self._loginCommand == None)423 self._useSsh = not self._useSdb424 self._sdbShell = None425 self._debugAgentFile = debugAgentFile426 self._agentNeedsResolution = True427 self.open()428 def __del__(self):429 self.close()430 def open(self):431 if self._serialNumber == "unknown" and self._useSdb:432 raise TizenDeviceNotFoundError("Tizen device not found.")433 self.close()434 agentFilename = os.path.join(435 os.path.dirname(os.path.abspath(inspect.getfile(inspect.currentframe()))),436 "fmbttizen-agent.py")437 remoteUploadPath = "/tmp"438 agentRemoteFilename = remoteUploadPath + "/fmbttizen-agent.py"439 uploadFiles = [(agentFilename,440 agentRemoteFilename),441 (os.path.join(os.path.dirname(agentFilename),442 "fmbtuinput.py"),443 remoteUploadPath + "/fmbtuinput.py")]444 # Upload fmbttizen-agent to the device445 if self._useSdb:446 for src, dst in uploadFiles:447 uploadCmd = ["sdb", "-s", self._serialNumber, "push", src, dst]448 status, out, err = _run(uploadCmd, range(256))449 if status == 127:450 raise TizenConnectionError('Executing "sdb -s %s push" failed. Check your Tizen SDK installation.' % (self._serialNumber,))451 elif status != 0:452 if "device not found" in err:453 raise TizenDeviceNotFoundError('Tizen device "%s" not found.' % (self._serialNumber,))454 else:455 raise TizenConnectionError('Executing "%s" failed: %s' % (' '.join(uploadCmd), err + " " + out))456 else: # using SSH457 if self._loginCommand:458 for src, dst in uploadFiles:459 uploadCmd = self._loginCommand + ["cat", ">", dst]460 p = subprocess.Popen(uploadCmd, shell=False, stdin=subprocess.PIPE)461 p.stdin.write(file(src).read())462 p.stdin.close()463 p.wait()464 else: # run locally without remote login, no upload465 agentRemoteFilename = agentFilename466 # Launch agent, create persistent connection to it467 if self._useSdb:468 remoteShellCmd = ["sdb", "-s", self._serialNumber, "shell"]469 else: # using SSH470 remoteShellCmd = self._loginCommand + ["python", agentRemoteFilename]471 try:472 self._sdbShell = subprocess.Popen(remoteShellCmd,473 shell=False,474 stdin=subprocess.PIPE,475 stdout=subprocess.PIPE,476 stderr=subprocess.PIPE,477 close_fds=True)478 except OSError, msg:479 raise TizenConnectionError('Executing "%s" failed.' % (480 " ".join(remoteShellCmd),))481 _g_sdbProcesses.add(self._sdbShell)482 self._sdbShellErrQueue = Queue.Queue()483 thread.start_new_thread(_fileToQueue, (self._sdbShell.stderr, self._sdbShellErrQueue))484 if self._useSdb:485 self._sdbShell.stdin.write("\r")486 try:487 ok, self._platformInfo = self._agentCmd("python %s; exit" % (agentRemoteFilename,))488 except IOError:489 raise TizenConnectionError('Connecting to a Tizen device/emulator with "sdb -s %s shell" failed.' % (self._serialNumber,))490 else: # using SSH491 ok, self._platformInfo = self._agentCmd("")492 pass # agent already started by remoteShellCmd493 return ok494 def reportErrorsInQueue(self):495 while True:496 try: l = self._sdbShellErrQueue.get_nowait()497 except Queue.Empty: return498 if self._debugAgentFile: self._debugAgentFile.write("<2 %s" % (l,))499 _adapterLog("fmbttizen agent error: %s" % (l,))500 def close(self):501 if self._sdbShell != None:502 try: self._agentCmd("quit", retry=0)503 except: pass504 try: self._sdbShell.terminate()505 except: pass506 try: self._sdbShell.stdin.close()507 except: pass508 try: self._sdbShell.stdout.close()509 except: pass510 try: self._sdbShell.stderr.close()511 except: pass512 self.reportErrorsInQueue()513 _g_sdbProcesses.remove(self._sdbShell)514 self._sdbShell = None515 def _agentAnswer(self):516 errorLinePrefix = "FMBTAGENT ERROR "517 okLinePrefix = "FMBTAGENT OK "518 l = self._sdbShell.stdout.readline()519 output = []520 while True:521 if self._debugAgentFile:522 if len(l) > 72: self._debugAgentFile.write("<1 %s...\n" % (l[:72],))523 else: self._debugAgentFile.write("<1 %s\n" % (l,))524 if l.startswith(okLinePrefix):525 return True, _decode(l[len(okLinePrefix):])526 elif l.startswith(errorLinePrefix):527 return False, _decode(l[len(errorLinePrefix):])528 else:529 output.append(l)530 pass531 l = self._sdbShell.stdout.readline()532 if l == "":533 raise IOError("Unexpected termination of sdb shell: %s" % ("\n".join(output)))534 l = l.strip()535 def _agentCmd(self, command, retry=3):536 if command[:2] in ["tt", "td", "tm", "tu", "er"]:537 # Operating on coordinates on with a touch devices538 # may require information on screen resolution.539 # The agent does not know about possible rotation, so540 # the resolution needs to be sent from here.541 if self._agentNeedsResolution:542 self._agentCmd("sd %s %s" % self._gti.screenSize())543 self._agentNeedsResolution = False544 if self._sdbShell == None: return False, "disconnected"545 if self._debugAgentFile: self._debugAgentFile.write(">0 %s\n" % (command,))546 if self._useSdb:547 eol = "\r"548 else:549 eol = "\n"550 try:551 if len(command) > 0:552 self._sdbShell.stdin.write("%s%s" % (command, eol))553 self._sdbShell.stdin.flush()554 except IOError, msg:555 if retry > 0:556 time.sleep(.2)557 self.reportErrorsInQueue()558 _adapterLog('Error when sending command "%s": %s.' % (command, msg))559 self.open()560 self._agentCmd(command, retry=retry-1)561 else:562 raise563 return self._agentAnswer()564 def sendPress(self, keyName):565 return self._agentCmd("kp %s" % (keyName,))[0]566 def sendKeyDown(self, keyName):567 return self._agentCmd("kd %s" % (keyName,))[0]568 def sendKeyUp(self, keyName):569 return self._agentCmd("ku %s" % (keyName,))[0]570 def sendMtLinearGesture(self, *args):571 return self._agentCmd("ml %s" % (_encode(args)))[0]572 def sendScreenshotRotation(self, angle):573 return self._agentCmd("sa %s" % (angle,))[0]574 def sendTap(self, x, y):575 return self._agentCmd("tt %s %s 1" % (x, y))[0]576 def sendTouchDown(self, x, y):577 return self._agentCmd("td %s %s 1" % (x, y))[0]578 def sendTouchMove(self, x, y):579 return self._agentCmd("tm %s %s" % (x, y))[0]580 def sendTouchUp(self, x, y):581 return self._agentCmd("tu %s %s 1" % (x, y))[0]582 def sendType(self, string):583 return self._agentCmd("kt %s" % (_encode(string)))[0]584 def sendDisplayBacklightTime(self, timeout):585 return self._agentCmd("bl %s" % (timeout,))[0]586 def sendRecStart(self, devices=[]):587 """Start recording events"""588 filterOpts = {589 "type": ["EV_SYN", "EV_KEY", "EV_REL", "EV_ABS"]590 }591 if devices:592 filterOpts["device"] = devices593 return self._agentCmd("er start %s" % (_encode(filterOpts,)))[0]594 def sendRecStop(self):595 """Stop recording events"""596 return self._agentCmd("er stop")[0]597 def recvRec(self):598 """Receive recorded events"""...

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.

Run fMBT automation tests on LambdaTest cloud grid

Perform automation testing on 3000+ real desktop and mobile devices online.

Try LambdaTest Now !!

Get 100 minutes of automation test minutes FREE!!

Next-Gen App & Browser Testing Cloud

Was this article helpful?

Helpful

NotHelpful