Best JavaScript code snippet using playwright-internal
jquery.flot.touch.js
Source: jquery.flot.touch.js
1/* global jQuery */2(function($) {3 'use strict';4 var options = {5 propagateSupportedGesture: false6 };7 function init(plot) {8 plot.hooks.processOptions.push(initTouchNavigation);9 }10 function initTouchNavigation(plot, options) {11 var gestureState = {12 twoTouches: false,13 currentTapStart: { x: 0, y: 0 },14 currentTapEnd: { x: 0, y: 0 },15 prevTap: { x: 0, y: 0 },16 currentTap: { x: 0, y: 0 },17 interceptedLongTap: false,18 isUnsupportedGesture: false,19 prevTapTime: null,20 tapStartTime: null,21 longTapTriggerId: null22 },23 maxDistanceBetweenTaps = 20,24 maxIntervalBetweenTaps = 500,25 maxLongTapDistance = 20,26 minLongTapDuration = 1500,27 pressedTapDuration = 125,28 mainEventHolder;29 function interpretGestures(e) {30 var o = plot.getOptions();31 if (!o.pan.active && !o.zoom.active) {32 return;33 }34 updateOnMultipleTouches(e);35 mainEventHolder.dispatchEvent(new CustomEvent('touchevent', { detail: e }));36 if (isPinchEvent(e)) {37 executeAction(e, 'pinch');38 } else {39 executeAction(e, 'pan');40 if (!wasPinchEvent(e)) {41 if (isDoubleTap(e)) {42 executeAction(e, 'doubleTap');43 }44 executeAction(e, 'tap');45 executeAction(e, 'longTap');46 }47 }48 }49 function executeAction(e, gesture) {50 switch (gesture) {51 case 'pan':52 pan[e.type](e);53 break;54 case 'pinch':55 pinch[e.type](e);56 break;57 case 'doubleTap':58 doubleTap.onDoubleTap(e);59 break;60 case 'longTap':61 longTap[e.type](e);62 break;63 case 'tap':64 tap[e.type](e);65 break;66 }67 }68 function bindEvents(plot, eventHolder) {69 mainEventHolder = eventHolder[0];70 eventHolder[0].addEventListener('touchstart', interpretGestures, false);71 eventHolder[0].addEventListener('touchmove', interpretGestures, false);72 eventHolder[0].addEventListener('touchend', interpretGestures, false);73 }74 function shutdown(plot, eventHolder) {75 eventHolder[0].removeEventListener('touchstart', interpretGestures);76 eventHolder[0].removeEventListener('touchmove', interpretGestures);77 eventHolder[0].removeEventListener('touchend', interpretGestures);78 if (gestureState.longTapTriggerId) {79 clearTimeout(gestureState.longTapTriggerId);80 gestureState.longTapTriggerId = null;81 }82 }83 var pan = {84 touchstart: function(e) {85 updatePrevForDoubleTap();86 updateCurrentForDoubleTap(e);87 updateStateForLongTapStart(e);88 mainEventHolder.dispatchEvent(new CustomEvent('panstart', { detail: e }));89 },90 touchmove: function(e) {91 preventEventBehaviors(e);92 updateCurrentForDoubleTap(e);93 updateStateForLongTapEnd(e);94 if (!gestureState.isUnsupportedGesture) {95 mainEventHolder.dispatchEvent(new CustomEvent('pandrag', { detail: e }));96 }97 },98 touchend: function(e) {99 preventEventBehaviors(e);100 if (wasPinchEvent(e)) {101 mainEventHolder.dispatchEvent(new CustomEvent('pinchend', { detail: e }));102 mainEventHolder.dispatchEvent(new CustomEvent('panstart', { detail: e }));103 } else if (noTouchActive(e)) {104 mainEventHolder.dispatchEvent(new CustomEvent('panend', { detail: e }));105 }106 }107 };108 var pinch = {109 touchstart: function(e) {110 mainEventHolder.dispatchEvent(new CustomEvent('pinchstart', { detail: e }));111 },112 touchmove: function(e) {113 preventEventBehaviors(e);114 gestureState.twoTouches = isPinchEvent(e);115 if (!gestureState.isUnsupportedGesture) {116 mainEventHolder.dispatchEvent(new CustomEvent('pinchdrag', { detail: e }));117 }118 },119 touchend: function(e) {120 preventEventBehaviors(e);121 }122 };123 var doubleTap = {124 onDoubleTap: function(e) {125 preventEventBehaviors(e);126 mainEventHolder.dispatchEvent(new CustomEvent('doubletap', { detail: e }));127 }128 };129 var longTap = {130 touchstart: function(e) {131 longTap.waitForLongTap(e);132 },133 touchmove: function(e) {134 },135 touchend: function(e) {136 if (gestureState.longTapTriggerId) {137 clearTimeout(gestureState.longTapTriggerId);138 gestureState.longTapTriggerId = null;139 }140 },141 isLongTap: function(e) {142 var currentTime = new Date().getTime(),143 tapDuration = currentTime - gestureState.tapStartTime;144 if (tapDuration >= minLongTapDuration && !gestureState.interceptedLongTap) {145 if (distance(gestureState.currentTapStart.x, gestureState.currentTapStart.y, gestureState.currentTapEnd.x, gestureState.currentTapEnd.y) < maxLongTapDistance) {146 gestureState.interceptedLongTap = true;147 return true;148 }149 }150 return false;151 },152 waitForLongTap: function(e) {153 var longTapTrigger = function() {154 if (longTap.isLongTap(e)) {155 mainEventHolder.dispatchEvent(new CustomEvent('longtap', { detail: e }));156 }157 gestureState.longTapTriggerId = null;158 };159 if (!gestureState.longTapTriggerId) {160 gestureState.longTapTriggerId = setTimeout(longTapTrigger, minLongTapDuration);161 }162 }163 };164 var tap = {165 touchstart: function(e) {166 gestureState.tapStartTime = new Date().getTime();167 },168 touchmove: function(e) {169 },170 touchend: function(e) {171 if (tap.isTap(e)) {172 mainEventHolder.dispatchEvent(new CustomEvent('tap', { detail: e }));173 preventEventBehaviors(e);174 }175 },176 isTap: function(e) {177 var currentTime = new Date().getTime(),178 tapDuration = currentTime - gestureState.tapStartTime;179 if (tapDuration <= pressedTapDuration) {180 if (distance(gestureState.currentTapStart.x, gestureState.currentTapStart.y, gestureState.currentTapEnd.x, gestureState.currentTapEnd.y) < maxLongTapDistance) {181 return true;182 }183 }184 return false;185 }186 };187 if (options.pan.enableTouch === true || options.zoom.enableTouch) {188 plot.hooks.bindEvents.push(bindEvents);189 plot.hooks.shutdown.push(shutdown);190 };191 function updatePrevForDoubleTap() {192 gestureState.prevTap = {193 x: gestureState.currentTap.x,194 y: gestureState.currentTap.y195 };196 };197 function updateCurrentForDoubleTap(e) {198 gestureState.currentTap = {199 x: e.touches[0].pageX,200 y: e.touches[0].pageY201 };202 }203 function updateStateForLongTapStart(e) {204 gestureState.tapStartTime = new Date().getTime();205 gestureState.interceptedLongTap = false;206 gestureState.currentTapStart = {207 x: e.touches[0].pageX,208 y: e.touches[0].pageY209 };210 gestureState.currentTapEnd = {211 x: e.touches[0].pageX,212 y: e.touches[0].pageY213 };214 };215 function updateStateForLongTapEnd(e) {216 gestureState.currentTapEnd = {217 x: e.touches[0].pageX,218 y: e.touches[0].pageY219 };220 };221 function isDoubleTap(e) {222 var currentTime = new Date().getTime(),223 intervalBetweenTaps = currentTime - gestureState.prevTapTime;224 if (intervalBetweenTaps >= 0 && intervalBetweenTaps < maxIntervalBetweenTaps) {225 if (distance(gestureState.prevTap.x, gestureState.prevTap.y, gestureState.currentTap.x, gestureState.currentTap.y) < maxDistanceBetweenTaps) {226 e.firstTouch = gestureState.prevTap;227 e.secondTouch = gestureState.currentTap;228 return true;229 }230 }231 gestureState.prevTapTime = currentTime;232 return false;233 }234 function preventEventBehaviors(e) {235 if (!gestureState.isUnsupportedGesture) {236 e.preventDefault();237 if (!plot.getOptions().propagateSupportedGesture) {238 e.stopPropagation();239 }240 }241 }242 function distance(x1, y1, x2, y2) {243 return Math.sqrt((x1 - x2) * (x1 - x2) + (y1 - y2) * (y1 - y2));244 }245 function noTouchActive(e) {246 return (e.touches && e.touches.length === 0);247 }248 function wasPinchEvent(e) {249 return (gestureState.twoTouches && e.touches.length === 1);250 }251 function updateOnMultipleTouches(e) {252 if (e.touches.length >= 3) {253 gestureState.isUnsupportedGesture = true;254 } else {255 gestureState.isUnsupportedGesture = false;256 }257 }258 function isPinchEvent(e) {259 if (e.touches && e.touches.length >= 2) {260 if (e.touches[0].target === plot.getEventHolder() &&261 e.touches[1].target === plot.getEventHolder()) {262 return true;263 }264 }265 return false;266 }267 }268 $.plot.plugins.push({269 init: init,270 options: options,271 name: 'navigateTouch',272 version: '0.3'273 });...
tapTarget.js
Source: tapTarget.js
1(function ($) {2 var methods = {3 init: function (options) {4 return this.each(function() {5 var origin = $('#'+$(this).attr('data-activates'));6 var screen = $('body');7 // Creating tap target8 var tapTargetEl = $(this);9 var tapTargetWrapper = tapTargetEl.parent('.tap-target-wrapper');10 var tapTargetWave = tapTargetWrapper.find('.tap-target-wave');11 var tapTargetOriginEl = tapTargetWrapper.find('.tap-target-origin');12 var tapTargetContentEl = tapTargetEl.find('.tap-target-content');13 // Creating wrapper14 if (!tapTargetWrapper.length) {15 tapTargetWrapper = tapTargetEl.wrap($('<div class="tap-target-wrapper"></div>')).parent();16 }17 // Creating content18 if (!tapTargetContentEl.length) {19 tapTargetContentEl = $('<div class="tap-target-content"></div>');20 tapTargetEl.append(tapTargetContentEl);21 }22 // Creating foreground wave23 if (!tapTargetWave.length) {24 tapTargetWave = $('<div class="tap-target-wave"></div>');25 // Creating origin26 if (!tapTargetOriginEl.length) {27 tapTargetOriginEl = origin.clone(true, true);28 tapTargetOriginEl.addClass('tap-target-origin');29 tapTargetOriginEl.removeAttr('id');30 tapTargetOriginEl.removeAttr('style');31 tapTargetWave.append(tapTargetOriginEl);32 }33 tapTargetWrapper.append(tapTargetWave);34 }35 // Open36 var openTapTarget = function() {37 if (tapTargetWrapper.is('.open')) {38 return;39 }40 // Adding open class41 tapTargetWrapper.addClass('open');42 setTimeout(function() {43 tapTargetOriginEl.off('click.tapTarget').on('click.tapTarget', function(e) {44 closeTapTarget();45 tapTargetOriginEl.off('click.tapTarget');46 });47 $(document).off('click.tapTarget').on('click.tapTarget', function(e) {48 closeTapTarget();49 $(document).off('click.tapTarget');50 });51 var throttledCalc = Materialize.throttle(function() {52 calculateTapTarget();53 }, 200);54 $(window).off('resize.tapTarget').on('resize.tapTarget', throttledCalc);55 }, 0);56 };57 // Close58 var closeTapTarget = function(){59 if (!tapTargetWrapper.is('.open')) {60 return;61 }62 tapTargetWrapper.removeClass('open');63 tapTargetOriginEl.off('click.tapTarget')64 $(document).off('click.tapTarget');65 $(window).off('resize.tapTarget');66 };67 // Pre calculate68 var calculateTapTarget = function() {69 // Element or parent is fixed position?70 var isFixed = origin.css('position') === 'fixed';71 if (!isFixed) {72 var parents = origin.parents();73 for(var i = 0; i < parents.length; i++) {74 isFixed = $(parents[i]).css('position') == 'fixed';75 if (isFixed) {76 break;77 }78 }79 }80 // Calculating origin81 var originWidth = origin.outerWidth();82 var originHeight = origin.outerHeight();83 var originTop = isFixed ? origin.offset().top - $(document).scrollTop() : origin.offset().top;84 var originLeft = isFixed ? origin.offset().left - $(document).scrollLeft() : origin.offset().left;85 // Calculating screen86 var windowWidth = $(window).width();87 var windowHeight = $(window).height();88 var centerX = windowWidth / 2;89 var centerY = windowHeight / 2;90 var isLeft = originLeft <= centerX;91 var isRight = originLeft > centerX;92 var isTop = originTop <= centerY;93 var isBottom = originTop > centerY;94 var isCenterX = originLeft >= windowWidth*0.25 && originLeft <= windowWidth*0.75;95 var isCenterY = originTop >= windowHeight*0.25 && originTop <= windowHeight*0.75;96 // Calculating tap target97 var tapTargetWidth = tapTargetEl.outerWidth();98 var tapTargetHeight = tapTargetEl.outerHeight();99 var tapTargetTop = originTop + originHeight/2 - tapTargetHeight/2;100 var tapTargetLeft = originLeft + originWidth/2 - tapTargetWidth/2;101 var tapTargetPosition = isFixed ? 'fixed' : 'absolute';102 // Calculating content103 var tapTargetTextWidth = isCenterX ? tapTargetWidth : tapTargetWidth/2 + originWidth;104 var tapTargetTextHeight = tapTargetHeight/2;105 var tapTargetTextTop = isTop ? tapTargetHeight/2 : 0;106 var tapTargetTextBottom = 0;107 var tapTargetTextLeft = isLeft && !isCenterX ? tapTargetWidth/2 - originWidth : 0;108 var tapTargetTextRight = 0;109 var tapTargetTextPadding = originWidth;110 var tapTargetTextAlign = isBottom ? 'bottom' : 'top';111 // Calculating wave112 var tapTargetWaveWidth = originWidth > originHeight ? originWidth*2 : originWidth*2;113 var tapTargetWaveHeight = tapTargetWaveWidth;114 var tapTargetWaveTop = tapTargetHeight/2 - tapTargetWaveHeight/2;115 var tapTargetWaveLeft = tapTargetWidth/2 - tapTargetWaveWidth/2;116 // Setting tap target117 var tapTargetWrapperCssObj = {};118 tapTargetWrapperCssObj.top = isTop ? tapTargetTop : '';119 tapTargetWrapperCssObj.right = isRight ? windowWidth - tapTargetLeft - tapTargetWidth : '';120 tapTargetWrapperCssObj.bottom = isBottom ? windowHeight - tapTargetTop - tapTargetHeight : '';121 tapTargetWrapperCssObj.left = isLeft ? tapTargetLeft : '';122 tapTargetWrapperCssObj.position = tapTargetPosition;123 tapTargetWrapper.css(tapTargetWrapperCssObj);124 // Setting content125 tapTargetContentEl.css({126 width: tapTargetTextWidth,127 height: tapTargetTextHeight,128 top: tapTargetTextTop,129 right: tapTargetTextRight,130 bottom: tapTargetTextBottom,131 left: tapTargetTextLeft,132 padding: tapTargetTextPadding,133 verticalAlign: tapTargetTextAlign134 });135 // Setting wave136 tapTargetWave.css({137 top: tapTargetWaveTop,138 left: tapTargetWaveLeft,139 width: tapTargetWaveWidth,140 height: tapTargetWaveHeight141 });142 }143 if (options == 'open') {144 calculateTapTarget();145 openTapTarget();146 }147 if (options == 'close')148 closeTapTarget();149 });150 },151 open: function() {},152 close: function() {}153 };154 $.fn.tapTarget = function(methodOrOptions) {155 if (methods[methodOrOptions] || typeof methodOrOptions === 'object')156 return methods.init.apply( this, arguments );157 $.error( 'Method ' + methodOrOptions + ' does not exist on jQuery.tap-target' );158 };...
tap.js.uncompressed.js
Source: tap.js.uncompressed.js
...31 // | on(node, tap.hold, function(e){});32 // | on(node, tap.doubletap, function(e){});33 //34 // C. Used with dojox.gesture.tap.* directly35 // | dojox.gesture.tap(node, function(e){});36 // | dojox.gesture.tap.hold(node, function(e){});37 // | dojox.gesture.tap.doubletap(node, function(e){});38 //39 // Though there is always a default gesture instance after being required, e.g40 // | require(['dojox/gesture/tap'], function(){...});41 //42 // It's possible to create a new one with different parameter setting:43 // | var myTap = new dojox.gesture.tap.Tap({holdThreshold: 300});44 // | dojo.connect(node, myTap, function(e){});45 // | dojo.connect(node, myTap.hold, function(e){});46 // | dojo.connect(node, myTap.doubletap, function(e){});47 };48=====*/49kernel.experimental("dojox.gesture.tap");50// Declare an internal anonymous class which will only be exported51// by module return value e.g. dojox.gesture.tap.Tap...
tap.js
Source: tap.js
...31 // | on(node, tap.hold, function(e){});32 // | on(node, tap.doubletap, function(e){});33 //34 // C. Used with dojox.gesture.tap.* directly35 // | dojox.gesture.tap(node, function(e){});36 // | dojox.gesture.tap.hold(node, function(e){});37 // | dojox.gesture.tap.doubletap(node, function(e){});38 //39 // Though there is always a default gesture instance after being required, e.g40 // | require(['dojox/gesture/tap'], function(){...});41 //42 // It's possible to create a new one with different parameter setting:43 // | var myTap = new dojox.gesture.tap.Tap({holdThreshold: 300});44 // | dojo.connect(node, myTap, function(e){});45 // | dojo.connect(node, myTap.hold, function(e){});46 // | dojo.connect(node, myTap.doubletap, function(e){});47 };48=====*/49kernel.experimental("dojox.gesture.tap");50// Declare an internal anonymous class which will only be exported51// by module return value e.g. dojox.gesture.tap.Tap...
tripletap.py
Source: tripletap.py
...23 self.triple_tap_distance = dist / 1000.024 time = Config.getint('postproc', 'triple_tap_time')25 self.triple_tap_time = time / 1000.026 self.touches = {}27 def find_triple_tap(self, ref):28 '''Find a triple tap touch within *self.touches*.29 The touch must be not be a previous triple tap and the distance30 must be be within the bounds specified. Additionally, the touch profile31 must be the same kind of touch.32 '''33 ref_button = None34 if 'button' in ref.profile:35 ref_button = ref.button36 for touchid in self.touches:37 if ref.uid == touchid:38 continue39 etype, touch = self.touches[touchid]40 if not touch.is_double_tap:41 continue42 if etype != 'end':43 continue44 if touch.is_triple_tap:45 continue46 distance = Vector.distance(47 Vector(ref.sx, ref.sy),48 Vector(touch.osx, touch.osy))49 if distance > self.triple_tap_distance:50 continue51 if touch.is_mouse_scrolling or ref.is_mouse_scrolling:52 continue53 touch_button = None54 if 'button' in touch.profile:55 touch_button = touch.button56 if touch_button != ref_button:57 continue58 touch.triple_tap_distance = distance59 return touch60 def process(self, events):61 if self.triple_tap_distance == 0 or self.triple_tap_time == 0:62 return events63 # first, check if a touch down have a triple tap64 for etype, touch in events:65 if not touch.is_touch:66 continue67 if etype == 'begin':68 triple_tap = self.find_triple_tap(touch)69 if triple_tap:70 touch.is_double_tap = False71 touch.is_triple_tap = True72 tap_time = touch.time_start - triple_tap.time_start73 touch.triple_tap_time = tap_time74 distance = triple_tap.triple_tap_distance75 touch.triple_tap_distance = distance76 # add the touch internally77 self.touches[touch.uid] = (etype, touch)78 # second, check if up-touch is timeout for triple tap79 time_current = time()80 to_delete = []81 for touchid in self.touches.keys():82 etype, touch = self.touches[touchid]...
doubletap.py
Source: doubletap.py
...22 self.double_tap_distance = dist / 1000.023 tap_time = Config.getint('postproc', 'double_tap_time')24 self.double_tap_time = tap_time / 1000.025 self.touches = {}26 def find_double_tap(self, ref):27 '''Find a double tap touch within self.touches.28 The touch must be not a previous double tap and the distance must be29 within the specified threshold. Additionally, the touch profiles30 must be the same kind of touch.31 '''32 ref_button = None33 if 'button' in ref.profile:34 ref_button = ref.button35 for touchid in self.touches:36 if ref.uid == touchid:37 continue38 etype, touch = self.touches[touchid]39 if etype != 'end':40 continue41 if touch.is_double_tap:42 continue43 distance = Vector.distance(44 Vector(ref.sx, ref.sy),45 Vector(touch.osx, touch.osy))46 if distance > self.double_tap_distance:47 continue48 if touch.is_mouse_scrolling or ref.is_mouse_scrolling:49 continue50 touch_button = None51 if 'button' in touch.profile:52 touch_button = touch.button53 if touch_button != ref_button:54 continue55 touch.double_tap_distance = distance56 return touch57 def process(self, events):58 if self.double_tap_distance == 0 or self.double_tap_time == 0:59 return events60 # first, check if a touch down have a double tap61 for etype, touch in events:62 if not touch.is_touch:63 continue64 if etype == 'begin':65 double_tap = self.find_double_tap(touch)66 if double_tap:67 touch.is_double_tap = True68 tap_time = touch.time_start - double_tap.time_start69 touch.double_tap_time = tap_time70 distance = double_tap.double_tap_distance71 touch.double_tap_distance = distance72 # add the touch internally73 self.touches[touch.uid] = (etype, touch)74 # second, check if up-touch is timeout for double tap75 time_current = time()76 to_delete = []77 for touchid in self.touches.keys():78 etype, touch = self.touches[touchid]79 if etype != 'end':...
tuntap_unittest.py
Source: tuntap_unittest.py
1# Copyright (c) 2013 The Chromium OS Authors. All rights reserved.2# Use of this source code is governed by a BSD-style license that can be3# found in the LICENSE file.4import unittest5from lansim import tuntap6class TunTapTest(unittest.TestCase):7 """Unit tests for the TunTap class."""8 def testCreateTapDevice(self):9 """Tests creation of a TAP device and its attributes."""10 tap = tuntap.TunTap(tuntap.IFF_TAP, name="faketap%d")11 self.assertEqual(tap.mode, tuntap.IFF_TAP)12 # Interface name respects the provided format.13 self.assertTrue(hasattr(tap, 'name'))14 self.assertTrue(tap.name.startswith('faketap'))15 # MTU is set for the interface.16 self.assertTrue(hasattr(tap, 'mtu'))17 self.assertTrue(tap.mtu)18 def testCreateTunDevice(self):19 """Tests creation of a TAP device and its attributes."""20 tun = tuntap.TunTap(tuntap.IFF_TUN, name="faketun%d")21 self.assertEqual(tun.mode, tuntap.IFF_TUN)22 def testTapDeviceHWAddr(self):23 """Tests that we can get and set the HW address of a TAP device."""24 tap = tuntap.TunTap(tuntap.IFF_TAP, name="faketap%d")25 family, addr = tap.get_hwaddr()26 self.assertEqual(family, 1) # Ethernet address27 # Select a different hwaddr.28 addr = addr[:-2] + ('11' if addr[-2:] != '11' else '22')29 new_family, new_addr = tap.set_hwaddr(addr)30 self.assertEqual(new_family, 1)31 self.assertEqual(new_addr, addr)32 new_family, new_addr = tap.get_hwaddr()33 self.assertEqual(new_family, 1)34 self.assertEqual(new_addr, addr)35 def testTapDeviceUpDown(self):36 """Tests if it is possible to bring up and down the interface."""37 tap = tuntap.TunTap(tuntap.IFF_TAP, name="faketap%d")38 # Set the IP address to a safe value:39 tap.set_addr('169.254.10.1')40 self.assertEqual(tap.addr, '169.254.10.1')41 tap.set_addr('0.0.0.0')42 self.assertFalse(tap.is_up())43 tap.up()44 self.assertTrue(tap.is_up())45 # Checks that calling up() twice is harmless.46 tap.up()47 self.assertTrue(tap.is_up())48 tap.down()49 self.assertFalse(tap.is_up())50if __name__ == '__main__':...
wscript
Source: wscript
1## -*- Mode: python; py-indent-offset: 4; indent-tabs-mode: nil; coding: utf-8; -*-2import os.path3def configure(conf):4 if conf.env['ENABLE_THREADING']:5 conf.env['ENABLE_TAP'] = conf.check_nonfatal(header_name='linux/if_tun.h',6 define_name='HAVE_IF_TUN_H')7 conf.report_optional_feature("TapBridge", "Tap Bridge",8 conf.env['ENABLE_TAP'],9 "<linux/if_tun.h> include not detected")10 else:11 conf.report_optional_feature("TapBridge", "Tap Bridge",12 False,13 "needs threading support which is not available")14 if conf.env['ENABLE_TAP']:15 blddir = os.path.abspath(os.path.join(conf.bldnode.abspath(), conf.variant))16 tapcreatordir = os.path.abspath(os.path.join(blddir, "src/tap-bridge"))17 conf.env.append_value('NS3_EXECUTABLE_PATH', tapcreatordir)18 else:19 # Add this module to the list of modules that won't be built20 # if they are enabled.21 conf.env['MODULES_NOT_BUILT'].append('tap-bridge')22def build(bld):23 # Don't do anything for this module if tap-bridge's not enabled.24 if not bld.env['ENABLE_TAP']:25 return26 module = bld.create_ns3_module('tap-bridge', ['internet', 'network', 'core'])27 module.source = [28 'model/tap-bridge.cc',29 'model/tap-encode-decode.cc',30 'helper/tap-bridge-helper.cc',31 ]32 headers = bld(features='ns3header')33 headers.module = 'tap-bridge'34 headers.source = [35 'model/tap-bridge.h',36 'helper/tap-bridge-helper.h',37 'doc/tap.h',38 ]39 if not bld.env['PLATFORM'].startswith('freebsd'):40 tap_creator = bld.create_suid_program('tap-creator')41 tap_creator.source = [42 'model/tap-creator.cc',43 'model/tap-encode-decode.cc',44 ]45 module.env.append_value("DEFINES", "TAP_CREATOR=\"%s\"" % (tap_creator.target,))46 if bld.env['ENABLE_EXAMPLES']:47 bld.recurse('examples')...
Using AI Code Generation
1const { tap } = require('@playwright/test');2const { test } = require('@playwright/test');3test('test', async ({ page }) => {4 await tap(page.locator('text=Get Started'));5});6module.exports = {7 use: {8 }9};10{11 "devDependencies": {12 }13}14{15 "scripts": {16 }17}18{19 "scripts": {20 }21}22{23 "scripts": {24 }25}26{27 "scripts": {28 }29}30{31 "scripts": {32 }33}34{35 "scripts": {
Using AI Code Generation
1const { tap } = require('@playwright/test');2const { test } = require('@playwright/test');3test('my test', async ({ page }) => {4 await tap(page.locator('#docs-button'));5 await page.waitForSelector('.navbar__inner');6 await tap(page.locator('#navbar-docs-link'));7 await page.waitForSelector('#docs-content');8});9module.exports = {10 {11 use: {12 viewport: { width: 1280, height: 720 },13 },14 },15};16 at ElementHandle._assertBoundingBoxVisible (node_modules/playwright-core/lib/cjs/pw_api.js:303:19)17 at ElementHandle._clickablePoint (node_modules/playwright-core/lib/cjs/pw_api.js:243:14)18 at ElementHandle.click (node_modules/playwright-core/lib/cjs/pw_api.js:225:28)19 at ElementHandle.tap (node_modules/playwright-core/lib/cjs/pw_api.js:215:29)20 at Context.<anonymous> (test.js:16:7)21await page.click('#docs-button');22Your name to display (optional):
Using AI Code Generation
1const { tap } = require('@playwright/test');2const { test } = require('@playwright/test');3test('example', async ({ page }) => {4 await page.click('a[href="/docs/intro"]');5 await tap(page, 'text=Docs');6});7{8 "compilerOptions": {9 }10}11import { PlaywrightTestConfig } from '@playwright/test';12const config: PlaywrightTestConfig = {13 {14 use: {15 },16 },17 {18 use: {19 },20 },21 {22 use: {23 },24 },25 globalSetup: require.resolve('./globalSetup.ts'),26 globalTeardown: require.resolve('./globalTeardown.ts'),27 reporter: [['dot'], ['junit', { outputFile: 'test-results.xml' }]],28};29export default config;30import { PlaywrightTestConfig } from '@playwright/test';31import { chromium, firefox, webkit } from 'playwright';32export default async function globalSetup(33): Promise<void> {34 const browser = await chromium.launch();35 const page = await browser.newPage();36 await page.click('a[href="/docs/intro"]');37 await page.screenshot({ path: 'docs-page.png' });38 await browser.close();39}40import { PlaywrightTestConfig } from '@playwright/test';41export default async function globalTeardown(42): Promise<void> {43}
Using AI Code Generation
1const { tap } = require('@playwright/test');2const { expect } = require('@playwright/test');3const { test } = require('@playwright/test');4test.describe('My first test', () => {5 test.beforeEach(async ({ page }) => {6 });7 test('My first test', async ({ page }) => {8 const title = page.locator('h1');9 await tap(title);10 expect(await title.innerText()).toBe('Google');11 });12});13const { tap } = require('@playwright/test');14const { expect } = require('@playwright/test');15const { test } = require('@playwright/test');16test.describe('My first test', () => {17 test.beforeEach(async ({ page }) => {18 });19 test('My first test', async ({ page }) => {20 const title = page.locator('h1');21 await tap(title);22 expect(await title.innerText()).toBe('Google');23 });24});
Jest + Playwright - Test callbacks of event-based DOM library
firefox browser does not start in playwright
Is it possible to get the selector from a locator object in playwright?
How to run a list of test suites in a single file concurrently in jest?
Running Playwright in Azure Function
firefox browser does not start in playwright
This question is quite close to a "need more focus" question. But let's try to give it some focus:
Does Playwright has access to the cPicker object on the page? Does it has access to the window object?
Yes, you can access both cPicker and the window object inside an evaluate call.
Should I trigger the events from the HTML file itself, and in the callbacks, print in the DOM the result, in some dummy-element, and then infer from that dummy element text that the callbacks fired?
Exactly, or you can assign values to a javascript variable:
const cPicker = new ColorPicker({
onClickOutside(e){
},
onInput(color){
window['color'] = color;
},
onChange(color){
window['result'] = color;
}
})
And then
it('Should call all callbacks with correct arguments', async() => {
await page.goto(`http://localhost:5000/tests/visual/basic.html`, {waitUntil:'load'})
// Wait until the next frame
await page.evaluate(() => new Promise(requestAnimationFrame))
// Act
// Assert
const result = await page.evaluate(() => window['color']);
// Check the value
})
Check out the latest blogs from LambdaTest on this topic:
Native apps are developed specifically for one platform. Hence they are fast and deliver superior performance. They can be downloaded from various app stores and are not accessible through browsers.
One of the essential parts when performing automated UI testing, whether using Selenium or another framework, is identifying the correct web elements the tests will interact with. However, if the web elements are not located correctly, you might get NoSuchElementException in Selenium. This would cause a false negative result because we won’t get to the actual functionality check. Instead, our test will fail simply because it failed to interact with the correct element.
Smartphones have changed the way humans interact with technology. Be it travel, fitness, lifestyle, video games, or even services, it’s all just a few touches away (quite literally so). We only need to look at the growing throngs of smartphone or tablet users vs. desktop users to grasp this reality.
As part of one of my consulting efforts, I worked with a mid-sized company that was looking to move toward a more agile manner of developing software. As with any shift in work style, there is some bewilderment and, for some, considerable anxiety. People are being challenged to leave their comfort zones and embrace a continuously changing, dynamic working environment. And, dare I say it, testing may be the most ‘disturbed’ of the software roles in agile development.
LambdaTest’s Playwright tutorial will give you a broader idea about the Playwright automation framework, its unique features, and use cases with examples to exceed your understanding of Playwright testing. This tutorial will give A to Z guidance, from installing the Playwright framework to some best practices and advanced concepts.
Get 100 minutes of automation test minutes FREE!!