Webinar System Development for LMS (Video Conference Integration)
Webinar system in LMS is not just a Zoom link. Full integration includes creating rooms via API, automatically sending links to students, monitoring attendance, recording webinars, and saving recordings in course materials.
Video Platform Selection
| Platform | API | Features |
|---|---|---|
| Zoom | REST API, Webhooks | Standard, wide API, good recording |
| Jitsi Meet | REST API, self-hosted | Free, full control |
| BigBlueButton | REST API, open-source | For education, whiteboard, breakout rooms |
| Daily.co | REST API + SDK | Embedded video directly in LMS |
| Whereby | REST API | Simple embedding, iframe |
BigBlueButton recommended for educational LMS: built-in whiteboard, polls, breakout rooms, recording with participant breakdown. Self-hosted.
Zoom API Integration
class ZoomIntegration {
async createMeeting({ topic, startTime, durationMin, hostEmail }) {
const token = await this.getAccessToken();
const response = await fetch(`https://api.zoom.us/v2/users/${hostEmail}/meetings`, {
method: 'POST',
headers: {
'Authorization': `Bearer ${token}`,
'Content-Type': 'application/json',
},
body: JSON.stringify({
topic,
type: 2,
start_time: startTime.toISOString(),
duration: durationMin,
settings: {
host_video: true,
waiting_room: true,
auto_recording: 'cloud',
mute_upon_entry: true,
},
}),
});
return response.json();
}
}
BigBlueButton Integration
class BigBlueButtonService {
public function createMeeting(string $meetingId, string $name, array $options = []): array {
$params = array_merge([
'meetingID' => $meetingId,
'name' => $name,
'record' => 'true',
'autoStartRecording' => 'false',
'allowStartStopRecording' => 'true',
], $options);
$queryString = http_build_query($params);
$checksum = sha1('create' . $queryString . $this->secret);
$params['checksum'] = $checksum;
$response = Http::get("{$this->url}/api/create", $params);
return $response->json();
}
public function getJoinUrl(string $meetingId, string $fullName, string $role): string {
$password = $role === 'moderator' ? $this->moderatorPw : $this->attendeePw;
$params = "meetingID={$meetingId}&fullName=" . urlencode($fullName) .
"&password={$password}";
$checksum = sha1('join' . $params . $this->secret);
return "{$this->url}/api/join?{$params}&checksum={$checksum}";
}
}
Attendance Tracking
app.post('/webhooks/zoom', async (req, res) => {
const { event, payload } = req.body;
if (event === 'meeting.participant_joined') {
await db.webinarAttendance.upsert({
webinarId: payload.object.id,
userId: await findUserByEmail(payload.object.participant.email),
joinedAt: new Date(payload.object.participant.join_time),
});
}
if (event === 'meeting.participant_left') {
await db.webinarAttendance.update({
webinarId: payload.object.id,
userId: await findUserByEmail(payload.object.participant.email),
}, {
leftAt: new Date(payload.object.participant.leave_time),
durationMin: payload.object.participant.duration,
});
}
res.status(200).json({ status: 'ok' });
});
Recording Processing
async function processWebinarRecording(meetingId, downloadUrl, token) {
const s3Key = `recordings/${meetingId}.mp4`;
const response = await fetch(downloadUrl, {
headers: { Authorization: `Bearer ${token}` }
});
await s3.upload({ Bucket: process.env.S3_BUCKET, Key: s3Key, Body: response.body }).promise();
const videoUrl = `https://${process.env.CDN_DOMAIN}/${s3Key}`;
await db.webinars.update({ meetingId }, { recordingUrl: videoUrl });
await notifyAbsentStudents(meetingId, videoUrl);
}
Embedded Video via Daily.co
function WebinarRoom({ roomUrl, token }) {
const callFrame = useRef(null);
useEffect(() => {
callFrame.current = DailyIframe.createFrame({
url: roomUrl,
token,
iframeStyle: { width: '100%', height: '600px' },
});
callFrame.current.on('participant-counts-updated', ({ present }) => {
trackAttendance(present);
});
callFrame.current.join();
return () => callFrame.current.destroy();
}, [roomUrl]);
return <div id="daily-container" />;
}
Timeline
Zoom API integration: creating meetings, sending links to students, basic attendance—4–5 days. Recording with S3 upload—2–3 days. Self-hosted BigBlueButton with full LMS integration—7–10 days. Daily.co embedded video—3–4 days.







