Best JavaScript code snippet using devicefarmer-stf
userControllers.js
Source:userControllers.js
1const asyncHandler = require('express-async-handler');2const User = require('../models/userModels');3const generateToken = require('../utils/generateToken');4// @desc Auth user & get token5// @route POST /api/users/login6// @access Public7const authUser = asyncHandler(async (req, res) => {8 // rewrite with async function9 const maxTry = 3;10 const { email, password } = req.body;11 //console.log('email', email);12 User.findOne({ email })13 .then((user) => {14 //console.log(user);15 if (user) {16 user.matchPassword(password)17 .then((matchResult) => {18 if (matchResult) {19 if (user.status === 'Validated') {20 user.tryConnect.try = 0;21 user.tryConnect.lastTry = new Date(Date.now());22 user.lastConnexion = new Date(Date.now());23 user.save()24 .then(() => res.json({25 _id: user._id,26 name: user.name,27 email: user.email,28 profil: user.profil,29 status: user.status,30 token: generateToken(user._id),31 lastConnexion: user.lastConnexion32 }))33 .catch((error) => res.status(500).json({message: `Error saving user: ${error}`}));34 } else {35 user.tryConnect.try = 0;36 user.tryConnect.lastTry = new Date(Date.now());37 user.save()38 .then(() => res.status(401).json({ message: `Your account is not validated: ${user.status}.Please contact your administrator.` }))39 .catch((error) => res.status(500).json({message: `Error updating user with not validated account`})); 40 }41 } else {42 if (user.status === 'Validated') {43 // for the first connection44 if (!user.tryConnect || !user.tryConnect.try) {45 user.tryConnect.try = 0;46 user.tryConnect.lastTry = new Date(Date.now());47 }48 if ((Date.now() - (new Date(user.tryConnect.lastTry)).getTime()) / (1000 * 3600 * 24) <= 1) {49 user.tryConnect.try = user.tryConnect.try += 1;50 user.tryConnect.lastTry = new Date(Date.now());51 52 if(user.tryConnect.try >= maxTry) {53 user.tryConnect.try = 0;54 user.tryConnect.lastTry = new Date(Date.now());55 user.status = 'Blocked';56 user.save()57 .then(() => res.status(401).json({ message: `Sorry your account has been blocked. Please contact your administrator` }))58 .catch((error) => res.status(500).json({message:`Error saving blocked account: ${error}`}));59 } else {60 user.save()61 .then( () => res.status(401).json({ message: `Invalid password. You can try x${maxTry - user.tryConnect.try}` }))62 .catch((error) => res.status(500).json({ message:`Error saving user account updating number of try: ${error}`}));63 }64 } else {65 user.tryConnect.try = 1;66 user.tryConnect.lastTry = new Date(Date.now());67 user.save()68 .then(() => res.status(401).json({ message: `Invalid password. You can try x${maxTry - user.tryConnect.try}x.` }))69 .catch((error) => res.status(500).json({message: `Error saving user whit first try error: ${error}`}));70 }71 } else {72 res.status(401).json({ message: `Your account is not validated: ${user.status}.Please contact your administrator.` });73 }74 }75 })76 .catch((error) => res.status(500).json({message: `Error with matching password function: ${error}`})); 77 } else {78 res.status(401).json({message: 'Email not found'});79 }80 })81 .catch((error) => res.status(500).json({message: `Error finding user in database: ${error}`}));82});83// @desc Register a new user84// @route POST /api/users85// @access Public86const registerUser = asyncHandler(async(req,res) => {87 const { name, email, password } = req.body;88 User.findOne({ email })89 .then((userExists) => {90 if(userExists) {91 res.status(400).json({message: 'User already exists'});92 } else {93 User.create({94 name,95 email,96 password,97 status: 'Waiting approval',98 profil:'unknown'99 })100 .then((user) => {101 if (user) {102 res.status(201).json({103 _id: user._id,104 name: user.name,105 email: user.email,106 profil: user.profil,107 status: 'Waiting approval',108 token: generateToken(user._id)109 });110 } else {111 res.status(400).json({message: 'Invalid user data'});112 }113 })114 .catch((error) => res.status(500).json({message: `Error creating user in database: ${error}`}));115 }116 })117});118// @desc Verify token for user119// @route POST /api/users/verify120// @access Private121const verifyUserToken = asyncHandler(async(req,res) => {122 // if protect is pass then the token is valid123 res.status(200).json({message: 'token is valid'});124 125});...
index.js
Source:index.js
...10}11test('starts nginx', t => {12 const p = spawn('docker', ['run', '--rm', '--net=host', image])13 .on('close', () => t.end())14 tryConnect({15 port: 80,16 retry: 50017 }).on('connected', () => {18 p.kill()19 t.pass()20 })21})22test('uses conf mounted at /nginx/nginx.conf', t => {23 const p = spawn('docker', [24 'run',25 '--rm',26 '--net=host',27 '-v', __dirname + '/fixtures/port1234.conf:/nginx/nginx.conf',28 image29 ]).on('close', () => t.end())30 tryConnect({31 port: 1234,32 retry: 50033 }).on('connected', () => {34 p.kill()35 t.pass()36 })37})38test('uses env var in conf template', t => {39 const p = spawn('docker', [40 'run',41 '--rm',42 '--net=host',43 '-e', 'port=1234',44 '-v', __dirname + '/fixtures/variablePort.conf:/nginx/nginx.conf',45 image46 ]).on('close', () => t.end())47 tryConnect({48 port: 1234,49 retry: 50050 }).on('connected', () => {51 p.kill()52 t.pass()53 })54})55test('uses data from /nginx/data.js in conf template', t => {56 const p = spawn('docker', [57 'run',58 '--rm',59 '--net=host',60 '-v', __dirname + '/fixtures/variablePort.conf:/nginx/nginx.conf',61 '-v', __dirname + '/fixtures/data.js:/nginx/data.js',62 image63 ]).on('close', () => t.end())64 tryConnect({65 port: 1234,66 retry: 50067 }).on('connected', () => {68 p.kill()69 t.pass()70 })71})72test('uses data from /nginx/data.yaml in conf template', t => {73 const p = spawn('docker', [74 'run',75 '--rm',76 '--net=host',77 '-v', __dirname + '/fixtures/variablePort.conf:/nginx/nginx.conf',78 '-v', __dirname + '/fixtures/data.yaml:/nginx/data.yaml',79 image80 ]).on('close', () => t.end())81 tryConnect({82 port: 1235,83 retry: 50084 }).on('connected', () => {85 p.kill()86 t.pass()87 })88})89test('uses data from /nginx/data.json in conf template', t => {90 const p = spawn('docker', [91 'run',92 '--rm',93 '--net=host',94 '-v', __dirname + '/fixtures/variablePort.conf:/nginx/nginx.conf',95 '-v', __dirname + '/fixtures/data.json:/nginx/data.json',96 image97 ]).on('close', () => t.end())98 tryConnect({99 port: 1236,100 retry: 500101 }).on('connected', () => {102 p.kill()103 t.pass()104 })105})106test('prefers data.yaml over data.json', t => {107 const p = spawn('docker', [108 'run',109 '--rm',110 '--net=host',111 '-v', __dirname + '/fixtures/variablePort.conf:/nginx/nginx.conf',112 '-v', __dirname + '/fixtures/data.json:/nginx/data.json',113 '-v', __dirname + '/fixtures/data.yaml:/nginx/data.yaml',114 image115 ]).on('close', () => t.end())116 tryConnect({117 port: 1235,118 retry: 500119 }).on('connected', () => {120 p.kill()121 t.pass()122 })123})124test('prefers data.js over data.yaml', t => {125 const p = spawn('docker', [126 'run',127 '--rm',128 '--net=host',129 '-v', __dirname + '/fixtures/variablePort.conf:/nginx/nginx.conf',130 '-v', __dirname + '/fixtures/data.yaml:/nginx/data.yaml',131 '-v', __dirname + '/fixtures/data.js:/nginx/data.js',132 image133 ]).on('close', () => t.end())134 tryConnect({135 port: 1234,136 retry: 500137 }).on('connected', () => {138 p.kill()139 t.pass()140 })141})142test('reloads data.js module on nginx reload', t => {143 const makeDataFile = port => {144 fs.writeFileSync('/tmp/data.js', `module.exports = {port: ${port}}`)145 }146 makeDataFile(1234)147 const p = spawn('docker', [148 'run',149 '--rm',150 '--net=host',151 '-v', __dirname + '/fixtures/variablePort.conf:/nginx/nginx.conf',152 '-v', '/tmp/data.js:/nginx/data.js',153 image154 ]).on('close', () => t.end())155 tryConnect({156 port: 1234,157 retry: 500158 }).on('connected', () => {159 makeDataFile(1237)160 p.kill('SIGHUP')161 tryConnect({162 port: 1237,163 retry: 500164 }).on('connected', () => {165 p.kill()166 t.pass()167 })168 })169})170test('exits if given invalid yaml data file at startup', t => {171 const p = spawn('docker', [172 'run',173 '--rm',174 '--net=host',175 '-v', __dirname + '/fixtures/invalid.yaml:/nginx/data.yaml',176 image177 ]).on('exit', exitCode => {178 t.equal(exitCode, 1)179 t.end()180 })181})182test('exits if given invalid requireable file at startup', t => {183 const p = spawn('docker', [184 'run',185 '--rm',186 '--net=host',187 '-v', __dirname + '/fixtures/invalid.js:/nginx/data.js',188 image189 ]).on('exit', exitCode => {190 t.equal(exitCode, 1)191 t.end()192 })193})194test('watches and reloads with single WATCH arg', t => {195 const makeDataFile = port => {196 fs.writeFileSync('/tmp/data.js', `module.exports = {port: ${port}}`)197 }198 makeDataFile(1234)199 const p = spawn('docker', [200 'run',201 '--rm',202 '--net=host',203 '-e', 'WATCH=/nginx/*.js',204 '-v', __dirname + '/fixtures/variablePort.conf:/nginx/nginx.conf',205 '-v', '/tmp/data.js:/nginx/data.js',206 image207 ]).on('close', () => t.end())208 tryConnect({209 port: 1234,210 retry: 500211 }).on('connected', () => {212 makeDataFile(1237)213 tryConnect({214 port: 1237,215 retry: 500216 }).on('connected', () => {217 p.kill()218 t.pass()219 })220 })221})222test('watches and reloads with two WATCH args', t => {223 const makeDataFile = port => {224 fs.writeFileSync('/tmp/data.js', `module.exports = {port: ${port}}`)225 }226 makeDataFile(1234)227 const p = spawn('docker', [228 'run',229 '--rm',230 '--net=host',231 '-e', 'WATCH=/nginx/*.conf -- /nginx/*.js',232 '-v', __dirname + '/fixtures/variablePort.conf:/nginx/nginx.conf',233 '-v', '/tmp/data.js:/nginx/data.js',234 image235 ]).on('close', () => t.end())236 tryConnect({237 port: 1234,238 retry: 500239 }).on('connected', () => {240 makeDataFile(1237)241 tryConnect({242 port: 1237,243 retry: 500244 }).on('connected', () => {245 p.kill()246 t.pass()247 })248 })...
socket.js
Source:socket.js
1var app = app || {};2app.Socket = (function() {3 var Socket = function(options) {4 this.options = _.defaults(options || {}, this.defaultOptions);5 this.socket = null;6 this.open();7 };8 Socket.prototype.defaultOptions = {9 debug: true,10 host: location.host,11 encrypted: location.protocol === 'https:',12 open: {13 retry: {14 interval: 5000,15 times: ((86400 * 7) / 5) * 1000,// retry for up to 1 week16 },17 },18 autoReconnect: true,19 };20 Socket.prototype.isConnected = function() {21 if (this.socket) {22 return this.socket.readyState === WebSocket.OPEN;23 }24 return false;25 };26 Socket.prototype.open = function(done) {27 this.log('Socket.open', this.options);28 done = done || _.noop;29 var log = _.bind(this.log, this);30 var onConnect = _.bind(this.onConnect, this);31 var tryConnect = _.bind(this.tryConnect, this);32 async.retry(this.options.open.retry, tryConnect, function(error) {33 if (error) {34 log('Socket.open: Failed', error);35 done(error);36 } else {37 log('Socket.open: Success');38 onConnect();39 done();40 }41 });42 };43 Socket.prototype.reconnect = function() {44 this.open();45 };46 Socket.prototype.tryConnect = function(done) {47 this.log('Socket.tryConnect');48 this.socket = this.createSocket();49 var log = _.bind(this.log, this);50 var onClose = _.bind(this.onClose, this);51 var onMessage = _.bind(this.onMessage, this);52 this.socket.onopen = function() {53 this.onmessage = function(message) {54 log('Socket: Message received', message);55 onMessage(message);56 };57 this.onclose = function() {58 log('Socket: Connection closed');59 onClose();60 };61 done();62 };63 this.socket.onerror = function(error) {64 done(error);65 };66 };67 Socket.prototype.createSocket = function() {68 var socket;69 var protocol = this.options.encrypted ? 'wss://' : 'ws://';70 var uri = protocol + this.options.host;71 socket = new WebSocket(uri);72 return socket;73 };74 Socket.prototype.onConnect = function() {75 if (this.options.onConnect) {76 this.options.onConnect();77 }78 };79 Socket.prototype.onMessage = function(message) {80 if (this.options.onMessage) {81 this.options.onMessage(message);82 }83 };84 Socket.prototype.onClose = function() {85 if (this.options.onClose) {86 this.options.onClose();87 }88 if (this.options.autoReconnect) {89 this.reconnect();90 }91 };92 Socket.prototype.log = function() {93 if (this.options.debug) {94 console.log.apply(console, arguments);95 }96 };97 return Socket;...
2019-09-12 断线重连.js
Source:2019-09-12 断线重连.js
...8 setTimeout(resolve, waitTime);9 })10}11// å°è¯éè¿12async function tryConnect(requestPromise, leftChance = 3) {13 // éè¿14 let anwser;15 if (leftChance <= 0) {16 return 'ææ åç'17 }18 try {19 anwser = await requestPromise;20 console.log(`å°è¯ç¬¬${leftChance}次,åæ°:${arg},ç»æ:${anwser}`)21 if (!anwser) {22 //è¿å
¥å°è¯23 await waiting(1000);24 return tryConnect(arg, leftChance - 1);25 }26 return anwser;27 } catch (err) {28 return 'æ¥é'29 }30}31class IntervalRequest {32 constructor(requestPromise, leftChance, intervalTime) {33 this.requestPromise = requestPromise;34 this.leftChance = leftChance || 3;35 this.intervalTime = intervalTime;36 return this.init();37 }38 static sleep(waitTime) {39 return new Promise(function (resolve, reject) {40 setTimeout(resolve, waitTime);41 })42 }43 init() {44 return this.tryConnect(this.requestPromise, this.leftChance)45 }46 // å°è¯éè¿47 async tryConnect(requestPromise, leftChance) {48 // éè¿49 let anwser;50 if (leftChance <= 0) {51 return 'ææ åç'52 }53 try {54 anwser = await requestPromise();55 console.log(`å°è¯ç¬¬${leftChance}次,ç»æ:${anwser}`)56 if (!anwser) {57 //è¿å
¥å°è¯58 await IntervalRequest.sleep(this.intervalTime);59 return this.tryConnect(arg, leftChance - 1);60 }61 return anwser;62 } catch (err) {63 return 'æ¥é'64 }65 }66}67// 主å½æ°68async function main() {69 console.log('start')70 // const ant = await tryConnect('<åæ°A>')71 // åç°è¿ç§å°è£
æä¹ä¸å¤§ï¼å 为ä¸è¬é¢åå¤çæ°æ®72 const ant = await new IntervalRequest(request, 3)73 console.log(`æç»ç»æ:${ant}`)74 console.log('end')75}...
tryConnectTests.js
Source:tryConnectTests.js
...6 assert.that(tryConnect).is.ofType('function');7 });8 test('throws an error when url is missing.', async () => {9 await assert.that(async () => {10 await tryConnect();11 }).is.throwingAsync('Url is missing.');12 });13 test('throws an error when the protocol is unknown.', async () => {14 await assert.that(async () => {15 await tryConnect('non-existent://user:secret@host:12345/');16 }).is.throwingAsync('Unknown protocol.');17 });18 suite('amqp', () => {19 test('tries to connect to RabbitMQ.', async () => {20 await tryConnect('amqp://wolkenkit:wolkenkit@localhost:5672');21 });22 test('fails when no connection could be established.', async () => {23 await assert.that(async () => {24 await tryConnect('amqp://wolkenkit:wolkenkit@non-existent:5672');25 }).is.throwingAsync('Failed to connect to amqp://wolkenkit:wolkenkit@non-existent:5672.');26 });27 });28 suite('pg', () => {29 test('tries to connect to PostgreSQL.', async () => {30 await tryConnect('pg://wolkenkit:wolkenkit@localhost:5432/wolkenkit');31 });32 test('fails when no connection could be established.', async () => {33 await assert.that(async () => {34 await tryConnect('pg://wolkenkit:wolkenkit@non-existent:5432/wolkenkit');35 }).is.throwingAsync('Failed to connect to pg://wolkenkit:wolkenkit@non-existent:5432/wolkenkit.');36 });37 });38 suite('mongodb', () => {39 test('tries to connect to MongoDB.', async () => {40 await tryConnect('mongodb://wolkenkit:wolkenkit@localhost:27017/wolkenkit');41 });42 test('fails when no connection could be established.', async () => {43 await assert.that(async () => {44 await tryConnect('mongodb://wolkenkit:wolkenkit@non-existent:27017/wolkenkit');45 }).is.throwingAsync('Failed to connect to mongodb://wolkenkit:wolkenkit@non-existent:27017/wolkenkit.');46 });47 });...
redis.js
Source:redis.js
...16 /**17 * è·åæåä¿åçé¢è¦IDå表18 */19 async getToken() {20 await this.tryConnect();21 const str = await this.redis.get(`${this._key}`);22 return JSON.parse(str);23 }24 async setToken(data = {}) {25 const str = JSON.stringify(data);26 await this.tryConnect();27 await this.redis.set(`${this._key}`, str);28 }29 /**30 * å¦æredisè¿æ¥æªå°±ç»ªï¼åå°è¯éè¿31 */32 async tryConnect() {33 if (this.redis && this.redis.status !== 'ready') {34 // console.log(`Redis è¿æ¥æªå°±ç»ª [${this.redis.status}]ï¼å°è¯éè¿`);35 try {36 await this.redis.connect();37 // console.log(`Redis éè¿å®æ [${this.redis.status}]`);38 } catch (e) {39 console.log(`Redis è¿æ¥æªå°±ç»ªï¼å°è¯éè¿å¤±è´¥ï¼${e.message}`);40 }41 }42 }43 async quit() {44 // console.log(`Redis å
³éè¿æ¥`);45 return await this.redis.quit();46 }...
wait_db.js
Source:wait_db.js
1var mongodb = require('mongodb');2var waitingFor = 2;3function tryConnect(url) {4 mongodb.MongoClient.connect(url, {5 server: {6 socketOptions: {7 connectTimeoutMS: 5000,8 socketTimeoutMS: 50009 }10 }11 }, function (error, db) {12 if (error === null) {13 db.command({ping: 1}, function(error, result) {14 if (error === null) {15 if (--waitingFor <= 0) {16 process.exit(0);17 }18 return;19 }20 else {21 console.error("Waiting for database", error);22 }23 setTimeout(function() { tryConnect(url) }, 100);24 });25 return;26 }27 else {28 console.error("Waiting for database", error);29 }30 setTimeout(function() { tryConnect(url) }, 100);31 });32}33tryConnect(process.env.MONGO_URL);...
mysql.js
Source:mysql.js
...10 user: MYSQL_USER,11 password: MYSQL_PASSWORD,12 database: MYSQL_DB13 });14 tryConnect(db);15 return db;16 }17};18const tryConnect = (db)=>{19 db.connect((err) => {20 if (err) {21 console.error(err);22 console.log("trying to reconnect");23 setTimeout(()=>tryConnect(db), 5000);24 }else{25 console.log("Database connected to Node server!");26 }27 });...
Using AI Code Generation
1const { STF } = require('devicefarmer-stf-client');2stf.tryConnect("1111", "2222", "3333").then(function(res) {3 console.log(res);4});5const { STF } = require('devicefarmer-stf-client');6stf.connect("1111", "2222", "3333").then(function(res) {7 console.log(res);8});9const { STF } = require('devicefarmer-stf-client');10stf.disconnect("1111", "2222", "3333").then(function(res) {11 console.log(res);12});13const { STF } = require('devicefarmer-stf-client');14stf.getDevices().then(function(res) {15 console.log(res);16});17const { STF } = require('devicefarmer-stf-client');18stf.getDevicesByStatus("available").then(function(res) {19 console.log(res);20});21const { STF } = require('devicefarmer-stf-client');22stf.getDevicesByOwner("1111").then(function(res) {23 console.log(res);24});
Using AI Code Generation
1var sf = require('devicefarmer-stf-client');2var device = new sf.device();3device.tryConnect('mydevice', function(err, device) {4 if(err) {5 console.log('Error: ' + err);6 } else {7 console.log('Device: ' + device);8 }9});10var sf = require('devicefarmer-stf-client');11var device = new sf.device();12device.tryConnect('mydevice', function(err, device) {13 if(err) {14 console.log('Error: ' + err);15 } else {16 console.log('Device: ' + device);17 }18});19var sf = require('devicefarmer-stf-client');20var device = new sf.device();21device.tryConnect('mydevice', function(err, device) {22 if(err) {23 console.log('Error: ' + err);24 } else {25 console.log('Device: ' + device);26 }27});28var sf = require('devicefarmer-stf-client');29var device = new sf.device();30device.tryConnect('mydevice', function(err, device) {31 if(err) {32 console.log('Error: ' + err);33 } else {34 console.log('Device: ' + device);35 }36});37var sf = require('devicefarmer-stf-client');38var device = new sf.device();39device.tryConnect('mydevice', function(err, device) {40 if(err) {41 console.log('Error: ' + err);42 } else {43 console.log('Device: ' + device);44 }45});46var sf = require('devicefarmer-stf-client');47var device = new sf.device();48device.tryConnect('mydevice', function(err, device) {49 if(err) {50 console.log('Error: ' + err);51 } else {52 console.log('Device: ' + device);53 }54});
Using AI Code Generation
1var client = require('devicefarmer-stf-client');2stf.tryConnect('6b7c6d7e6f5a4b3c2d1e0f1a2b3c4d5e6f7a8b9c', function (err, res) {3 if (err) {4 console.log('Error: ' + err);5 return;6 }7 console.log('Result: ' + res);8});9Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
Using AI Code Generation
1var DeviceFarmer = require('devicefarmer-stf-client');2var deviceFarmer = new DeviceFarmer({3});4var deviceId = '2b9e8b8d';5deviceFarmer.tryConnect(deviceId, function (err, result) {6 console.log(err, result);7});8var DeviceFarmer = require('devicefarmer-stf-client');9var deviceFarmer = new DeviceFarmer({10});11var deviceId = '2b9e8b8d';12deviceFarmer.tryConnect(deviceId, function (err, result) {13 console.log(err, result);14});15var DeviceFarmer = require('devicefarmer-stf-client');16var deviceFarmer = new DeviceFarmer({17});18var deviceId = '2b9e8b8d';19deviceFarmer.tryConnect(deviceId, function (err, result) {20 console.log(err, result);21});22var DeviceFarmer = require('devicefarmer-stf-client');23var deviceFarmer = new DeviceFarmer({24});25var deviceId = '2b9e8b8d';26deviceFarmer.tryConnect(deviceId, function (err, result) {27 console.log(err, result);28});29var DeviceFarmer = require('devicefarmer-stf-client');30var deviceFarmer = new DeviceFarmer({31});32var deviceId = '2b9e8b8d';33deviceFarmer.tryConnect(deviceId, function (err, result) {34 console.log(err, result);35});36var DeviceFarmer = require('devicefarmer-stf-client');37var deviceFarmer = new DeviceFarmer({
Using AI Code Generation
1var devicefarmer = require('devicefarmer-stf');2var device = stf.connect("e6b2b1c8");3device.tryConnect(function(err, result) {4 if (err) {5 console.log(err);6 } else {7 console.log(result);8 }9});10var devicefarmer = require('devicefarmer-stf');11stf.getDevices(function(err, result) {12 if (err) {13 console.log(err);14 } else {15 console.log(result);16 }17});18var devicefarmer = require('devicefarmer-stf');19stf.getDevice("e6b2b1c8", function(err, result) {20 if (err) {21 console.log(err);22 } else {23 console.log(result);24 }25});26var devicefarmer = require('devicefarmer-stf');27stf.getDevice("e6b2b1c8", function(err, result) {28 if (err) {29 console.log(err);30 } else {31 console.log(result);32 }33});34var devicefarmer = require('devicefarmer-stf');35stf.getDevice("e6b2b1c8", function(err, result) {36 if (err) {37 console.log(err);38 } else {39 console.log(result);40 }41});42var devicefarmer = require('devicefarmer-stf');43stf.getDevice("e6b2b1c8",
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.
You could also refer to video tutorials over LambdaTest YouTube channel to get step by step demonstration from industry experts.
Get 100 minutes of automation test minutes FREE!!