The tutorial explains the process to develop a social learning platform for students to interact with professionals across multiple disciplines. The platform allows users to:
- Professional video conference events must be established for students to participate.
- The posting of announcements regarding trending tools and upcoming sessions should remain visible to the entire community.
- The organization should develop community platforms that promote student interactions.
The Stream Video & Audio SDK together with Stream Chat SDK provide developers an easy method to add video call features and community channels capabilities into their application.
App Overview
The application functions through two user permissions which include students and instructors who have their own operational capabilities.
Students have the ability to:
- The online activity feed presents content from instructors including their posts which users can engage with.
- Students should choose to follow instructors who specialize in their educational field.
- Users can join both upcoming video meetings and community interaction platforms.
- Instructors can be reached through an interest attribute which shows them to potentials students.
Instructors can:
- Motivational dashboards show instructors both their post activity and current follower numbers.
- Academic staff should create time slots for students to enter video conference sessions.
- Share posts or make announcements.
- Educational institutions should establish community channels unless existing ones already exist.
- The application recommends instructors to students who share comparable professional interests.
Users can perform multiple functions across this platform as shown in this image.
Prerequisites
The tutorial demands familiarity with either React or Next.js fundamentals.
The tutorial uses the listed tools:
- Supabase provides Backend-as-a-Service functions which enable seamless management of authentication alongside databases and real-time communication and storage and edge functions. It supports multiple programming languages.
- Stream Chat and Audio & Video SDK serve as a real-time communication solution which enables developers to add video functionality along with chat capabilities to their applications through an SDK.
- Shadcn UI: A UI component library offering customizable, well-designed, and accessible UI components.
Construct your Next.js project through executing this command:
npx create-next-app stream-lms
The project needs required package dependencies which are installed through this command.
npm install @supabase/supabase-js @supabase/ssr @stream-io/node-sdk @stream-io/video-react-sdk stream-chat stream-chat-react @emoji-mart/data @emoji-mart/react
The Shadcn UI library requires users to follow its installation guide.
A Next.js project becomes ready after completing the setup sequence. Let’s begin building!
How to Set up Server-Side Authentication with Supabase
This section will teach you to set up Supabase followed by server authentication procedures which enable unauthorized user access restrictions in Next.js applications. This section addresses the use of effective Next.js server actions for authentication management.
How to Configure Supabase Authentication in a Next.js application
To begin create an account at Supabase and establish an organization to handle your Supabase projects.
To create a new Supabase project within your organization you need to obtain credentials from your dashboard which you will then place into a `.env.local` file at your project’s root folder.
NEXT_PUBLIC_SUPABASE_ANON_KEY=
NEXT_PUBLIC_SUPABASE_URL=
Put three files inside a utils/supabase directory at the project root
- client.ts
- middleware.ts
- server.ts
mkdir utils && cd utils
mkdir supabase && cd supabase
touch client.ts middleware.ts server.ts
The following code establishes a Supabase browser client interaction for client-side Supabase operations and should be inserted into `utils/supabase/client.ts`:
import { createBrowserClient } from "@supabase/ssr";
export function createClient() {
return createBrowserClient(
process.env.NEXT_PUBLIC_SUPABASE_URL!,
process.env.NEXT_PUBLIC_SUPABASE_ANON_KEY!
);
}
To establish server-side Supabase authentication create a client connection which you can obtain by adding this code within `utils/supabase/server.ts`:
import { createServerClient } from "@supabase/ssr";
import { cookies } from "next/headers";
export async function createClient() {
const cookieStore = await cookies();
return createServerClient(
process.env.NEXT_PUBLIC_SUPABASE_URL!,
process.env.NEXT_PUBLIC_SUPABASE_ANON_KEY!,
{
cookies: {
getAll() {
return cookieStore.getAll();
},
setAll(cookiesToSet) {
try {
cookiesToSet.forEach(({ name, value, options }) =>
cookieStore.set(name, value, options)
);
} catch {
// The `setAll` method was called from a Server Component.
// This can be ignored if you have middleware refreshing
// user sessions.
}
},
},
}
);
}
The following code must be copied and pasted into `utils/supabase/middleware.ts` file. Authentication cookies get created through this middleware while the middleware restricts unauthorized users from accessing protected pages:
import { createServerClient } from "@supabase/ssr";
import { NextResponse, type NextRequest } from "next/server";
export async function updateSession(request: NextRequest) {
let supabaseResponse = NextResponse.next({
request,
});
//ππ» creates the Supabase cookie functions
const supabase = createServerClient(
process.env.NEXT_PUBLIC_SUPABASE_URL!,
process.env.NEXT_PUBLIC_SUPABASE_ANON_KEY!,
{
cookies: {
getAll() {
return request.cookies.getAll();
},
setAll(cookiesToSet) {
cookiesToSet.forEach(({ name, value }) =>
request.cookies.set(name, value)
);
supabaseResponse = NextResponse.next({
request,
});
cookiesToSet.forEach(({ name, value, options }) =>
supabaseResponse.cookies.set(name, value, options)
);
},
},
}
);
// ππ» placeholder for protected route controller
}
The following code should be placed inside the placeholder in `middleware.ts` to ensure authentication enforcement. The code base verifies authentication status for users who need to be logged in before showing pages and pushes them to the login page if authentication fails.
//ππ» gets current user
const {
data: { user },
} = await supabase.auth.getUser();
//ππ» declares protected routes
if (
!user &&
request.nextUrl.pathname !== "/" &&
!request.nextUrl.pathname.startsWith("/instructor/auth") &&
!request.nextUrl.pathname.startsWith("/student/auth")
) {
//ππ» Redirect unauthenticated users to the login page
const url = request.nextUrl.clone();
url.pathname = "/student/auth/login"; // ππΌ redirect page
return NextResponse.redirect(url);
}
//ππ» returns Supabase response
return supabaseResponse;
The initial code exists at the project foundation within the root of the Next.js structure in the file named `middleware.ts`.
import { type NextRequest } from "next/server";
import { updateSession } from "./utils/supabase/middleware";
export async function middleware(request: NextRequest) {
return await updateSession(request);
}
export const config = {
matcher: [
/*
* Match all request paths except for the ones starting with:
* - _next/static (static files)
* - _next/image (image optimization files)
* - favicon.ico (favicon file)
* Feel free to modify this pattern to include more paths.
*/
"/((?!_next/static|_next/image|favicon.ico|.*\\.(?:svg|png|jpg|jpeg|gif|webp)$).*)",
],
};
Establish both the `auth/confirm` route and the error page at the Inside level of the Next.js app folder.
You have now completed authentication setup for your Next.js project through the utilization of Supabase.
Student Authentication with Supabase
You will discover the procedure to build signup and login functionality for student authentication in this section.
Start by creating an `actions` directory in the base of your Next.js application then place a file named `auth.ts` inside that folder. All Supabase authentication functions will be stored in this specific file.
The necessary imports need to be included at the beginning of the `auth.ts` file.
"use server";
import { revalidatePath } from "next/cache";
import { redirect } from "next/navigation";
import { createClient } from "../utils/supabase/server";
Now you need to implement server functions which will process the form data received from clients and administer student signs up and log in operations.
The user sign-up functionality can be added to the application through this code in the ‘actions/auth.ts’ file.
export async function studentSignUp(formData: FormData) {
const supabase = await createClient();
//ππ» Extract form data
const credentials = {
email: formData.get("email") as string,
password: formData.get("password") as string,
interest: formData.get("interest") as string,
name: formData.get("name") as string,
};
//ππ» Supabase sign up function (options attribute :- for user metadata)
const { data, error } = await supabase.auth.signUp({
email: credentials.email,
password: credentials.password,
options: {
data: {
interest: credentials.interest,
name: credentials.name,
},
},
});
//ππ» return user or error object
}
This code fragment processes the form credentials which include email, password, interest and name to register the user within the Supabase system.
The function should deliver either the user data object or an error object which users will need to manage authentication outcomes.
export async function studentSignUp(formData: FormData) {
//...form inputs and supabase functions
if (error) {
return { error: error.message, status: error.status, user: null };
} else if (data.user?.identities?.length === 0) {
return { error: "User already exists", status: 409, user: null };
}
revalidatePath("/", "layout");
return { error: null, status: 200, user: data.user };
}
The student login function requires this code to be added in sequence to the `actions/auth.ts` file.
export async function studentLogIn(formData: FormData) {
const supabase = await createClient();
const credentials = {
email: formData.get("email") as string,
password: formData.get("password") as string,
};
const { data, error } = await supabase.auth.signInWithPassword(credentials);
if (error) {
return { error: error.message, status: error.status, user: null };
}
//ππ» only instructors have an image attribute
if (data && data.user.user_metadata.image) {
return { error: "You are not a student", status: 400, user: null };
}
//ππ» create a student row and add to the database
revalidatePath("/", "layout");
return { error: null, status: 200, user: data.user };
}
Students authenticate using their email address together with their password information.
- The code returns an error message when it detects any error.
- A user login is restricted if the user object contains an image attribute which represents an instructor.
- After successful authentication of students a Supabase table saves their stored information.
The database system enables users to track instructors they follow through a following_list column which gets updated during instructor following or unfollowing activities.
export async function studentLogIn(formData: FormData) {
//...other functions
const { data: existingUser } = await supabase
.from("students")
.select()
.eq("email", credentials.email)
.single();
//ππ» if student doesn't exist
if (!existingUser) {
const { error: insertError } = await supabase.from("students").insert({
email: credentials.email,
name: data.user.user_metadata.name,
interest: data.user.user_metadata.interest,
id: data.user.id,
following_list: [] as string[],
});
if (insertError) {
return { error: insertError.message, status: 500, user: null };
}
}
revalidatePath("/", "layout");
return { error: null, status: 200, user: data.user };
}
The login code checks if the student exists in the `students` table during every authentication attempt.
- Existence of the student prevents creation of a new entry.
- A new row containing student information gets added when the system does not identify their entry.
Every student record contains both id and email primary keys alongside the interest, name and other columns.
Instructor Authentication with Supabase
The Instructor user object differs from Student through separate elements which include email, password, name, interest, occupation, bio, URL, and image.
A new function must be added to actions/auth.ts for instructor account creation procedures.
export async function instructorSignUp(formData: FormData) {
const supabase = await createClient();
//ππ» get user credentials from the form
const credentials = {
email: formData.get("email") as string,
password: formData.get("password") as string,
interest: formData.get("interest") as string,
name: formData.get("name") as string,
occupation: formData.get("occupation") as string,
bio: formData.get("bio") as string,
url: formData.get("url") as string,
image: formData.get("image") as File,
};
//ππ» following code snippet below
}
Rephrase the instructorSignUp function as follows:
- The image moves to Supabase Storage for storage and you retrieve its downloadable URL before including it in the instructor data before their signup process.
- Retrieve its download URL.
- The data entry for instructors should contain the URL before their registration process is finalized.
Update the instructorSignUp function accordingly.
export async function instructorSignUp(formData: FormData) {
//ππ» upload instructor's image
const { data: imageData, error: imageError } = await supabase.storage
.from("headshots")
.upload(`${crypto.randomUUID()}/image`, credentials.image);
if (imageError) {
return { error: imageError.message, status: 500, user: null };
}
//ππ» get the image URL
const imageURL = `${process.env.STORAGE_URL!}${imageData.fullPath}`;
//ππ» authenticate user as instructor
const { data, error } = await supabase.auth.signUp({
email: credentials.email,
password: credentials.password,
options: {
data: {
interest: credentials.interest,
name: credentials.name,
occupation: credentials.occupation,
bio: credentials.bio,
url: credentials.url,
image: imageURL,
},
},
});
//ππ» return user or error object
if (error) {
return { error: error.message, status: error.status, user: null };
}
revalidatePath("/", "layout");
return { error: null, status: 200, user: data.user };
}
Add an instructor login function which operates in the same way as the student login function exists. It should:
- Authenticate the instructor.
- The query should verify whether the instructor exists in the instructors table records.
- The system should create a new database entry for the instructor when their user object cannot be located in the database.
The following Supabase function enables table entry of instructors:
const { error: insertError } = await supabase.from("instructors").insert({
email: credentials.email,
name: data.user.user_metadata.name,
occupation: data.user.user_metadata.occupation,
bio: data.user.user_metadata.bio,
url: data.user.user_metadata.url,
image: data.user.user_metadata.image,
id: data.user.id,
interest: data.user.user_metadata.interest,
followers: [],
});
The Application Database Design
The previous section established two database tables which maintain individual data for students and instructors separately while instructors can upload images to Supabase Storage. UsersController can use Supabase Storage technology to upload instructor profile photos.
This section introduces you to three essential steps which include creating tables in Supabase and designing access policies as well as performing retrieval and modification of data within tables.
- Create these tables in Supabase,
- Data access regulations need definition in order to manage permissions.
- These tables enable both read and write operations on their data records.
Announcements (data type)
- id (int8)
- created_at (timestamptz)
- author_name (text)
- interest (text)
- author_title (text)
- author_id (uuid)
- content (text)
- likes (uuid [])
- author_image (text)
Instructors (data type)
- id (uuid)
- created_at (timestamptz)
- name (text)
- email (text)
- occupation (text)
- bio (text)
- url (text)
- interest (text)
- image (text)
- followers (uuid[])
Students (data type)
- id (uuid)
- created_at (timestamptz)
- email (text)
- name (text)
- interest (text)
- following_list (uuid[])
The instructors table contains an image field which saves the URL link for instructor photo images. Users can obtain the URL by creating the headshot Supabase bucket during the instructor sign-up process.
Each of the instructors and students tables contains the id and email columns as their main keys.
Through Supabase users can define access policies which determine which operations each user can execute in your application.
The next step enfolds the definition of access policies across all tables.
Access Policy for the Announcements Table
The `announcements` table contains **four access policies** which determine user interaction permissions with the data.
Users should have `delete` permission by applying an access policy which requires their user ID to match the author_id stored in the announcements table.
alter policy "Enable delete for users based on user_id"
on "public"."announcements"
to public
using (
(( SELECT auth.uid() AS uid) = author_id)
);
A defined access policy should allow authenticated users to insert new records into the announcements table for this operation to become enabled.
alter policy "Enable insert for authenticated users only"
on "public"."announcements"
to authenticated
with check (
true
);
The system allows all users to read files.
alter policy "Enable read access for all users"
on "public"."announcements"
to public
using (
true
);
Authenticating users can modify announcements table records through an access policy enabling the update operation.
alter policy "Enable update for authenticated users"
on "public"."announcements"
to authenticated
using (
(auth.role() = 'authenticated'::text)
);
Access Policy for the Instructors Table
Three access policies in the instructors table determine both reading and writing privileges.
The access policy should enable users to update instructor records only when they log into the system properly.
alter policy "Allow only authenticated users"
on "public"."instructors"
to authenticated
using (
(auth.role() = 'authenticated'::text)
);
An access policy should grant record insertion rights to authorized users in the instructors table.
alter policy "Enable insert for authenticated users only"
on "public"."instructors"
to authenticated
with check (
true
);
Users will be able to read records from the instructors table through an access policy which grants all users view permissions.
alter policy "Enable read access for all users"
on "public"."instructors"
to public
using (
true
);
Access Policy for the Students Table
Three access regulations control the students table:
The system permits authenticated users to create new records inside the students table.
alter policy "Enable insert for authenticated users only"
on "public"."students"
to authenticated
with check (
true
);
Users need authentication for updating records contained in the students table.
alter policy "Enable update for only authenticated users"
on "public"."students"
to authenticated
using ((auth.role() = 'authenticated'::text))
Give all authentic users permission to only view records in the students table.
alter policy "Read access for only authenticated users"
on "public"."students"
to authenticated
using (
true
);
How to Add a Video Conferencing Feature with Stream
The next part demonstrates how to combine video conferencing functionality into your application by employing the Stream Audio & Video SDK. The application will provide instructors with scheduling capabilities for educational sessions and students can join those meetings.
Setting Up Stream Video & Audio SDK in Next.js
Set up a new organization through Stream and establish an account to organize all your applications inside it.
Create a new Stream API app for your project then migrate both Secure API Key values from Stream into the .env.local file of your project.
NEXT_PUBLIC_STREAM_API_KEY=
STREAM_SECRET_KEY=
Add a new stream.action.ts file to the actions folder that exists at your Next.js project root. The authentication server actions for Supabase exist within this folder.
Implement the below code into stream.action.ts to manage Stream-related operations.
"use server";
import { getUserSession } from "./auth";
import { StreamClient } from "@stream-io/node-sdk";
const STREAM_API_KEY = process.env.NEXT_PUBLIC_STREAM_API_KEY!;
const STREAM_API_SECRET = process.env.STREAM_SECRET_KEY!;
export const tokenProvider = async () => {
const { user } = await getUserSession();
if (!user) throw new Error("User is not authenticated");
if (!STREAM_API_KEY) throw new Error("Stream API key secret is missing");
if (!STREAM_API_SECRET) throw new Error("Stream API secret is missing");
const streamClient = new StreamClient(STREAM_API_KEY, STREAM_API_SECRET);
const expirationTime = Math.floor(Date.now() / 1000) + 3600;
const issuedAt = Math.floor(Date.now() / 1000) - 60;
const token = streamClient.generateUserToken({
user_id: user.id,
exp: expirationTime,
validity_in_seconds: issuedAt,
});
return token;
};
In the code snippet above:
- The Supabase user object of the current user can be retrieved by calling the getUserSession function.
- To allow for user identification during real-time communication Stream uses the tokenProvider function which creates authentication tokens.
Develop a providers subfolder within the Next.js application directory.
The necessary file ‘StreamVideoProvider.tsx’ goes inside the providers directory where you should place the following code.
"use client";
import { createClient } from "../../../utils/supabase/client";
import { tokenProvider } from "../../../actions/stream.action";
import { StreamVideo, StreamVideoClient } from "@stream-io/video-react-sdk";
import { useState, ReactNode, useEffect, useCallback } from "react";
import { Loader2 } from "lucide-react";
const apiKey = process.env.NEXT_PUBLIC_STREAM_API_KEY!;
export const StreamVideoProvider = ({ children }: { children: ReactNode }) => {
const [videoClient, setVideoClient] = useState(
null
);
const supabase = createClient();
const getUser = useCallback(async () => {
//ππ» get user object from Supabase
//ππ» set Stream user data
// ππ» initialize Stream video client using the Stream API key, Stream user data, and token Provider
}, [supabase.auth]);
useEffect(() => {
getUser();
}, [getUser]);
if (!videoClient)
return (
);
return {children} ;
};
The StreamVideoProvider component functions as part of the Stream video management solution which operates universally throughout the application. All application pages which need Stream real-time video features receive access through this wrapping system.
- Students as well as instructors connect through video conferencing sessions for educational purposes.
- Educational events are scheduled by instructors through live sessions.
- Students use video channels to participate in discussions through the community system.
The instructor/[id] link shows upcoming sessions of a selected instructor.
The dashboard section of instructor enables users to schedule video calls.
The getUser function needs alterations according to the following specifications.
const getUser = useCallback(async () => {
const { data, error } = await supabase.auth.getUser();
const { user } = data;
if (error || !user || !apiKey) return;
if (!tokenProvider) return;
let streamUser;
if (user.user_metadata?.image) {
streamUser = {
// ππ» user is an instructor
id: user.id,
name: user.user_metadata?.name,
image: user.user_metadata?.image,
};
} else {
// ππ» user is a student
streamUser = {
id: user.id,
name: user.user_metadata?.name,
};
}
//ππ» create s Stream video client
const client = new StreamVideoClient({
apiKey,
user: streamUser,
tokenProvider,
});
setVideoClient(client);
}, [supabase.auth]);
The getUser function:
- This action fetches the data belonging to the active user from Supabase Auth.
- Sets up the Stream user.
- The Stream video client starts through the Stream API key while using the user object and authentication token.
Creating and Scheduling Calls with Stream
The following section teaches users how to apply the Stream Video & Audio SDK for instructor call scheduling functionality.
The first step involves creating a hooks folder within the Next.js application directory followed by adding specific files to this directory.
cd app && mkdir hooks
cd hooks
touch useGetCallById.ts useGetCalls.ts
The file useGetCallById.ts creates a React hook which retrieves particular Stream call details through their ID.
- This function obtains details about a certain Stream call using the specified ID value.
Add the provided code block to hooks/useGetCallById.ts file.
import { useEffect, useState } from "react";
import { Call, useStreamVideoClient } from "@stream-io/video-react-sdk";
export const useGetCallById = (id: string | string[]) => {
const [call, setCall] = useState();
const [isCallLoading, setIsCallLoading] = useState(true);
const client = useStreamVideoClient();
useEffect(() => {
if (!client) return;
const loadCall = async () => {
try {
// https://getstream.io/video/docs/react/guides/querying-calls/#filters
const { calls } = await client.queryCalls({
filter_conditions: { id },
});
if (calls.length > 0) setCall(calls[0]);
setIsCallLoading(false);
} catch (error) {
console.error(error);
setIsCallLoading(false);
}
};
loadCall();
}, [client, id]);
return { call, isCallLoading };
};
The provided code defines a React hook retrieval process for all calls created by Stream user instances in hooks/useGetCalls.ts.
import { useEffect, useState } from "react";
import { Call, useStreamVideoClient } from "@stream-io/video-react-sdk";
import { useParams } from "next/navigation";
export const useGetCalls = () => {
const client = useStreamVideoClient();
const [calls, setCalls] = useState();
const [isLoading, setIsLoading] = useState(false);
const { id } = useParams<{ id: string }>();
useEffect(() => {
const loadCalls = async () => {
if (!client || !id) return;
setIsLoading(true);
try {
const { calls } = await client.queryCalls({
sort: [{ field: "starts_at", direction: 1 }],
filter_conditions: {
starts_at: { $exists: true },
$or: [{ created_by_user_id: id }, { members: { $in: [id] } }],
},
});
setCalls(calls);
} catch (error) {
console.error(error);
} finally {
setIsLoading(false);
}
};
loadCalls();
}, [client, id]);
const now = new Date();
//ππ» upcoming calls
const upcomingCalls = calls?.filter(({ state: { startsAt } }: Call) => {
return startsAt && new Date(startsAt) > now;
});
//ππ» ongoing calls
const ongoingCalls = calls?.filter(
({ state: { startsAt, endedAt } }: Call) => {
return startsAt && new Date(startsAt) < now && !endedAt;
}
);
return { upcomingCalls, isLoading, ongoingCalls };
};
The useGetCalls hook:
- The hook fetches all calls that include the instructor in any role of creator or participant.
- Returns both current and upcoming calls.
- This component uses an isLoading state to display loading status that enables users to see conditional content.
The instructor dashboard should accept this new function which enables call creation or scheduling. The function requires a call description and scheduling date together with time as its input parameters.
//ππ» imports
import { useStreamVideoClient, Call } from "@stream-io/video-react-sdk";
const client = useStreamVideoClient();
//ππ» Form states
const [description, setDescription] = useState("");
const [dateTime, setDateTime] = useState("");
const handleScheduleMeeting = async (e: React.FormEvent) => {
e.preventDefault();
if (!client || !user) return;
try {
const id = crypto.randomUUID();
const call = client.call("default", id);
if (!call) throw new Error("Failed to create meeting");
//ππ» create Stream call
await call.getOrCreate({
data: {
starts_at: new Date(dateTime).toISOString(),
custom: {
description,
},
},
});
//ππ» Call object
console.log({ call });
} catch (error) {
console.error(error);
}
};
The code snippet above:
The process initializes a Stream video call with a specified default call type.
- Assigns the call a unique ID.
- The component adds a date and time selection feature.
- Includes a custom description.
All StreamVideoProvider components must be placed to enclose the area which hosts video call creation on the instructor’s dashboard. The achievement of this requires a layout.tsx file addition to dashboard page and wrapping all child elements inside <StreamVideoProvider>.
Joining Stream Video Calls
The instructor/[id] page exists as an instructor profile that shows important information. It displays:
- Instructor details retrieved from Supabase.
- The page shows a list of present and future scheduled calls which the instructor organized.
- Students can monitor and enroll in upcoming meetings when they begin.
Through this design students can effortlessly contact instructors and obtain timely information about upcoming sessions as well as access meetings when needed.
The (stream)/calls/[id] page will manage video call connections through the specified call identifier. All pages connected to calls within the (stream) directory must use necessary context providers through the layout.tsx file.
The following code should be inserted into the (stream)/layout.tsx file:
import { StreamVideoProvider } from "../providers/StreamVideoProvider";
import type { Metadata } from "next";
export const metadata: Metadata = {
title: "Calls & Chat | LinkedUp",
description: "Generated by create next app",
};
export default function AuthLayout({
children,
}: Readonly<{
children: React.ReactNode;
}>) {
return {children} ;
}
The layout.tsx file sets the StreamVideoProvider component to wrap all pages in the (stream) folder so its video and audio functions become accessible throughout these pages.
Inside the MeetingsBox component the calls will be displayed while granting students access to join meetings.
"use client";
import { formatDateTime } from "@/lib/utils";
import { Call } from "@stream-io/video-react-sdk";
import { useRouter } from "next/navigation";
export default function MeetingsBox({
upcomingCalls,
isLoading,
ongoingCalls,
}: {
upcomingCalls: Call[] | undefined;
isLoading: boolean;
ongoingCalls: Call[] | undefined;
}) {
const router = useRouter();
if (isLoading || !upcomingCalls || !ongoingCalls) {
return Fetching calls...
;
}
if (upcomingCalls.length === 0) {
return No upcoming meetings
;
}
return {
// --- upcoming and ongoing calls display elements ---
};
}
Return a visual representation of upcoming and ongoing teaching sessions through the component to display to all users.
return (
// --- ongoing calls ---
{ongoingCalls.map((call) => (
{call.state.custom.description}
Started: {formatDateTime(call.state?.startsAt?.toLocaleString())}
))}
// --- upcoming calls ---
{upcomingCalls.map((call) => (
{call.state.custom.description}
))}
);
`MeetingsBox` presents both the instructor’s ongoing and forthcoming phone calls through which users can obtain call links for joining meetings.
Moving users to the call page requires execution of handleJoinCall function which prompts a call page verification before actual joining. The handleCopyLink function enables users to add the call link to their clipboard system.
const handleJoinCall = (call: Call) => {
router.push(`/call/${call.id}`);
};
const handleCopyLink = (call: Call) => {
navigator.clipboard.writeText(
`${process.env.NEXT_PUBLIC_PAGE_URL!}/call/${call.id}`
);
console.log({
title: "Link copied to clipboard",
description: "You can now share the link with interested participants",
});
};
Implement code in the `call/[id]/page.tsx` component as shown below:
"use client";
import { useParams } from "next/navigation";
import { useEffect, useState, useCallback } from "react";
import { useRouter } from "next/navigation";
import { User } from "@supabase/supabase-js";
import { createClient } from "../../../../../utils/supabase/client";
export default function CallPage() {
const { id } = useParams<{ id: string }>();
const [user, setUser] = useState(null);
const router = useRouter();
const authenticateUser = useCallback(async () => {
const supabase = createClient();
const { data } = await supabase.auth.getUser();
const userData = data.user;
if (!userData) {
return router.push("/student/auth/login");
}
setUser(userData);
}, [router, call, camMicEnabled]);
useEffect(() => {
authenticateUser();
}, [authenticateUser]);
return {
// -- Conditionally render Stream Call component --
};
}
The authentication code verifies current user status for active session protection.
Move to the subsequent step by using the page route together with the `useParams` hook to fetch the call details using the call ID.
"use client";
//..other imports
import { useGetCallById } from "@/app/hooks/useGetCallById";
import { StreamCall, StreamTheme } from "@stream-io/video-react-sdk";
export default function CallPage() {
//..other states
const { call, isCallLoading } = useGetCallById(id);
const [confirmJoin, setConfirmJoin] = useState(false);
const [camMicEnabled, setCamMicEnabled] = useState(false);
const handleJoin = () => {
//ππ» Stream join call function
call?.join();
setConfirmJoin(true);
};
if (isCallLoading) return Loading...
;
if (!call) return Call not found
;
return (
{confirmJoin ? (
) : (
Join Call
Are you sure you want to join this call?
)}
);
}
In the code snippet above:
- The StreamCall component operates as a container for the entire call page that enables different audio and video calling features. The StreamCall component functions as a receiver of the passed call object through its property.
- The StreamTheme component provides user interface design capabilities for call elements which enables theme selection.
- The confirmJoin state starts its existence at false. The Join button activates the handleJoin function that connects users to the call while changing confirmJoin state to true.
- The component displays the MeetingRoom component that contains both prebuilt and customizable stream features when confirmJoin value evaluates to true.
The `authenticateUser` function should request Stream users to set their camera and microphone permissions immediately following call connection.
//ππ» call & camera disable/enable state
const [camMicEnabled, setCamMicEnabled] = useState(false);
const authenticateUser = useCallback(async () => {
const supabase = createClient();
const { data } = await supabase.auth.getUser();
const userData = data.user;
if (!userData) {
return router.push("/student/auth/login");
}
setUser(userData);
//ππ» Enable camera and microphone
if (camMicEnabled) {
call?.camera.enable();
call?.microphone.enable();
} else {
call?.camera.disable();
call?.microphone.disable();
}
}, [router, call, camMicEnabled]);
useEffect(() => {
authenticateUser();
}, [authenticateUser]);
Stream Call UI Components
Stream provides users with an easy interface to create call pages containing basic user interface components. This functionality provides two predefined layout options through `PaginatedGridLayout` and `SpeakerLayout` and allows users to customize the `CallControls` component.
- The display layout of call participants on the call page is controlled by PaginatedGridLayout and SpeakerLayout.
- The CallControls feature contains crucial communication capabilities toΡΡswitch audiovisual settings and share screens as well as hang up and other essential functionalities.
Construct the `MeetingRoom` component according to the following pattern:
const MeetingRoom = ({call} : {call: Call}) => {
const [layout, setLayout] = useState("grid");
const router = useRouter();
//ππ» allows members to leave the call
const handleLeave = () => {
if (confirm("Are you sure you want to leave the call?")) {
router.push("/");
}
};
//ππ» describes the call layout
const CallLayout = () => {
switch (layout) {
case "grid":
return ;
case "speaker-right":
return ;
default:
return ;
}
};
return (
// -- Stream call UI component--
)
}
The handleLeave function lets users close the call and the CallLayout component denotes their on-screen positioning.
The following data returns from MeetingRoom component:
return (
);
The CallLayout along with CallControls components now exist on the page to enable communication and provide screen-sharing functions and camera control and reaction-based virtual conversation abilities.
EndCallButton should be created as the component to let the instructor terminate phone calls for everyone.
//ππ» Stream call hook
import { useCallStateHooks } from "@stream-io/video-react-sdk";
const EndCallButton = ({ call }: { call: Call }) => {
const { useLocalParticipant } = useCallStateHooks();
const localParticipant = useLocalParticipant();
const router = useRouter();
const participantIsHost =
localParticipant &&
call.state.createdBy &&
localParticipant.userId === call.state.createdBy.id;
if (!participantIsHost) return null;
const handleEndCall = () => {
call.endCall();
console.log({
title: "Call Ended",
description: "The call has been ended for everyone",
});
router.push("/");
};
return (
);
};
The provided code block creates a system that allows the call host alone to terminate the call for every participant. The application checks the current user’s status against being the host prior to revealing the “End Call for Everyone” button.
Next Steps
You have acquired skills to build an entire social learning platform using Stream together with Supabase. Users can participate in real-time communication via Stream which provides chat functions.
The Stream platform helps developers create interface applications that handle large user volumes through its high-performing and adaptable Chat, Video, Voice, Feeds, and Moderation APIs which run on a worldwide edge system with enterprise-class infrastructure.
If you are a beginner to JavaScript, you can read my Beginner tutorial for Javascript variables and functions.
Thanks for reading!