Threads
Develop Threads, Next.js 13 app that skyrocketed to 100 million sign-ups in less than 5 days, and dethroned giants like Twitter, ChatGPT, and TikTok to become the fastest-growing app ever!
Install / Use
/learn @adrianhajdin/ThreadsREADME
📋 <a name="table">Table of Contents</a>
- 🤖 Introduction
- ⚙️ Tech Stack
- 🔋 Features
- 🤸 Quick Start
- 🕸️ Snippets
- 🔗 Links
- 🚀 More
🚨 Tutorial
This repository contains the code corresponding to an in-depth tutorial available on our YouTube channel, <a href="https://www.youtube.com/@javascriptmastery/videos" target="_blank"><b>JavaScript Mastery</b></a>.
If you prefer visual learning, this is the perfect resource for you. Follow our tutorial to learn how to build projects like these step-by-step in a beginner-friendly manner!
<a href="https://youtu.be/O5cmLDVTgAs?feature=shared" target="_blank"><img src="https://github.com/sujatagunale/EasyRead/assets/151519281/1736fca5-a031-4854-8c09-bc110e3bc16d" /></a>
<a name="introduction">🤖 Introduction</a>
Build a full stack Threads clone using Next.js 14+ with a redesigned look transformed from a Figma design, user interaction to community management, technical implementation, and various features, including nested deep comments, notifications, real-time-search, and more.
If you're getting started and need assistance or face any bugs, join our active Discord community with over 27k+ members. It's a place where people help each other out.
<a href="https://discord.com/invite/n6EdbFJ" target="_blank"><img src="https://github.com/sujatagunale/EasyRead/assets/151519281/618f4872-1e10-42da-8213-1d69e486d02e" /></a>
<a name="tech-stack">⚙️ Tech Stack</a>
- Next.js
- MongoDB
- Shadcn UI
- TailwindCSS
- Clerk
- Webhooks
- Serverless APIs
- React Hook Form
- Zod
- TypeScript
<a name="features">🔋 Features</a>
👉 Authentication: Authentication using Clerk for email, password, and social logins (Google and GitHub) with a comprehensive profile management system.
👉 Visually Appealing Home Page: A visually appealing home page showcasing the latest threads for an engaging user experience.
👉 Create Thread Page: A dedicated page for users to create threads, fostering community engagement
👉 Commenting Feature: A commenting feature to facilitate discussions within threads.
👉 Nested Commenting: Commenting system with nested threads, providing a structured conversation flow.
👉 User Search with Pagination: A user search feature with pagination for easy exploration and discovery of other users.
👉 Activity Page: Display notifications on the activity page when someone comments on a user's thread, enhancing user engagement.
👉 Profile Page: User profile pages for showcasing information and enabling modification of profile settings.
👉 Create and Invite to Communities: Allow users to create new communities and invite others using customizable template emails.
👉 Community Member Management: A user-friendly interface to manage community members, allowing role changes and removals.
👉 Admin-Specific Community Threads: Enable admins to create threads specifically for their community.
👉 Community Search with Pagination: A community search feature with pagination for exploring different communities.
👉 Community Profiles: Display community profiles showcasing threads and members for a comprehensive overview.
👉 Figma Design Implementation: Transform Figma designs into a fully functional application with pixel-perfect and responsive design.
👉 Blazing-Fast Performance: Optimal performance and instantaneous page switching for a seamless user experience.
👉 Server Side Rendering: Utilize Next.js with Server Side Rendering for enhanced performance and SEO benefits.
👉 MongoDB with Complex Schemas: Handle complex schemas and multiple data populations using MongoDB.
👉 File Uploads with UploadThing: File uploads using UploadThing for a seamless media sharing experience.
👉 Real-Time Events Listening: Real-time events listening with webhooks to keep users updated.
👉 Middleware, API Actions, and Authorization: Utilize middleware, API actions, and authorization for robust application security.
👉 Next.js Layout Route Groups: New Next.js layout route groups for efficient routing
👉 Data Validation with Zod: Data integrity with data validation using Zod
👉 Form Management with React Hook Form: Efficient management of forms with React Hook Form for a streamlined user input experience.
and many more, including code architecture and reusability
<a name="quick-start">🤸 Quick Start</a>
Follow these steps to set up the project locally on your machine.
Prerequisites
Make sure you have the following installed on your machine:
Cloning the Repository
git clone https://github.com/adrianhajdin/threads.git
cd threads
Installation
Install the project dependencies using npm:
npm install
Set Up Environment Variables
Create a new file named .env in the root of your project and add the following content:
MONGODB_URL=
CLERK_SECRET_KEY=
UPLOADTHING_SECRET=
UPLOADTHING_APP_ID=
NEXT_CLERK_WEBHOOK_SECRET=
NEXT_PUBLIC_CLERK_PUBLISHABLE_KEY=
Replace the placeholder values with your actual credentials. You can obtain these credentials by signing up for the corresponding websites on MongoDB, Clerk, and Uploadthing.
Running the Project
npm run dev
Open http://localhost:3000 in your browser to view the project.
<a name="snippets">🕸️ Snippets</a>
<details> <summary><code>clerk.route.ts</code></summary>/* eslint-disable camelcase */
// Resource: https://clerk.com/docs/users/sync-data-to-your-backend
// Above article shows why we need webhooks i.e., to sync data to our backend
// Resource: https://docs.svix.com/receiving/verifying-payloads/why
// It's a good practice to verify webhooks. Above article shows why we should do it
import { Webhook, WebhookRequiredHeaders } from "svix";
import { headers } from "next/headers";
import { IncomingHttpHeaders } from "http";
import { NextResponse } from "next/server";
import {
addMemberToCommunity,
createCommunity,
deleteCommunity,
removeUserFromCommunity,
updateCommunityInfo,
} from "@/lib/actions/community.actions";
// Resource: https://clerk.com/docs/integration/webhooks#supported-events
// Above document lists the supported events
type EventType =
| "organization.created"
| "organizationInvitation.created"
| "organizationMembership.created"
| "organizationMembership.deleted"
| "organization.updated"
| "organization.deleted";
type Event = {
data: Record<string, string | number | Record<string, string>[]>;
object: "event";
type: EventType;
};
export const POST = async (request: Request) => {
const payload = await request.json();
const header = headers();
const heads = {
"svix-id": header.get("svix-id"),
"svix-timestamp": header.get("svix-timestamp"),
"svix-signature": header.get("svix-signature"),
};
// Activitate Webhook in the Clerk Dashboard.
// After adding the endpoint, you'll see the secret on the right side.
const wh = new Webhook(process.env.NEXT_CLERK_WEBHOOK_SECRET || "");
let evnt: Event | null = null;
try {
evnt = wh.verify(
JSON.stringify(payload),
heads as IncomingHttpHeaders & WebhookRequiredHeaders
) as Event;
} catch (err) {
return NextResponse.json({ message: err }, { status: 400 });
}
const eventType: EventType = evnt?.type!;
// Listen organization creation event
if (eventType === "organization.created") {
// Resource: https://clerk.com/docs/reference/backend-api/tag/Organizations#operation/CreateOrganization
// Show what evnt?.data sends from above resource
const { id, name, slug, logo_url, image_url, created_by } =
evnt?.data ?? {};
try {
// @ts-ignore
await createCommunity(
// @ts-ignore
id,
name,
slug,
logo_url || image_url,
"org bio",
created_by
);
return NextResponse.json({ message: "User created" }, { status: 201 });
} catch (err) {
console.log(err);
return NextResponse.json(
{ message: "Internal Server Error" },
{ status: 500 }
