Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
vatsrahul1001 commented on PR #60514: URL: https://github.com/apache/airflow/pull/60514#issuecomment-3852207882 > @vatsrahul1001 Fixed! Now following the DagsPage pattern from PR #59400: > > * Using `data-testid="next/prev"` selectors > * Removed conditional pagination checks > * Verifying data changes with `expect.poll() > > Thanks !! Nice! -- This is an automated message from the Apache Git Service. To respond to the message, please log on to GitHub and use the URL above to go to the specific comment. To unsubscribe, e-mail: [email protected] For queries about this service, please contact Infrastructure at: [email protected]
Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
vatsrahul1001 merged PR #60514: URL: https://github.com/apache/airflow/pull/60514 -- This is an automated message from the Apache Git Service. To respond to the message, please log on to GitHub and use the URL above to go to the specific comment. To unsubscribe, e-mail: [email protected] For queries about this service, please contact Infrastructure at: [email protected]
Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
lin121291 commented on PR #60514: URL: https://github.com/apache/airflow/pull/60514#issuecomment-3846106898 @vatsrahul1001 Fixed! Now following the DagsPage pattern from PR #59400: - Using `data-testid="next/prev"` selectors - Removed conditional pagination checks - Verifying data changes with `expect.poll() Thanks !! -- This is an automated message from the Apache Git Service. To respond to the message, please log on to GitHub and use the URL above to go to the specific comment. To unsubscribe, e-mail: [email protected] For queries about this service, please contact Infrastructure at: [email protected]
Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
vatsrahul1001 commented on PR #60514:
URL: https://github.com/apache/airflow/pull/60514#issuecomment-3798864805
**Pagination needs to follow the established pattern from PR #59400:**
The current implementation differs from our merged pagination tests. Please
reference:
- **File:** `dags-list.spec.ts`
- **PR:** #59400 (Feat e2e test for Dags pagination)
**Key differences to fix:**
1. **Use `[data-testid="next/prev"]` buttons instead of page numbers:**
// Current (incorrect)
const page2Button = this.page.getByRole("button", { name: /page 2|^2$/ });
// Reference pattern (from DagsPage.ts)
this.paginationNextButton = page.locator('[data-testid="next"]');
this.paginationPrevButton = page.locator('[data-testid="prev"]');2. **Remove
`if (hasPage2)` conditional** - `beforeAll` ensures data exists, pagination
should work.
3. **Verify data actually changed** using `expect.poll()`:
// Reference from dags-list.spec.ts
const initialData = await dagsPage.getDagNames();
await dagsPage.clickNextPage();
const dataAfterNext = await dagsPage.getDagNames();
expect(dataAfterNext).not.toEqual(initialData); // Verifies data
changed!See: https://github.com/apache/airflow/pull/59400
--
This is an automated message from the Apache Git Service.
To respond to the message, please log on to GitHub and use the
URL above to go to the specific comment.
To unsubscribe, e-mail: [email protected]
For queries about this service, please contact Infrastructure at:
[email protected]
Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
vatsrahul1001 commented on code in PR #60514:
URL: https://github.com/apache/airflow/pull/60514#discussion_r272706
##
airflow-core/src/airflow/ui/tests/e2e/pages/TaskInstancesPage.ts:
##
@@ -0,0 +1,188 @@
+/*!
+ * Licensed to the Apache Software Foundation (ASF) under one
+ * or more contributor license agreements. See the NOTICE file
+ * distributed with this work for additional information
+ * regarding copyright ownership. The ASF licenses this file
+ * to you 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
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied. See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+import { expect, type Locator, type Page } from "@playwright/test";
+import { BasePage } from "tests/e2e/pages/BasePage";
+
+export class TaskInstancesPage extends BasePage {
+ public static get taskInstancesUrl(): string {
+return "/task_instances";
+ }
+
+ public readonly taskInstancesTable: Locator;
+
+ public constructor(page: Page) {
+super(page);
+this.taskInstancesTable = page.locator('table, div[role="table"]');
+ }
+
+ /**
+ * Navigate to Task Instances page and wait for data to load
+ */
+ public async navigate(): Promise {
+await this.navigateTo(TaskInstancesPage.taskInstancesUrl);
+await this.page.waitForURL(/.*task_instances/, { timeout: 15_000 });
+await this.taskInstancesTable.waitFor({ state: "visible", timeout: 10_000
});
+
+const dataLink =
this.taskInstancesTable.locator("a[href*='/dags/']").first();
+const noDataMessage = this.page.locator('text="No Task Instances found"');
+
+await expect(dataLink.or(noDataMessage)).toBeVisible({ timeout: 30_000 });
+ }
+
+ /**
+ * Verify pagination controls and navigation
+ */
+ public async verifyPagination(limit: number): Promise {
+await
this.navigateTo(`${TaskInstancesPage.taskInstancesUrl}?offset=0&limit=${limit}`);
+await this.page.waitForURL(/.*limit=/, { timeout: 10_000 });
+await this.page.waitForLoadState("networkidle");
+await this.taskInstancesTable.waitFor({ state: "visible", timeout: 10_000
});
+
+const dataLinks = this.taskInstancesTable.locator("a[href*='/dags/']");
+
+await expect(dataLinks.first()).toBeVisible({ timeout: 30_000 });
+
+const rows = this.taskInstancesTable.locator('tbody tr:not(.no-data),
div[role="row"]:not(:first-child)');
+
+expect(await rows.count()).toBeGreaterThan(0);
+
+const paginationNav = this.page.locator('nav[aria-label="pagination"],
[role="navigation"]');
+
+await expect(paginationNav.first()).toBeVisible({ timeout: 10_000 });
+
+const page1Button = this.page.getByRole("button", { name: /page 1|^1$/ });
+
+await expect(page1Button.first()).toBeVisible({ timeout: 5000 });
+
+const page2Button = this.page.getByRole("button", { name: /page 2|^2$/ });
+const hasPage2 = await page2Button
+ .first()
+ .isVisible()
+ .catch(() => false);
+
+if (hasPage2) {
+ await page2Button.first().click();
+ await this.page.waitForLoadState("networkidle");
+ await this.taskInstancesTable.waitFor({ state: "visible", timeout:
10_000 });
+
+ const dataLinksPage2 =
this.taskInstancesTable.locator("a[href*='/dags/']");
+ const noDataMessage = this.page.locator("text=/no.*data|no.*task
instances|no.*results/i");
+
+ await
expect(dataLinksPage2.first().or(noDataMessage.first())).toBeVisible({ timeout:
30_000 });
Review Comment:
We are not verifying anything in second page. Atlest we should check data is
changed
--
This is an automated message from the Apache Git Service.
To respond to the message, please log on to GitHub and use the
URL above to go to the specific comment.
To unsubscribe, e-mail: [email protected]
For queries about this service, please contact Infrastructure at:
[email protected]
Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
vatsrahul1001 commented on code in PR #60514:
URL: https://github.com/apache/airflow/pull/60514#discussion_r2727058580
##
airflow-core/src/airflow/ui/tests/e2e/pages/TaskInstancesPage.ts:
##
@@ -0,0 +1,188 @@
+/*!
+ * Licensed to the Apache Software Foundation (ASF) under one
+ * or more contributor license agreements. See the NOTICE file
+ * distributed with this work for additional information
+ * regarding copyright ownership. The ASF licenses this file
+ * to you 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
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied. See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+import { expect, type Locator, type Page } from "@playwright/test";
+import { BasePage } from "tests/e2e/pages/BasePage";
+
+export class TaskInstancesPage extends BasePage {
+ public static get taskInstancesUrl(): string {
+return "/task_instances";
+ }
+
+ public readonly taskInstancesTable: Locator;
+
+ public constructor(page: Page) {
+super(page);
+this.taskInstancesTable = page.locator('table, div[role="table"]');
+ }
+
+ /**
+ * Navigate to Task Instances page and wait for data to load
+ */
+ public async navigate(): Promise {
+await this.navigateTo(TaskInstancesPage.taskInstancesUrl);
+await this.page.waitForURL(/.*task_instances/, { timeout: 15_000 });
+await this.taskInstancesTable.waitFor({ state: "visible", timeout: 10_000
});
+
+const dataLink =
this.taskInstancesTable.locator("a[href*='/dags/']").first();
+const noDataMessage = this.page.locator('text="No Task Instances found"');
+
+await expect(dataLink.or(noDataMessage)).toBeVisible({ timeout: 30_000 });
+ }
+
+ /**
+ * Verify pagination controls and navigation
+ */
+ public async verifyPagination(limit: number): Promise {
+await
this.navigateTo(`${TaskInstancesPage.taskInstancesUrl}?offset=0&limit=${limit}`);
+await this.page.waitForURL(/.*limit=/, { timeout: 10_000 });
+await this.page.waitForLoadState("networkidle");
+await this.taskInstancesTable.waitFor({ state: "visible", timeout: 10_000
});
+
+const dataLinks = this.taskInstancesTable.locator("a[href*='/dags/']");
+
+await expect(dataLinks.first()).toBeVisible({ timeout: 30_000 });
+
+const rows = this.taskInstancesTable.locator('tbody tr:not(.no-data),
div[role="row"]:not(:first-child)');
+
+expect(await rows.count()).toBeGreaterThan(0);
+
+const paginationNav = this.page.locator('nav[aria-label="pagination"],
[role="navigation"]');
+
+await expect(paginationNav.first()).toBeVisible({ timeout: 10_000 });
+
+const page1Button = this.page.getByRole("button", { name: /page 1|^1$/ });
Review Comment:
We can better use
this.paginationNextButton = page.locator('[data-testid="next"]');
this.paginationPrevButton = page.locator('[data-testid="prev"]');
--
This is an automated message from the Apache Git Service.
To respond to the message, please log on to GitHub and use the
URL above to go to the specific comment.
To unsubscribe, e-mail: [email protected]
For queries about this service, please contact Infrastructure at:
[email protected]
Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
vatsrahul1001 commented on code in PR #60514:
URL: https://github.com/apache/airflow/pull/60514#discussion_r2727047149
##
airflow-core/src/airflow/ui/tests/e2e/pages/TaskInstancesPage.ts:
##
@@ -0,0 +1,188 @@
+/*!
+ * Licensed to the Apache Software Foundation (ASF) under one
+ * or more contributor license agreements. See the NOTICE file
+ * distributed with this work for additional information
+ * regarding copyright ownership. The ASF licenses this file
+ * to you 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
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied. See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+import { expect, type Locator, type Page } from "@playwright/test";
+import { BasePage } from "tests/e2e/pages/BasePage";
+
+export class TaskInstancesPage extends BasePage {
+ public static get taskInstancesUrl(): string {
+return "/task_instances";
+ }
+
+ public readonly taskInstancesTable: Locator;
+
+ public constructor(page: Page) {
+super(page);
+this.taskInstancesTable = page.locator('table, div[role="table"]');
+ }
+
+ /**
+ * Navigate to Task Instances page and wait for data to load
+ */
+ public async navigate(): Promise {
+await this.navigateTo(TaskInstancesPage.taskInstancesUrl);
+await this.page.waitForURL(/.*task_instances/, { timeout: 15_000 });
+await this.taskInstancesTable.waitFor({ state: "visible", timeout: 10_000
});
+
+const dataLink =
this.taskInstancesTable.locator("a[href*='/dags/']").first();
+const noDataMessage = this.page.locator('text="No Task Instances found"');
+
+await expect(dataLink.or(noDataMessage)).toBeVisible({ timeout: 30_000 });
+ }
+
+ /**
+ * Verify pagination controls and navigation
+ */
+ public async verifyPagination(limit: number): Promise {
+await
this.navigateTo(`${TaskInstancesPage.taskInstancesUrl}?offset=0&limit=${limit}`);
+await this.page.waitForURL(/.*limit=/, { timeout: 10_000 });
+await this.page.waitForLoadState("networkidle");
+await this.taskInstancesTable.waitFor({ state: "visible", timeout: 10_000
});
+
+const dataLinks = this.taskInstancesTable.locator("a[href*='/dags/']");
+
+await expect(dataLinks.first()).toBeVisible({ timeout: 30_000 });
+
+const rows = this.taskInstancesTable.locator('tbody tr:not(.no-data),
div[role="row"]:not(:first-child)');
+
+expect(await rows.count()).toBeGreaterThan(0);
+
+const paginationNav = this.page.locator('nav[aria-label="pagination"],
[role="navigation"]');
+
+await expect(paginationNav.first()).toBeVisible({ timeout: 10_000 });
+
+const page1Button = this.page.getByRole("button", { name: /page 1|^1$/ });
+
+await expect(page1Button.first()).toBeVisible({ timeout: 5000 });
+
+const page2Button = this.page.getByRole("button", { name: /page 2|^2$/ });
+const hasPage2 = await page2Button
+ .first()
+ .isVisible()
+ .catch(() => false);
+
+if (hasPage2) {
Review Comment:
Silently passes if there is not enough data. I think we should not have
this condition. As we are already creating data in beforeAll
--
This is an automated message from the Apache Git Service.
To respond to the message, please log on to GitHub and use the
URL above to go to the specific comment.
To unsubscribe, e-mail: [email protected]
For queries about this service, please contact Infrastructure at:
[email protected]
Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
vatsrahul1001 commented on PR #60514: URL: https://github.com/apache/airflow/pull/60514#issuecomment-3789713895 Thanks, @lin121291 for implementing review comments. I suggest resolving comments after you are done. I will review this soon -- This is an automated message from the Apache Git Service. To respond to the message, please log on to GitHub and use the URL above to go to the specific comment. To unsubscribe, e-mail: [email protected] For queries about this service, please contact Infrastructure at: [email protected]
Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
vatsrahul1001 commented on code in PR #60514:
URL: https://github.com/apache/airflow/pull/60514#discussion_r2711001972
##
airflow-core/src/airflow/ui/tests/e2e/pages/TaskInstancesPage.ts:
##
@@ -0,0 +1,276 @@
+/*!
+ * Licensed to the Apache Software Foundation (ASF) under one
+ * or more contributor license agreements. See the NOTICE file
+ * distributed with this work for additional information
+ * regarding copyright ownership. The ASF licenses this file
+ * to you 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
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied. See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+import { expect, type Locator, type Page } from "@playwright/test";
+import { BasePage } from "tests/e2e/pages/BasePage";
+
+export class TaskInstancesPage extends BasePage {
+ public static get taskInstancesUrl(): string {
+return "/task_instances";
+ }
+
+ public readonly taskInstancesTable: Locator;
+
+ public constructor(page: Page) {
+super(page);
+this.taskInstancesTable = page.locator('table, div[role="table"]');
+ }
+
+ /**
+ * Navigate to Task Instances page and wait for data to load
+ */
+ public async navigate(): Promise {
+await this.navigateTo(TaskInstancesPage.taskInstancesUrl);
+await this.page.waitForURL(/.*task_instances/, { timeout: 15_000 });
+await this.taskInstancesTable.waitFor({ state: "visible", timeout: 10_000
});
+
+const dataLink =
this.taskInstancesTable.locator("a[href*='/dags/']").first();
+const noDataMessage = this.page.locator('text="No Task Instances found"');
+
+await expect(dataLink.or(noDataMessage)).toBeVisible({ timeout: 30_000 });
+ }
+
+ /**
+ * Verify pagination controls and navigation
+ */
+ public async verifyPagination(limit: number): Promise {
+await
this.navigateTo(`${TaskInstancesPage.taskInstancesUrl}?offset=0&limit=${limit}`);
+await this.page.waitForURL(/.*limit=/, { timeout: 10_000 });
+await this.page.waitForLoadState("networkidle");
+await this.taskInstancesTable.waitFor({ state: "visible", timeout: 10_000
});
+
+const dataLinks = this.taskInstancesTable.locator("a[href*='/dags/']");
+
+await expect(dataLinks.first()).toBeVisible({ timeout: 30_000 });
+
+const rows = this.taskInstancesTable.locator('tbody tr:not(.no-data),
div[role="row"]:not(:first-child)');
+
+expect(await rows.count()).toBeGreaterThan(0);
+
+const paginationNav = this.page.locator('nav[aria-label="pagination"],
[role="navigation"]');
+
+await expect(paginationNav.first()).toBeVisible({ timeout: 10_000 });
+
+const page1Button = this.page.getByRole("button", { name: /page 1|^1$/ });
+
+await expect(page1Button.first()).toBeVisible({ timeout: 5000 });
+
+const page2Button = this.page.getByRole("button", { name: /page 2|^2$/ });
+const hasPage2 = await page2Button
+ .first()
+ .isVisible()
+ .catch(() => false);
+
+if (hasPage2) {
+ await page2Button.first().click();
+ await this.page.waitForLoadState("networkidle");
+ await this.taskInstancesTable.waitFor({ state: "visible", timeout:
10_000 });
+
+ const dataLinksPage2 =
this.taskInstancesTable.locator("a[href*='/dags/']");
+ const noDataMessage = this.page.locator("text=/no.*data|no.*task
instances|no.*results/i");
+
+ await
expect(dataLinksPage2.first().or(noDataMessage.first())).toBeVisible({ timeout:
30_000 });
+}
+ }
+
+ /**
+ * Verify state filtering via URL parameters
+ */
+ public async verifyStateFiltering(expectedState: string): Promise {
+await
this.navigateTo(`${TaskInstancesPage.taskInstancesUrl}?task_state=${expectedState.toLowerCase()}`);
+await this.page.waitForURL(/.*task_state=.*/, { timeout: 15_000 });
+await this.page.waitForLoadState("networkidle");
+
+const dataLink =
this.taskInstancesTable.locator("a[href*='/dags/']").first();
+
+await expect(dataLink).toBeVisible({ timeout: 30_000 });
+await expect(this.taskInstancesTable).toBeVisible();
+
+const rowsAfterFilter = this.taskInstancesTable.locator(
+ 'tbody tr:not(.no-data), div[role="row"]:not(:first-child)',
+);
+const noDataMessage = this.page.locator("text=/No.*found/i,
text=/No.*results/i, text=/Empty/i");
+const stateBadges = this.taskInstancesTable.locator('[class*="badge"],
[class*="Badge"]');
+
+await expect(stateBadges.first().or(noDataMessage.first())).toBeVisible({
timeout: 30_000 });
+
+const countAfter = await rowsAfterFilter.count();
+
+if (countAfter === 0) {
Review Comme
Re: [PR] feat: Add E2E tests for Task Instances page [airflow]
vatsrahul1001 commented on code in PR #60514:
URL: https://github.com/apache/airflow/pull/60514#discussion_r2693055076
##
airflow-core/src/airflow/ui/tests/e2e/pages/TaskInstancesPage.ts:
##
@@ -0,0 +1,341 @@
+/*!
+ * Licensed to the Apache Software Foundation (ASF) under one
+ * or more contributor license agreements. See the NOTICE file
+ * distributed with this work for additional information
+ * regarding copyright ownership. The ASF licenses this file
+ * to you 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
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied. See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+import { expect, type Locator, type Page } from "@playwright/test";
+import { BasePage } from "tests/e2e/pages/BasePage";
+
+export class TaskInstancesPage extends BasePage {
+ public static get taskInstancesUrl(): string {
+return "/task_instances";
+ }
+
+ public readonly taskInstancesTable: Locator;
+
+ public constructor(page: Page) {
+super(page);
+this.taskInstancesTable = page.locator('table, div[role="table"]');
+ }
+
+ /**
+ * Apply a filter by selecting a filter type and value
+ */
+ public async applyFilter(filterName: string, filterValue: string):
Promise {
+const addFilterButton = this.page.locator(
+ 'button:has-text("Filter"), button:has-text("Add Filter"),
button[aria-label*="filter" i]',
+);
+
+await expect(addFilterButton.first()).toBeVisible({ timeout: 5000 });
+await addFilterButton.first().click();
+
+const filterMenu = this.page.locator('[role="menu"], [role="menuitem"]');
+
+await expect(filterMenu.first()).toBeVisible({ timeout: 5000 });
+
+const filterOption =
this.page.locator(`[role="menuitem"]:has-text("${filterName}")`).first();
+
+await expect(filterOption).toBeVisible({ timeout: 5000 });
+await filterOption.click();
+
+const filterPill = this.page.locator(`[role="combobox"],
button:has-text("${filterName}:")`);
+
+await expect(filterPill.first()).toBeVisible({ timeout: 5000 });
+await filterPill.first().click();
+
+const dropdown = this.page.locator('[role="option"], [role="listbox"]');
+
+await expect(dropdown.first()).toBeVisible({ timeout: 5000 });
+
+const valueOption =
this.page.locator(`[role="option"]:has-text("${filterValue}")`).first();
+
+await expect(valueOption).toBeVisible({ timeout: 5000 });
+await valueOption.click();
+
+await this.page.waitForLoadState("networkidle");
+ }
+
+ /**
+ * Navigate to Task Instances page and wait for data to load
+ */
+ public async navigate(): Promise {
+await this.navigateTo(TaskInstancesPage.taskInstancesUrl);
+await this.page.waitForURL(/.*task_instances/, { timeout: 15_000 });
+await this.taskInstancesTable.waitFor({ state: "visible", timeout: 10_000
});
+
+const dataLink =
this.taskInstancesTable.locator("a[href*='/dags/']").first();
+const noDataMessage = this.page.locator('text="No Task Instances found"');
+
+await expect(dataLink.or(noDataMessage)).toBeVisible({ timeout: 30_000 });
+ }
+
+ /**
+ * Verify pagination works correctly with offset and limit parameters
+ */
+ public async verifyPagination(limit: number): Promise {
Review Comment:
current implementation parses pagination text with regex which is complex
and fragile. DAG Runs [PR](https://github.com/apache/airflow/issues/59309) uses
a simpler approach
##
airflow-core/src/airflow/ui/tests/e2e/specs/task-instances.spec.ts:
##
@@ -0,0 +1,148 @@
+/*!
+ * Licensed to the Apache Software Foundation (ASF) under one
+ * or more contributor license agreements. See the NOTICE file
+ * distributed with this work for additional information
+ * regarding copyright ownership. The ASF licenses this file
+ * to you 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
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied. See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+import { test, expect } from "@playwright/test";
+import { AUTH_FILE, testConfig } from "playwright.config";
+import { TaskInstancesPage } from "tests/e2e/pages/TaskInstancesPage";
+
+test.describe("Task Instance
