dawarich/e2e/v2/helpers/setup.js

251 lines
8.3 KiB
JavaScript
Raw Normal View History

0.36.2 (#2007) * fix: move foreman to global gems to fix startup crash (#1971) * Update exporting code to stream points data to file in batches to red… (#1980) * Update exporting code to stream points data to file in batches to reduce memory usage * Update changelog * Update changelog * Feature/maplibre frontend (#1953) * Add a plan to use MapLibre GL JS for the frontend map rendering, replacing Leaflet * Implement phase 1 * Phases 1-3 + part of 4 * Fix e2e tests * Phase 6 * Implement fog of war * Phase 7 * Next step: fix specs, phase 7 done * Use our own map tiles * Extract v2 map logic to separate manager classes * Update settings panel on v2 map * Update v2 e2e tests structure * Reimplement location search in maps v2 * Update speed routes * Implement visits and places creation in v2 * Fix last failing test * Implement visits merging * Fix a routes e2e test and simplify the routes layer styling. * Extract js to modules from maps_v2_controller.js * Implement area creation * Fix spec problem * Fix some e2e tests * Implement live mode in v2 map * Update icons and panel * Extract some styles * Remove unused file * Start adding dark theme to popups on MapLibre maps * Make popups respect dark theme * Move v2 maps to maplibre namespace * Update v2 references to maplibre * Put place, area and visit info into side panel * Update API to use safe settings config method * Fix specs * Fix method name to config in SafeSettings and update usages accordingly * Add missing public files * Add handling for real time points * Fix remembering enabled/disabled layers of the v2 map * Fix lots of e2e tests * Add settings to select map version * Use maps/v2 as main path for MapLibre maps * Update routing * Update live mode * Update maplibre controller * Update changelog * Remove some console.log statements --------- Co-authored-by: Robin Tuszik <mail@robin.gg>
2025-12-06 14:54:49 -05:00
/**
* Helper functions for Maps V2 E2E tests
*/
/**
* Navigate to Maps V2 page
* @param {Page} page - Playwright page object
*/
export async function navigateToMapsV2(page) {
await page.goto('/map/v2');
}
/**
* Navigate to Maps V2 with specific date range
* @param {Page} page - Playwright page object
* @param {string} startDate - Start date in format 'YYYY-MM-DDTHH:mm'
* @param {string} endDate - End date in format 'YYYY-MM-DDTHH:mm'
*/
export async function navigateToMapsV2WithDate(page, startDate, endDate) {
const startInput = page.locator('input[type="datetime-local"][name="start_at"]');
await startInput.clear();
await startInput.fill(startDate);
const endInput = page.locator('input[type="datetime-local"][name="end_at"]');
await endInput.clear();
await endInput.fill(endDate);
await page.click('input[type="submit"][value="Search"]');
await page.waitForLoadState('networkidle');
// Wait for MapLibre to initialize after page reload
await waitForMapLibre(page);
await page.waitForTimeout(500);
}
/**
* Wait for MapLibre map to be fully initialized
* @param {Page} page - Playwright page object
* @param {number} timeout - Timeout in milliseconds (default: 10000)
*/
export async function waitForMapLibre(page, timeout = 10000) {
// Wait for canvas to appear
await page.waitForSelector('.maplibregl-canvas', { timeout });
// Wait for map instance to exist and style to be loaded
await page.waitForFunction(() => {
const element = document.querySelector('[data-controller*="maps--maplibre"]');
if (!element) return false;
const app = window.Stimulus || window.Application;
if (!app) return false;
const controller = app.getControllerForElementAndIdentifier(element, 'maps--maplibre');
// Check if map exists and style is loaded (more reliable than loaded())
return controller?.map && controller.map.isStyleLoaded();
}, { timeout: 15000 });
// Wait for loading overlay to be hidden
await page.waitForFunction(() => {
const loading = document.querySelector('[data-maps--maplibre-target="loading"]');
return loading && loading.classList.contains('hidden');
}, { timeout: 15000 });
}
/**
* Get map instance from page
* @param {Page} page - Playwright page object
* @returns {Promise<boolean>} - True if map exists
*/
export async function hasMapInstance(page) {
return await page.evaluate(() => {
const element = document.querySelector('[data-controller*="maps--maplibre"]');
if (!element) return false;
// Get Stimulus controller instance
const app = window.Stimulus || window.Application;
if (!app) return false;
const controller = app.getControllerForElementAndIdentifier(element, 'maps--maplibre');
return controller && controller.map !== undefined;
});
}
/**
* Get current map zoom level
* @param {Page} page - Playwright page object
* @returns {Promise<number|null>} - Current zoom level or null
*/
export async function getMapZoom(page) {
return await page.evaluate(() => {
const element = document.querySelector('[data-controller*="maps--maplibre"]');
if (!element) return null;
const app = window.Stimulus || window.Application;
if (!app) return null;
const controller = app.getControllerForElementAndIdentifier(element, 'maps--maplibre');
return controller?.map?.getZoom() || null;
});
}
/**
* Get map center coordinates
* @param {Page} page - Playwright page object
* @returns {Promise<{lng: number, lat: number}|null>}
*/
export async function getMapCenter(page) {
return await page.evaluate(() => {
const element = document.querySelector('[data-controller*="maps--maplibre"]');
if (!element) return null;
const app = window.Stimulus || window.Application;
if (!app) return null;
const controller = app.getControllerForElementAndIdentifier(element, 'maps--maplibre');
if (!controller?.map) return null;
const center = controller.map.getCenter();
return { lng: center.lng, lat: center.lat };
});
}
/**
* Get points source data from map
* @param {Page} page - Playwright page object
* @returns {Promise<{hasSource: boolean, featureCount: number}>}
*/
export async function getPointsSourceData(page) {
return await page.evaluate(() => {
const element = document.querySelector('[data-controller*="maps--maplibre"]');
if (!element) return { hasSource: false, featureCount: 0, features: [] };
const app = window.Stimulus || window.Application;
if (!app) return { hasSource: false, featureCount: 0, features: [] };
const controller = app.getControllerForElementAndIdentifier(element, 'maps--maplibre');
if (!controller?.map) return { hasSource: false, featureCount: 0, features: [] };
const source = controller.map.getSource('points-source');
if (!source) return { hasSource: false, featureCount: 0, features: [] };
const data = source._data;
return {
hasSource: true,
featureCount: data?.features?.length || 0,
features: data?.features || []
};
});
}
/**
* Check if a layer exists on the map
* @param {Page} page - Playwright page object
* @param {string} layerId - Layer ID to check
* @returns {Promise<boolean>}
*/
export async function hasLayer(page, layerId) {
return await page.evaluate((id) => {
const element = document.querySelector('[data-controller*="maps--maplibre"]');
if (!element) return false;
const app = window.Stimulus || window.Application;
if (!app) return false;
const controller = app.getControllerForElementAndIdentifier(element, 'maps--maplibre');
if (!controller?.map) return false;
return controller.map.getLayer(id) !== undefined;
}, layerId);
}
/**
* Click on map at specific pixel coordinates
* @param {Page} page - Playwright page object
* @param {number} x - X coordinate
* @param {number} y - Y coordinate
*/
export async function clickMapAt(page, x, y) {
const mapContainer = page.locator('[data-maps--maplibre-target="container"]');
await mapContainer.click({ position: { x, y } });
}
/**
* Wait for loading overlay to disappear
* @param {Page} page - Playwright page object
*/
export async function waitForLoadingComplete(page) {
await page.waitForFunction(() => {
const loading = document.querySelector('[data-maps--maplibre-target="loading"]');
return loading && loading.classList.contains('hidden');
}, { timeout: 15000 });
}
/**
* Check if popup is visible
* @param {Page} page - Playwright page object
* @returns {Promise<boolean>}
*/
export async function hasPopup(page) {
const popup = page.locator('.maplibregl-popup');
return await popup.isVisible().catch(() => false);
}
/**
* Get layer visibility state
* @param {Page} page - Playwright page object
* @param {string} layerId - Layer ID
* @returns {Promise<boolean>} - True if visible, false if hidden
*/
export async function getLayerVisibility(page, layerId) {
return await page.evaluate((id) => {
const element = document.querySelector('[data-controller*="maps--maplibre"]');
if (!element) return false;
const app = window.Stimulus || window.Application;
if (!app) return false;
const controller = app.getControllerForElementAndIdentifier(element, 'maps--maplibre');
if (!controller?.map) return false;
const visibility = controller.map.getLayoutProperty(id, 'visibility');
return visibility === 'visible' || visibility === undefined;
}, layerId);
}
/**
* Get routes source data from map
* @param {Page} page - Playwright page object
* @returns {Promise<{hasSource: boolean, featureCount: number, features: Array}>}
*/
export async function getRoutesSourceData(page) {
return await page.evaluate(() => {
const element = document.querySelector('[data-controller*="maps--maplibre"]');
if (!element) return { hasSource: false, featureCount: 0, features: [] };
const app = window.Stimulus || window.Application;
if (!app) return { hasSource: false, featureCount: 0, features: [] };
const controller = app.getControllerForElementAndIdentifier(element, 'maps--maplibre');
if (!controller?.map) return { hasSource: false, featureCount: 0, features: [] };
const source = controller.map.getSource('routes-source');
if (!source) return { hasSource: false, featureCount: 0, features: [] };
const data = source._data;
return {
hasSource: true,
featureCount: data?.features?.length || 0,
features: data?.features || []
};
});
}