Skip to content

Assignment completed (likely) #2

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

Open
wants to merge 11 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all 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
48 changes: 48 additions & 0 deletions Shradha_Thakur/Chat_bot/index.html
Original file line number Diff line number Diff line change
@@ -0,0 +1,48 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Chatbot</title>
<link rel="stylesheet" href="style.css">

</head>
<body>
<button id="toggle-history">&#9776; History</button>

<div id="sidebar">
<ul id="history-list"></ul>
</div>

<div class = "container">

<div class = "header">
<h1>Blabbert</h1>
<select id = "model-select">
<option value = "mistralai/mistral-small-3.2-24b-instruct:free">Mistral</option>
<option value = "moonshotai/kimi-dev-72b:free">Kimi</option>
<option value = "deepseek/deepseek-r1-0528-qwen3-8b:free">Qwen</option>
<option value = "deepseek/deepseek-r1-0528:free">Deepseek</option>
<option value = "sarvamai/sarvam-m:free">Sarvam</option>
<option value = "google/gemma-3n-e4b-it:free">Gemma</option>
<option value = "tngtech/deepseek-r1t-chimera:free">Chimera</option>
<option value = "microsoft/mai-ds-r1:free">Mai</option>
</select>
<input type="password" id="api-key" placeholder="Enter OpenRouter API Key" />
</div>

<div id="chat-box" class="chat-box"></div>
<form id="chat-form">
<input type="text" id="user-input" placeholder="Type a message..." required />
<button type="submit">Send</button>
</form>
</div>






<script src="script.js"></script>
</body>
</html>
136 changes: 136 additions & 0 deletions Shradha_Thakur/Chat_bot/script.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,136 @@
function parseMarkdown(markdown) {
return markdown
.replace(/^# (.*$)/gim, '<h1>$1</h1>')
.replace(/^## (.*$)/gim, '<h1>$1</h1>')
.replace(/^### (.*$)/gim, '<h1>$1</h1>')
.replace(/\*\*(.*?)\*\*/gim, '<b>$1</b>')
.replace(/\*(.*?)\*/gim, '<i>$1</i>')
.replace(/\n/g, '<br>');

}

const form = document.getElementById('chat-form');
const userInput = document.getElementById('user-input');
const chatBox = document.getElementById('chat-box');
const apiKey = document.getElementById('api-key');
const modelSelect = document.getElementById('model-select');
let messages = [];
let chatSessions = JSON.parse(localStorage.getItem('chatSessions')) || [];

const toggleHistoryBtn = document.getElementById('toggle-history');
const sidebar = document.getElementById('sidebar');
const historyList = document.getElementById('history-list');



function enterMessage(content, sender) {
const msg = document.createElement('div');
msg.className = sender === 'user' ? 'user-msg' : 'bot-msg';
chatBox.appendChild(msg);
msg.innerHTML = parseMarkdown(content);
chatBox.scrollTop = chatBox.scrollHeight;
}

async function streaming(model, apikey, messages) {
const response = await fetch('https://openrouter.ai/api/v1/chat/completions', {
method: 'POST',
headers: {
'Authorization': `Bearer ${apikey}`,
'Content-Type': 'application/json',
},
body: JSON.stringify({
model,
messages,
stream: true
})
});

const reader = response.body.getReader();
const decoder = new TextDecoder();
let result = '';
const botDiv = document.createElement('div');
botDiv.className = 'bot-msg';
chatBox.appendChild(botDiv);

while (true) {
const { done, value } = await reader.read();
if (done) {
break;
}

const chunk = decoder.decode(value, { stream: true });
const lines = chunk.split('\n');
for (const line of lines) {
if (line.startsWith('data:')) {
try {
const json = JSON.parse(line.slice(5));
const token = json.choices[0]?.delta?.content || '';
result += token;
botDiv.innerHTML = parseMarkdown(result);
chatBox.scrollTop = chatBox.scrollHeight;
} catch (e) {
console.warn('Invalid chunk:', line);
}
}
}
}

messages.push({ role: 'assistant', content: result });
localStorage.setItem('chatHistory', JSON.stringify(messages));
}

form.addEventListener('submit', async (e) => {
e.preventDefault();
const text = userInput.value;
const key = apiKey.value;
const model = modelSelect.value;

messages.push({ role: 'user', content: text });
enterMessage(text, 'user');
userInput.value = '';

await streaming(model, key, messages);


});


toggleHistoryBtn.addEventListener('click', () => {
sidebar.classList.toggle('open');
loadHistoryList();
});

window.addEventListener('beforeunload', () => {
if (messages.length > 0) {
chatSessions.push([...messages]);
localStorage.setItem('chatSessions', JSON.stringify(chatSessions));
}
});

function loadHistoryList() {
historyList.innerHTML = '';
const sessions = JSON.parse(localStorage.getItem('chatSessions')) || [];

sessions.forEach((session, idx) => {
const li = document.createElement('li');
li.textContent = `Chat #${idx + 1} `;
li.addEventListener('click', () => {
chatBox.innerHTML = '';
session.forEach(msg => enterMessage(msg.content, msg.role));
});
historyList.appendChild(li);
});
}

saved.forEach((msg, index) => {
if (msg.role === 'user') {
const li = document.createElement('li');
li.textContent = msg.content;
li.addEventListener('click', () => {
alert(`Message at index ${index}: ${msg.content}`);
});
historyList.appendChild(li);
}
});


Loading