How to use map method in hypothesis

Best Python code snippet using hypothesis

Map-test.jsx

Source:Map-test.jsx Github

copy

Full Screen

...873 });874 it('test getResolutions default', () => {875 const maxResolution = 2 * 20037508.34;876 const tileSize = 256;877 const expectedResolutions = Array.from(Array(29).keys()).map( k=> maxResolution / tileSize / Math.pow(2, k));878 let map = ReactDOM.render(<OpenlayersMap id="ol-map" center={{ y: 43.9, x: 10.3 }} zoom={11} mapOptions={{ attribution: { container: 'body' } }} />, document.getElementById("map"));879 expect(map.getResolutions().length).toBe(expectedResolutions.length);880 // NOTE: round881 expect(map.getResolutions().map(a => a.toFixed(4))).toEqual(expectedResolutions.map(a => a.toFixed(4)));882 });883 it('test getResolutions with custom projection', () => {884 const projectionDefs = [885 {886 "code": "EPSG:3003",887 "def": "+proj=tmerc +lat_0=0 +lon_0=9 +k=0.9996 +x_0=1500000 +y_0=0 +ellps=intl+towgs84=-104.1,-49.1,-9.9,0.971,-2.917,0.714,-11.68 +units=m +no_defs",888 "extent": [889 1241482.0019432348,890 972767.2605398067,891 1847542.2626266503,892 5215189.085323715893 ],894 "worldExtent": [895 6.6500,896 8.8000,897 12.0000,898 47.0500899 ]900 }901 ];902 proj.defs(projectionDefs[0].code, projectionDefs[0].def);903 const maxResolution = 1847542.2626266503 - 1241482.0019432348;904 const tileSize = 256;905 const expectedResolutions = Array.from(Array(29).keys()).map(k => maxResolution / tileSize / Math.pow(2, k));906 let map = ReactDOM.render(<OpenlayersMap907 id="ol-map"908 center={{909 x: 10.710054361528954,910 y: 43.69814562139725,911 crs: 'EPSG:4326'912 }}913 projectionDefs={projectionDefs}914 zoom={11}915 mapOptions={{ attribution: { container: 'body' } }}916 projection={projectionDefs[0].code}917 />, document.getElementById("map"));918 expect(map.getResolutions()).toExist();919 expect(map.getResolutions().length).toBe(expectedResolutions.length);920 // NOTE: round921 expect(map.getResolutions().map(a => a.toFixed(4))).toEqual(expectedResolutions.map(a => a.toFixed(4)));922 });923 it('test double attribution on document', () => {924 let map = ReactDOM.render(925 <span>926 <div className="ol-attribution"></div>927 <div id="map-attribution"></div>928 <OpenlayersMap id="ol-map" center={{y: 43.9, x: 10.3}} zoom={11} mapOptions={{attribution: {container: '#map-attribution'}}}/>929 </span>930 , document.getElementById("map"));931 expect(map).toExist();932 const domMap = document.getElementById('ol-map');933 let attributions = domMap.getElementsByClassName('ol-attribution');934 expect(attributions.length).toBe(0);935 attributions = document.getElementsByClassName('ol-attribution');...

Full Screen

Full Screen

path.js

Source:path.js Github

copy

Full Screen

1import * as Utils from './utils.js';2import { def, make } from './gw.js';3var PATH = {};4export { PATH as path };5const PDS_FORBIDDEN = def.PDS_FORBIDDEN = -1;6const PDS_OBSTRUCTION = def.PDS_OBSTRUCTION = -2;7const PDS_AVOIDED = def.PDS_AVOIDED = 10;8const PDS_NO_PATH = def.PDS_NO_PATH = 30000;9// GW.actor.avoidsCell = GW.actor.avoidsCell || Utils.FALSE;10// GW.actor.canPass = GW.actor.canPass || ((a, b) => a === b);11function makeCostLink(i) {12 return {13 distance: 0,14 cost: 0,15 index: i,16 left: null, right: null17 };18}19function makeDijkstraMap(w, h) {20 return {21 eightWays: false,22 front: makeCostLink(-1),23 links: make.array(w * h, (i) => makeCostLink(i) ),24 width: w,25 height: h,26 };27}28function getLink(map, x, y) {29 return (map.links[x + map.width * y]);30}31const DIRS = def.dirs;32function update(map) {33 let dir, dirs;34 let linkIndex;35 let left = null, right = null, link = null;36 dirs = map.eightWays ? 8 : 4;37 let head = map.front.right;38 map.front.right = null;39 while (head != null) {40 for (dir = 0; dir < dirs; dir++) {41 linkIndex = head.index + (DIRS[dir][0] + map.width * DIRS[dir][1]);42 if (linkIndex < 0 || linkIndex >= map.width * map.height) continue;43 link = map.links[linkIndex];44 // verify passability45 if (link.cost < 0) continue;46 let diagCost = 0;47 if (dir >= 4) {48 diagCost = 0.4142;49 let way1, way1index, way2, way2index;50 way1index = head.index + DIRS[dir][0];51 if (way1index < 0 || way1index >= map.width * map.height) continue;52 way2index = head.index + map.width * DIRS[dir][1];53 if (way2index < 0 || way2index >= map.width * map.height) continue;54 way1 = map.links[way1index];55 way2 = map.links[way2index];56 if (way1.cost == PDS_OBSTRUCTION || way2.cost == PDS_OBSTRUCTION) continue;57 }58 if (head.distance + link.cost + diagCost < link.distance) {59 link.distance = head.distance + link.cost + diagCost;60 // reinsert the touched cell; it'll be close to the beginning of the list now, so61 // this will be very fast. start by removing it.62 if (link.right != null) link.right.left = link.left;63 if (link.left != null) link.left.right = link.right;64 left = head;65 right = head.right;66 while (right != null && right.distance < link.distance) {67 left = right;68 right = right.right;69 }70 if (left != null) left.right = link;71 link.right = right;72 link.left = left;73 if (right != null) right.left = link;74 }75 }76 right = head.right;77 head.left = null;78 head.right = null;79 head = right;80 }81}82function clear(map, maxDistance, eightWays) {83 let i;84 map.eightWays = eightWays;85 map.front.right = null;86 for (i=0; i < map.width*map.height; i++) {87 map.links[i].distance = maxDistance;88 map.links[i].left = map.links[i].right = null;89 }90}91// function pdsGetDistance(map, x, y) {92// update(map);93// return getLink(map, x, y).distance;94// }95function setDistance(map, x, y, distance) {96 let left, right, link;97 if (x > 0 && y > 0 && x < map.width - 1 && y < map.height - 1) {98 link = getLink(map, x, y);99 if (link.distance > distance) {100 link.distance = distance;101 if (link.right != null) link.right.left = link.left;102 if (link.left != null) link.left.right = link.right;103 left = map.front;104 right = map.front.right;105 while (right != null && right.distance < link.distance) {106 left = right;107 right = right.right;108 }109 link.right = right;110 link.left = left;111 left.right = link;112 if (right != null) right.left = link;113 }114 }115}116function pdsSetCosts(map, costMap) {117 let i, j;118 for (i=0; i<map.width; i++) {119 for (j=0; j<map.height; j++) {120 if (i != 0 && j != 0 && i < map.width - 1 && j < map.height - 1) {121 getLink(map, i, j).cost = costMap[i][j];122 } else {123 getLink(map, i, j).cost = PDS_FORBIDDEN;124 }125 }126 }127}128function pdsBatchInput(map, distanceMap, costMap, maxDistance, eightWays) {129 let i, j;130 let left, right;131 map.eightWays = eightWays;132 left = null;133 right = null;134 map.front.right = null;135 for (i=0; i<map.width; i++) {136 for (j=0; j<map.height; j++) {137 let link = getLink(map, i, j);138 if (distanceMap != null) {139 link.distance = distanceMap[i][j];140 } else {141 if (costMap != null) {142 // totally hackish; refactor143 link.distance = maxDistance;144 }145 }146 let cost;147 if (costMap.isBoundaryXY(i, j)) {148 cost = PDS_OBSTRUCTION;149 } else {150 cost = costMap[i][j];151 }152 link.cost = cost;153 if (cost > 0) {154 if (link.distance < maxDistance) {155 if (right == null || right.distance > link.distance) {156 // left and right are used to traverse the list; if many cells have similar values,157 // some time can be saved by not clearing them with each insertion. this time,158 // sadly, we have to start from the front.159 left = map.front;160 right = map.front.right;161 }162 while (right != null && right.distance < link.distance) {163 left = right;164 right = right.right;165 }166 link.right = right;167 link.left = left;168 left.right = link;169 if (right != null) right.left = link;170 left = link;171 } else {172 link.right = null;173 link.left = null;174 }175 } else {176 link.right = null;177 link.left = null;178 }179 }180 }181}182function batchOutput(map, distanceMap) {183 let i, j;184 update(map);185 // transfer results to the distanceMap186 for (i=0; i<map.width; i++) {187 for (j=0; j<map.height; j++) {188 distanceMap[i][j] = getLink(map, i, j).distance;189 }190 }191}192var DIJKSTRA_MAP = null;193export function dijkstraScan(distanceMap, costMap, useDiagonals) {194 // static makeDijkstraMap map;195 if (!DIJKSTRA_MAP || DIJKSTRA_MAP.width < distanceMap.width || DIJKSTRA_MAP.height < distanceMap.height) {196 DIJKSTRA_MAP = makeDijkstraMap(distanceMap.width, distanceMap.height);197 }198 DIJKSTRA_MAP.width = distanceMap.width;199 DIJKSTRA_MAP.height = distanceMap.height;200 pdsBatchInput(DIJKSTRA_MAP, distanceMap, costMap, PDS_NO_PATH, useDiagonals);201 batchOutput(DIJKSTRA_MAP, distanceMap);202}203PATH.dijkstraScan = dijkstraScan;204//205// function populateGenericCostMap(costMap, map) {206// let i, j;207//208// for (i=0; i<map.width; i++) {209// for (j=0; j<map.height; j++) {210// if (map.hasTileFlag(i, j, def.T_OBSTRUCTS_PASSABILITY)211// && (!map.hasTileMechFlag(i, j, def.TM_IS_SECRET) || (map.discoveredTileFlags(i, j) & def.T_OBSTRUCTS_PASSABILITY)))212// {213// costMap[i][j] = map.hasTileFlag(i, j, def.T_OBSTRUCTS_DIAGONAL_MOVEMENT) ? PDS_OBSTRUCTION : PDS_FORBIDDEN;214// } else if (map.hasTileFlag(i, j, def.T_PATHING_BLOCKER & ~def.T_OBSTRUCTS_PASSABILITY)) {215// costMap[i][j] = PDS_FORBIDDEN;216// } else {217// costMap[i][j] = 1;218// }219// }220// }221// }222//223// GW.path.populateGenericCostMap = populateGenericCostMap;224//225//226// function baseCostFunction(blockingTerrainFlags, traveler, canUseSecretDoors, i, j) {227// let cost = 1;228// monst = GW.MAP.actorAt(i, j);229// const monstFlags = (monst ? (monst.info ? monst.info.flags : monst.flags) : 0) || 0;230// if ((monstFlags & (def.MONST_IMMUNE_TO_WEAPONS | def.MONST_INVULNERABLE))231// && (monstFlags & (def.MONST_IMMOBILE | def.MONST_GETS_TURN_ON_ACTIVATION)))232// {233// // Always avoid damage-immune stationary monsters.234// cost = PDS_FORBIDDEN;235// } else if (canUseSecretDoors236// && GW.MAP.hasTileMechFlag(i, j, TM_IS_SECRET)237// && GW.MAP.hasTileFlag(i, j, T_OBSTRUCTS_PASSABILITY)238// && !(GW.MAP.hasDiscoveredFlag(i, j) & T_OBSTRUCTS_PASSABILITY))239// {240// cost = 1;241// } else if (GW.MAP.hasTileFlag(i, j, T_OBSTRUCTS_PASSABILITY)242// || (traveler && traveler === GW.PLAYER && !(GW.MAP.hasCellFlag(i, j, (REVEALED | MAGIC_MAPPED)))))243// {244// cost = GW.MAP.hasTileFlag(i, j, T_OBSTRUCTS_DIAGONAL_MOVEMENT) ? PDS_OBSTRUCTION : PDS_FORBIDDEN;245// } else if ((traveler && GW.actor.avoidsCell(traveler, i, j)) || GW.MAP.hasTileFlag(i, j, blockingTerrainFlags)) {246// cost = PDS_FORBIDDEN;247// }248//249// return cost;250// }251//252// GW.path.costFn = baseCostFunction;253// GW.path.simpleCost = baseCostFunction.bind(undefined, 0, null, false);254// GW.path.costForActor = ((actor) => baseCostFunction.bind(undefined, GW.actor.forbiddenFlags(actor), actor, actor !== GW.PLAYER));255export function calculateDistances(distanceMap,256 destinationX, destinationY,257 costMap,258 eightWays)259{260 if (!DIJKSTRA_MAP || DIJKSTRA_MAP.width < distanceMap.width || DIJKSTRA_MAP.height < distanceMap.height) {261 DIJKSTRA_MAP = makeDijkstraMap(distanceMap.width, distanceMap.height);262 }263 DIJKSTRA_MAP.width = distanceMap.width;264 DIJKSTRA_MAP.height = distanceMap.height;265 let i, j;266 for (i=0; i<distanceMap.width; i++) {267 for (j=0; j<distanceMap.height; j++) {268 getLink(DIJKSTRA_MAP, i, j).cost = costMap.isBoundaryXY(i, j) ? PDS_OBSTRUCTION : costMap[i][j];269 }270 }271 clear(DIJKSTRA_MAP, PDS_NO_PATH, eightWays);272 setDistance(DIJKSTRA_MAP, destinationX, destinationY, 0);273 batchOutput(DIJKSTRA_MAP, distanceMap);274 distanceMap.x = destinationX;275 distanceMap.y = destinationY;276}277PATH.calculateDistances = calculateDistances;278// function pathingDistance(x1, y1, x2, y2, blockingTerrainFlags, actor) {279// let retval;280// const distanceMap = GW.grid.alloc(DUNGEON.width, DUNGEON.height, 0);281// const costFn = baseCostFunction.bind(undefined, blockingTerrainFlags, actor, true);282// calculateDistances(distanceMap, x2, y2, costFn, true);283// retval = distanceMap[x1][y1];284// GW.grid.free(distanceMap);285// return retval;286// }287//288// GW.path.distanceFromTo = pathingDistance;289// function monstTravelDistance(monst, x2, y2, blockingTerrainFlags) {290// let retval;291// const distanceMap = GW.grid.alloc(DUNGEON.width, DUNGEON.height, 0);292// calculateDistances(distanceMap, x2, y2, blockingTerrainFlags, monst, true, true);293// retval = distanceMap[monst.x][monst.y];294// GW.grid.free(distanceMap);295// return retval;296// }297//298// GW.actor.travelDistance = monstTravelDistance;299//300// function getClosestValidLocationOnMap(map, x, y) {301// let i, j, dist, closestDistance, lowestMapScore;302// let locX = -1;303// let locY = -1;304//305// closestDistance = 10000;306// lowestMapScore = 10000;307// for (i=1; i<map.width-1; i++) {308// for (j=1; j<map.height-1; j++) {309// if (map[i][j] >= 0 && map[i][j] < PDS_NO_PATH) {310// dist = (i - x)*(i - x) + (j - y)*(j - y);311// //hiliteCell(i, j, &purple, min(dist / 2, 100), false);312// if (dist < closestDistance313// || dist == closestDistance && map[i][j] < lowestMapScore)314// {315// locX = i;316// locY = j;317// closestDistance = dist;318// lowestMapScore = map[i][j];319// }320// }321// }322// }323// if (locX >= 0) return [locX, locY];324// return null;325// }326//327//328// // Populates path[][] with a list of coordinates starting at origin and traversing down the map. Returns the number of steps in the path.329// function getMonsterPathOnMap(distanceMap, originX, originY, monst) {330// let dir, x, y, steps;331//332// // monst = monst || GW.PLAYER;333// x = originX;334// y = originY;335// steps = 0;336//337//338// if (distanceMap[x][y] < 0 || distanceMap[x][y] >= PDS_NO_PATH) {339// const loc = getClosestValidLocationOnMap(distanceMap, x, y);340// if (loc) {341// x = loc[0];342// y = loc[1];343// }344// }345//346// const path = [[x, y]];347// dir = 0;348// while (dir != def.NO_DIRECTION) {349// dir = GW.path.nextStep(distanceMap, x, y, monst, true);350// if (dir != def.NO_DIRECTION) {351// x += DIRS[dir][0];352// y += DIRS[dir][1];353// // path[steps][0] = x;354// // path[steps][1] = y;355// path.push([x,y]);356// steps++;357// // brogueAssert(coordinatesAreInMap(x, y));358// }359// }360//361// return steps ? path : null;362// }363//...

Full Screen

Full Screen

map-controller.js

Source:map-controller.js Github

copy

Full Screen

1/**2 * @ngdoc controller3 * @name MapController4 */5(function() {6 'use strict';7 var Attr2MapOptions;8 var __MapController = function(9 $scope, $element, $attrs, $parse, _Attr2MapOptions_, NgMap, NgMapPool10 ) {11 Attr2MapOptions = _Attr2MapOptions_;12 var vm = this;13 vm.mapOptions; /** @memberof __MapController */14 vm.mapEvents; /** @memberof __MapController */15 vm.eventListeners; /** @memberof __MapController */16 /**17 * Add an object to the collection of group18 * @memberof __MapController19 * @function addObject20 * @param groupName the name of collection that object belongs to21 * @param obj an object to add into a collection, i.e. marker, shape22 */23 vm.addObject = function(groupName, obj) {24 if (vm.map) {25 vm.map[groupName] = vm.map[groupName] || {};26 var len = Object.keys(vm.map[groupName]).length;27 vm.map[groupName][obj.id || len] = obj;28 if (vm.map instanceof google.maps.Map) {29 //infoWindow.setMap works like infoWindow.open30 if (groupName != "infoWindows" && obj.setMap) {31 obj.setMap && obj.setMap(vm.map);32 }33 if (obj.centered && obj.position) {34 vm.map.setCenter(obj.position);35 }36 (groupName == 'markers') && vm.objectChanged('markers');37 (groupName == 'customMarkers') && vm.objectChanged('customMarkers');38 }39 }40 };41 /**42 * Delete an object from the collection and remove from map43 * @memberof __MapController44 * @function deleteObject45 * @param {Array} objs the collection of objects. i.e., map.markers46 * @param {Object} obj the object to be removed. i.e., marker47 */48 vm.deleteObject = function(groupName, obj) {49 /* delete from group */50 if (obj.map) {51 var objs = obj.map[groupName];52 for (var name in objs) {53 if (objs[name] === obj) {54 console.log('Deleting', groupName, obj);55 google.maps.event.clearInstanceListeners(obj);56 delete objs[name];57 }58 }59 /* delete from map */60 obj.map && obj.setMap && obj.setMap(null);61 (groupName == 'markers') && vm.objectChanged('markers');62 (groupName == 'customMarkers') && vm.objectChanged('customMarkers');63 }64 };65 /**66 * @memberof __MapController67 * @function observeAttrSetObj68 * @param {Hash} orgAttrs attributes before its initialization69 * @param {Hash} attrs attributes after its initialization70 * @param {Object} obj map object that an action is to be done71 * @description watch changes of attribute values and72 * do appropriate action based on attribute name73 */74 vm.observeAttrSetObj = function(orgAttrs, attrs, obj) {75 if (attrs.noWatcher) {76 return false;77 }78 var attrsToObserve = Attr2MapOptions.getAttrsToObserve(orgAttrs);79 for (var i=0; i<attrsToObserve.length; i++) {80 var attrName = attrsToObserve[i];81 attrs.$observe(attrName, NgMap.observeAndSet(attrName, obj));82 }83 };84 /**85 * @memberof __MapController86 * @function zoomToIncludeMarkers87 */88 vm.zoomToIncludeMarkers = function() {89 // Only fit to bounds if we have any markers90 // object.keys is supported in all major browsers (IE9+)91 if ((vm.map.markers != null && Object.keys(vm.map.markers).length > 0) || (vm.map.customMarkers != null && Object.keys(vm.map.customMarkers).length > 0)) {92 var bounds = new google.maps.LatLngBounds();93 for (var k1 in vm.map.markers) {94 bounds.extend(vm.map.markers[k1].getPosition());95 }96 for (var k2 in vm.map.customMarkers) {97 bounds.extend(vm.map.customMarkers[k2].getPosition());98 }99 if (vm.mapOptions.maximumZoom) {100 vm.enableMaximumZoomCheck = true; //enable zoom check after resizing for markers101 }102 vm.map.fitBounds(bounds);103 }104 };105 /**106 * @memberof __MapController107 * @function objectChanged108 * @param {String} group name of group e.g., markers109 */110 vm.objectChanged = function(group) {111 if ( vm.map &&112 (group == 'markers' || group == 'customMarkers') &&113 vm.map.zoomToIncludeMarkers == 'auto'114 ) {115 vm.zoomToIncludeMarkers();116 }117 };118 /**119 * @memberof __MapController120 * @function initializeMap121 * @description122 * . initialize Google map on <div> tag123 * . set map options, events, and observers124 * . reset zoom to include all (custom)markers125 */126 vm.initializeMap = function() {127 var mapOptions = vm.mapOptions,128 mapEvents = vm.mapEvents;129 var lazyInitMap = vm.map; //prepared for lazy init130 vm.map = NgMapPool.getMapInstance($element[0]);131 NgMap.setStyle($element[0]);132 // set objects for lazyInit133 if (lazyInitMap) {134 /**135 * rebuild mapOptions for lazyInit136 * because attributes values might have been changed137 */138 var filtered = Attr2MapOptions.filter($attrs);139 var options = Attr2MapOptions.getOptions(filtered);140 var controlOptions = Attr2MapOptions.getControlOptions(filtered);141 mapOptions = angular.extend(options, controlOptions);142 console.log('map options', mapOptions);143 for (var group in lazyInitMap) {144 var groupMembers = lazyInitMap[group]; //e.g. markers145 if (typeof groupMembers == 'object') {146 for (var id in groupMembers) {147 vm.addObject(group, groupMembers[id]);148 }149 }150 }151 vm.map.showInfoWindow = vm.showInfoWindow;152 vm.map.hideInfoWindow = vm.hideInfoWindow;153 }154 // set options155 mapOptions.zoom = mapOptions.zoom || 15;156 var center = mapOptions.center;157 if (!mapOptions.center ||158 ((typeof center === 'string') && center.match(/\{\{.*\}\}/))159 ) {160 mapOptions.center = new google.maps.LatLng(0, 0);161 } else if (!(center instanceof google.maps.LatLng)) {162 var geoCenter = mapOptions.center;163 delete mapOptions.center;164 NgMap.getGeoLocation(geoCenter, mapOptions.geoLocationOptions).165 then(function (latlng) {166 vm.map.setCenter(latlng);167 var geoCallback = mapOptions.geoCallback;168 geoCallback && $parse(geoCallback)($scope);169 }, function () {170 if (mapOptions.geoFallbackCenter) {171 vm.map.setCenter(mapOptions.geoFallbackCenter);172 }173 });174 }175 vm.map.setOptions(mapOptions);176 // set events177 for (var eventName in mapEvents) {178 var event = mapEvents[eventName];179 var listener = google.maps.event.addListener(vm.map, eventName, event);180 vm.eventListeners[eventName] = listener;181 }182 // set observers183 vm.observeAttrSetObj(orgAttrs, $attrs, vm.map);184 vm.singleInfoWindow = mapOptions.singleInfoWindow;185 google.maps.event.trigger(vm.map, 'resize');186 google.maps.event.addListenerOnce(vm.map, "idle", function () {187 NgMap.addMap(vm);188 if (mapOptions.zoomToIncludeMarkers) {189 vm.zoomToIncludeMarkers();190 }191 //TODO: it's for backward compatibiliy. will be removed192 $scope.map = vm.map;193 $scope.$emit('mapInitialized', vm.map);194 //callback195 if ($attrs.mapInitialized) {196 $parse($attrs.mapInitialized)($scope, {map: vm.map});197 }198 });199 200 //add maximum zoom listeners if zoom-to-include-markers and and maximum-zoom are valid attributes201 if (mapOptions.zoomToIncludeMarkers && mapOptions.maximumZoom) {202 google.maps.event.addListener(vm.map, 'zoom_changed', function() {203 if (vm.enableMaximumZoomCheck == true) {204 vm.enableMaximumZoomCheck = false;205 google.maps.event.addListenerOnce(vm.map, 'bounds_changed', function() { 206 vm.map.setZoom(Math.min(mapOptions.maximumZoom, vm.map.getZoom())); 207 });208 }209 });210 }211 };212 $scope.google = google; //used by $scope.eval to avoid eval()213 /**214 * get map options and events215 */216 var orgAttrs = Attr2MapOptions.orgAttributes($element);217 var filtered = Attr2MapOptions.filter($attrs);218 var options = Attr2MapOptions.getOptions(filtered, {scope: $scope});219 var controlOptions = Attr2MapOptions.getControlOptions(filtered);220 var mapOptions = angular.extend(options, controlOptions);221 var mapEvents = Attr2MapOptions.getEvents($scope, filtered);222 console.log('ng-map Options', mapOptions);223 Object.keys(mapEvents).length && console.log('ng-map Events', mapEvents);224 vm.mapOptions = mapOptions;225 vm.mapEvents = mapEvents;226 vm.eventListeners = {};227 if (options.lazyInit) { // allows controlled initialization228 // parse angular expression for dynamic ids229 if (!!$attrs.id && 230 // starts with, at position 0231 $attrs.id.indexOf("{{", 0) === 0 &&232 // ends with233 $attrs.id.indexOf("}}", $attrs.id.length - "}}".length) !== -1) {234 var idExpression = $attrs.id.slice(2,-2);235 var mapId = $parse(idExpression)($scope);236 } else {237 var mapId = $attrs.id;238 }239 vm.map = {id: mapId}; //set empty, not real, map240 NgMap.addMap(vm);241 } else {242 vm.initializeMap();243 }244 //Trigger Resize245 if(options.triggerResize) {246 google.maps.event.trigger(vm.map, 'resize');247 }248 $element.bind('$destroy', function() {249 NgMapPool.returnMapInstance(vm.map);250 NgMap.deleteMap(vm);251 });252 }; // __MapController253 __MapController.$inject = [254 '$scope', '$element', '$attrs', '$parse', 'Attr2MapOptions', 'NgMap', 'NgMapPool'255 ];256 angular.module('ngMap').controller('__MapController', __MapController);...

Full Screen

Full Screen

SourceMapManager.js

Source:SourceMapManager.js Github

copy

Full Screen

...20 this._resolvedSourceMapURL = new Map();21 /** @type {!Map<string, !SDK.SourceMap>} */22 this._sourceMapByURL = new Map();23 /** @type {!Multimap<string, !T>} */24 this._sourceMapURLToLoadingClients = new Multimap();25 /** @type {!Multimap<string, !T>} */26 this._sourceMapURLToClients = new Multimap();27 SDK.targetManager.addEventListener(SDK.TargetManager.Events.InspectedURLChanged, this._inspectedURLChanged, this);28 }29 /**30 * @param {boolean} isEnabled31 */32 setEnabled(isEnabled) {33 if (isEnabled === this._isEnabled)34 return;35 this._isEnabled = isEnabled;36 const clients = Array.from(this._resolvedSourceMapURL.keys());37 for (const client of clients) {38 const relativeSourceURL = this._relativeSourceURL.get(client);39 const relativeSourceMapURL = this._relativeSourceMapURL.get(client);40 this.detachSourceMap(client);...

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 hypothesis 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