Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add e2e my-posts page tests for delete interactions #1209

Open
wants to merge 6 commits into
base: develop
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from 4 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion e2e/constants/constants.ts
Original file line number Diff line number Diff line change
@@ -1,7 +1,7 @@
export const articleContent =
"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Maecenas vitae ipsum id metus vestibulum rutrum eget a diam. Integer eget vulputate risus, ac convallis nulla. Mauris sed augue nunc. Class aptent taciti sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Nam congue posuere tempor. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Ut ac augue non libero ullamcorper ornare. Ut commodo ligula vitae malesuada maximus. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Etiam sagittis justo non justo placerat, a dapibus sapien volutpat. Nullam ullamcorper sodales justo sed.";

export const articleExcerpt = "Lorem ipsum dolor sit amet";
export const articleExcerpt = "This is an excerpt for a published article.";

export const E2E_USER_ONE_EMAIL = "[email protected]";
export const E2E_USER_ONE_ID = "8e3179ce-f32b-4d0a-ba3b-234d66b836ad";
Expand Down
92 changes: 84 additions & 8 deletions e2e/my-posts.spec.ts
Original file line number Diff line number Diff line change
@@ -1,5 +1,27 @@
import type { Page } from "@playwright/test";
import test, { expect } from "@playwright/test";
import { articleExcerpt, loggedInAsUserOne } from "./utils";
import { loggedInAsUserOne, createArticle } from "./utils";
import { articleExcerpt } from "./constants";

type TabName = "Drafts" | "Scheduled" | "Published";

async function openTab(page: Page, tabName: TabName) {
await page.goto("http://localhost:3000/my-posts");
await page.getByRole("link", { name: tabName }).click();
const slug = tabName.toLowerCase();
await page.waitForURL(`http://localhost:3000/my-posts?tab=${slug}`);
await expect(page).toHaveURL(new RegExp(`\\/my-posts\\?tab=${slug}`));
}
Comment on lines +8 to +14
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

Enhance URL verification reliability.

The URL verification could be flaky. Consider these improvements:

  1. Add explicit wait for navigation completion
  2. Simplify the RegExp pattern
 async function openTab(page: Page, tabName: TabName) {
   await page.goto("http://localhost:3000/my-posts");
   await page.getByRole("link", { name: tabName }).click();
   const slug = tabName.toLowerCase();
-  await page.waitForURL(`http://localhost:3000/my-posts?tab=${slug}`);
-  await expect(page).toHaveURL(new RegExp(`\\/my-posts\\?tab=${slug}`));
+  const expectedUrl = `http://localhost:3000/my-posts?tab=${slug}`;
+  await page.waitForURL(expectedUrl, { waitUntil: 'networkidle' });
+  await expect(page).toHaveURL(expectedUrl);
 }
📝 Committable suggestion

‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.

Suggested change
async function openTab(page: Page, tabName: TabName) {
await page.goto("http://localhost:3000/my-posts");
await page.getByRole("link", { name: tabName }).click();
const slug = tabName.toLowerCase();
await page.waitForURL(`http://localhost:3000/my-posts?tab=${slug}`);
await expect(page).toHaveURL(new RegExp(`\\/my-posts\\?tab=${slug}`));
}
async function openTab(page: Page, tabName: TabName) {
await page.goto("http://localhost:3000/my-posts");
await page.getByRole("link", { name: tabName }).click();
const slug = tabName.toLowerCase();
const expectedUrl = `http://localhost:3000/my-posts?tab=${slug}`;
await page.waitForURL(expectedUrl, { waitUntil: 'networkidle' });
await expect(page).toHaveURL(expectedUrl);
}


async function openDeleteModal(page: Page, title: string) {
const article = page.locator(`article:has-text("${title}")`);
await expect(article).toBeVisible();
await article.locator("button.dropdown-button").click();
await article.locator('text="Delete"').click();
await expect(
page.getByText("Are you sure you want to delete this article?"),
).toBeVisible();
}

test.describe("Unauthenticated my-posts Page", () => {
test("Unauthenticated users should be redirected to get-started page if they access my-posts directly", async ({
Expand Down Expand Up @@ -35,22 +57,76 @@ test.describe("Authenticated my-posts Page", () => {
await expect(page.getByRole("link", { name: "Scheduled" })).toBeVisible();
await expect(page.getByRole("link", { name: "Published" })).toBeVisible();

await page.getByRole("link", { name: "Drafts" }).click();
await openTab(page, "Published");
await expect(
page.getByRole("heading", { name: "Draft Article" }),
page.getByRole("heading", { name: "Published Article" }),
).toBeVisible();
await expect(page.getByText(articleExcerpt)).toBeVisible();

await page.getByRole("link", { name: "Scheduled" }).click();
await openTab(page, "Scheduled");
await expect(
page.getByRole("heading", { name: "Scheduled Article" }),
).toBeVisible();
await expect(page.getByText(articleExcerpt)).toBeVisible();
await expect(
page.getByText("This is an excerpt for a scheduled article."),
).toBeVisible();

await page.getByRole("link", { name: "Published" }).click();
await openTab(page, "Drafts");
await expect(
page.getByRole("heading", { name: "Published Article" }),
page.getByRole("heading", { name: "Draft Article" }),
).toBeVisible();
await expect(
page.getByText("This is an excerpt for a draft article.", {
exact: true,
}),
).toBeVisible();
await expect(page.getByText(articleExcerpt, { exact: true })).toBeVisible();
});

test("User should close delete modal with Cancel button", async ({
page,
}) => {
const title = "Published Article";
await page.goto("http://localhost:3000/my-posts");
await openTab(page, "Published");
await openDeleteModal(page, title);

const closeButton = page.getByRole("button", { name: "Cancel" });
await closeButton.click();

await expect(
page.locator("text=Are you sure you want to delete this article?"),
).toBeHidden();
});

test("User should close delete modal with Close button", async ({ page }) => {
const title = "Published Article";
await page.goto("http://localhost:3000/my-posts");
await openTab(page, "Published");
await openDeleteModal(page, title);

const closeButton = page.getByRole("button", { name: "Close" });
await closeButton.click();

await expect(
page.locator("text=Are you sure you want to delete this article?"),
).toBeHidden();
});

test("User should delete published article", async ({ page }) => {
const article = {
id: "test-id-for-deletion",
title: "Article to be deleted",
slug: "article-to-be-deleted",
excerpt: "This is an excerpt for the article to be deleted.",
body: "This is the body for the article to be deleted.",
};
await createArticle(article);
await page.goto("http://localhost:3000/my-posts");
await openTab(page, "Published");
await expect(page.getByRole("link", { name: article.title })).toBeVisible();
await openDeleteModal(page, article.title);

await page.getByRole("button", { name: "Delete" }).click();
await expect(page.getByRole("link", { name: article.slug })).toHaveCount(0);
Comment on lines +115 to +130
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

Add test data cleanup and improve assertions.

The deletion test should:

  1. Clean up test data after the test
  2. Use more specific assertions
  3. Add appropriate timeouts
 test("User should delete published article", async ({ page }) => {
   const article = {
     id: "test-id-for-deletion",
     title: "Article to be deleted",
     slug: "article-to-be-deleted",
     excerpt: "This is an excerpt for the article to be deleted.",
     body: "This is the body for the article to be deleted.",
   };
   await createArticle(article);
+  try {
     await page.goto("http://localhost:3000/my-posts");
     await openTab(page, "Published");
-    await expect(page.getByRole("link", { name: article.title })).toBeVisible();
+    await expect(
+      page.getByRole("link", { name: article.title })
+    ).toBeVisible({ timeout: 5000 });
     await openDeleteModal(page, article.title);

     await page.getByRole("button", { name: "Delete" }).click();
-    await expect(page.getByRole("link", { name: article.slug })).toHaveCount(0);
+    await expect(
+      page.getByRole("link", { name: article.title })
+    ).toBeHidden({ timeout: 5000 });
+  } finally {
+    // Clean up test data
+    // TODO: Add cleanup logic here
+  }
 });

Would you like me to help implement the test data cleanup logic?

Committable suggestion skipped: line range outside the PR's diff.

});
});
205 changes: 150 additions & 55 deletions e2e/setup.ts
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@ import {
E2E_USER_TWO_SESSION_ID,
} from "./constants";
import { eq } from "drizzle-orm";
import type { Article } from "@/types/types";

export const setup = async () => {
// Dynamically import nanoid
Expand All @@ -20,70 +21,164 @@ export const setup = async () => {
const db = drizzle(
postgres("postgresql://postgres:[email protected]:5432/postgres"),
);

const addE2EArticleAndComment = async (
authorId: string,
commenterId: string,
) => {
const publishedPostId = nanoid(8);
const scheduledPostId = nanoid(8);
const draftPostId = nanoid(8);
const now = new Date().toISOString();

const oneYearFromToday = new Date(now);
oneYearFromToday.setFullYear(oneYearFromToday.getFullYear() + 1);

await Promise.all([
db
.insert(post)
.values({
id: publishedPostId,
published: now,
excerpt: articleExcerpt,
updatedAt: now,
slug: "e2e-test-slug-published",
likes: 10,
readTimeMins: 3,
title: "Published Article",
body: articleContent,
userId: authorId,
})
.onConflictDoNothing()
.returning(),
const now = new Date().toISOString();
const scheduled = new Date(
new Date().setFullYear(new Date().getFullYear() + 1),
).toISOString();

db
.insert(post)
.values({
id: draftPostId,
published: null,
excerpt: articleExcerpt,
updatedAt: now,
slug: "e2e-test-slug-draft",
likes: 10,
readTimeMins: 3,
title: "Draft Article",
body: articleContent,
userId: authorId,
})
.onConflictDoNothing()
.returning(),
const articles: Article[] = [
{
id: publishedPostId,
title: "Published Article",
slug: "e2e-test-slug-published",
excerpt: articleExcerpt,
body: articleContent,
likes: 0,
readTimeMins: 2,
published: now,
updatedAt: now,
userId: authorId,
},
{
id: scheduledPostId,
title: "Scheduled Article",
slug: "e2e-test-slug-scheduled",
excerpt: "This is an excerpt for a scheduled article.",
body: "This is the body for a scheduled article.",
likes: 0,
readTimeMins: 2,
published: scheduled,
updatedAt: now,
userId: authorId,
},
{
id: draftPostId,
title: "Draft Article",
slug: "e2e-test-slug-draft",
excerpt: "This is an excerpt for a draft article.",
body: "This is the body for a draft article.",
likes: 0,
readTimeMins: 2,
published: null,
updatedAt: now,
userId: authorId,
},
{
id: nanoid(8),
title: "Next.js Best Practices",
slug: "e2e-nextjs-best-practices",
excerpt:
"Optimize your Next.js applications with these best practices.",
body: "This guide explores how to structure your Next.js projects effectively, utilize Server-Side Rendering (SSR) and Static Site Generation (SSG) to enhance performance, and make the most of API routes to handle server-side logic.",
likes: 20,
readTimeMins: 4,
published: now,
updatedAt: now,
userId: authorId,
},
{
id: nanoid(8),
title: "Understanding HTML5 Semantics",
slug: "e2e-understanding-html5-semantics",
excerpt: "Master the use of semantic tags in HTML5.",
body: "Semantic HTML5 elements are foundational to web accessibility and search engine optimization.",
likes: 15,
readTimeMins: 3,
published: now,
updatedAt: now,
userId: authorId,
},
{
id: nanoid(8),
title: "JavaScript ES6 Features",
slug: "e2e-javascript-es6-features",
excerpt: "Discover the powerful features of ES6.",
body: "ECMAScript 6 introduces a wealth of new features to JavaScript, revolutionizing how developers write JS.",
likes: 25,
readTimeMins: 5,
published: null,
updatedAt: now,
userId: authorId,
},
{
id: nanoid(8),
title: "CSS Grid vs. Flexbox",
slug: "e2e-css-grid-vs-flexbox",
excerpt: "Choosing between CSS Grid and Flexbox.",
body: "CSS Grid and Flexbox are powerful tools for creating responsive layouts.",
likes: 18,
readTimeMins: 4,
published: null,
updatedAt: now,
userId: authorId,
},
{
id: nanoid(8),
title: "React Hooks Explained",
slug: "e2e-react-hooks-explained",
excerpt: "Simplify your React code with Hooks.",
body: "React Hooks provide a robust solution to use state and other React features without writing a class.",
likes: 22,
readTimeMins: 5,
published: scheduled,
updatedAt: now,
userId: authorId,
},
{
id: nanoid(8),
title: "Web Accessibility Fundamentals",
slug: "e2e-web-accessibility-fundamentals",
excerpt: "Essential guidelines for web accessibility.",
body: "Creating accessible websites is a critical aspect of modern web development.",
likes: 20,
readTimeMins: 3,
published: scheduled,
updatedAt: now,
userId: authorId,
},
];

db
.insert(post)
.values({
id: scheduledPostId,
published: oneYearFromToday.toISOString(),
excerpt: articleExcerpt,
updatedAt: now,
slug: "e2e-test-slug-scheduled",
likes: 10,
readTimeMins: 3,
title: "Scheduled Article",
body: articleContent,
userId: authorId,
})
.onConflictDoNothing()
.returning(),
]);
await Promise.all(
articles.map(
({
id,
title,
slug,
excerpt,
body,
likes,
readTimeMins,
published,
updatedAt,
userId,
}) =>
db
.insert(post)
.values({
id,
title,
slug,
excerpt,
body,
likes,
readTimeMins,
published,
updatedAt,
userId,
})
.onConflictDoNothing()
.returning(),
),
);

await db
.insert(comment)
Expand Down Expand Up @@ -119,7 +214,7 @@ export const setup = async () => {
email,
image: `https://robohash.org/${encodeURIComponent(name)}?bgset=bg1`,
location: "Ireland",
bio: "Hi I am an robot",
bio: "Hi I am a robot",
websiteUrl: "codu.co",
};
const [createdUser] = await db.insert(user).values(userData).returning();
Expand Down
Loading
Loading