Compare commits

..

18 Commits

Author SHA1 Message Date
easrng e43184ab49 fix the color input styles on chrome 2022-07-12 20:21:36 +00:00
Charlotte Som 61c456eceb Default captions to enabled 2022-04-29 23:50:35 +01:00
Charlotte Som 0fc8953a69 Textual feedback for personal colour 2022-04-29 23:41:33 +01:00
Charlotte Som 8e19d7b34d Don't allow controls by default 2022-04-29 23:28:11 +01:00
Charlotte Som 8717e0dff2 Bust cache 2022-04-29 23:25:31 +01:00
Charlotte Som bfdcf2afed Default personal colour to white 2022-04-29 23:24:37 +01:00
Charlotte Som 8531c83574 Sort unicode emoji before emojos, let enter fill an emoji 2022-04-29 23:22:23 +01:00
Charlotte Som 0d555adf21 Remove blobcat.png
It should be gitignored anyway
2022-04-29 23:08:10 +01:00
maia arson crimew b72a7d11d7 bust cache 2022-03-30 16:28:10 +02:00
maia arson crimew ee93fb84af turn the beep into a pling 2022-03-30 16:26:34 +02:00
maia arson crimew 40b20b2157 Improve global state handling 2022-03-30 15:02:08 +02:00
maia arson crimew 9a2ac1c432 make pings send browser notifications 2022-03-30 13:45:59 +02:00
maia arson crimew 2197d2b757 make the ping sound a lot more tolerable 2022-03-30 13:28:35 +02:00
maia arson crimew 3d4ea0773d Clicking the join chip will directly join the session without a reload
also adds a /join command (most likely still requires some further debugging)
2022-03-30 13:17:44 +02:00
easrng 2d544620ed add linkification and time and join chips 2022-03-09 18:38:22 -05:00
easrng 60672a04ef oh no aaaa 2022-03-08 15:35:12 -05:00
easrng c8ccb7afc4 fix broken things 2022-03-08 15:34:55 -05:00
easrng 2adc8b9d02 fix emoji name overflow (again) and sorting 2022-03-08 15:33:14 -05:00
17 changed files with 810 additions and 553 deletions

View File

@ -3,7 +3,7 @@
<head> <head>
<meta charset="utf-8" /> <meta charset="utf-8" />
<title>watch party :D</title> <title>watch party :D</title>
<link rel="stylesheet" href="/styles.css?v=048af96" /> <link rel="stylesheet" href="/styles.css?v=bfdcf2" />
</head> </head>
<body> <body>
@ -47,6 +47,6 @@
</form> </form>
</div> </div>
<script type="module" src="/create.mjs?v=048af96"></script> <script type="module" src="/create.mjs?v=bfdcf2"></script>
</body> </body>
</html> </html>

View File

@ -1,4 +1,4 @@
import { setupCreateSessionForm } from "./lib/create-session.mjs?v=048af96"; import { setupCreateSessionForm } from "./lib/create-session.mjs?v=bfdcf2";
const main = () => { const main = () => {
setupCreateSessionForm(); setupCreateSessionForm();

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.7 KiB

View File

@ -3,7 +3,7 @@
<head> <head>
<meta charset="utf-8" /> <meta charset="utf-8" />
<title>watch party :D</title> <title>watch party :D</title>
<link rel="stylesheet" href="/styles.css?v=048af96" /> <link rel="stylesheet" href="/styles.css?v=bfdcf2" />
</head> </head>
<body> <body>
@ -30,8 +30,10 @@
required required
/> />
<label for="join-session-colour">Colour:</label> <label id="join-session-colour-label" for="join-session-colour">
<input type="color" id="join-session-colour" value="#7ed0ff" required /> Personal Colour:
</label>
<input type="color" id="join-session-colour" value="#ffffff" required />
<label for="join-session-id">Session ID:</label> <label for="join-session-id">Session ID:</label>
<input <input
@ -64,6 +66,19 @@
</form> </form>
</div> </div>
<script type="module" src="/main.mjs?v=048af96"></script> <script type="module" src="/main.mjs?v=bfdcf2"></script>
<script>
const updateColourLabel = () => {
const colour = document.querySelector("#join-session-colour").value;
document.querySelector(
"#join-session-colour-label"
).textContent = `Personal Colour: ${colour}`;
};
document
.querySelector("#join-session-colour")
.addEventListener("input", updateColourLabel);
updateColourLabel();
</script>
</body> </body>
</html> </html>

View File

@ -2,11 +2,12 @@ import {
setDebounce, setDebounce,
setVideoTime, setVideoTime,
setPlaying, setPlaying,
} from "./watch-session.mjs?v=048af96"; } from "./watch-session.mjs?v=bfdcf2";
import { emojify, findEmojis } from "./emojis.mjs?v=048af96"; import { emojify, findEmojis } from "./emojis.mjs?v=bfdcf2";
import { linkify } from "./links.mjs?v=bfdcf2";
let nickname = ""; import { joinSession } from "./watch-session.mjs?v=bfdcf2";
let kisses = {}; import { pling } from "./pling.mjs?v=bfdcf2";
import { state } from "./state.mjs";
function setCaretPosition(elem, caretPos) { function setCaretPosition(elem, caretPos) {
if (elem.createTextRange) { if (elem.createTextRange) {
@ -38,77 +39,81 @@ const setupChatboxEvents = (socket) => {
}; };
async function autocomplete(fromListTimeout) { async function autocomplete(fromListTimeout) {
if (autocompleting) return; if (autocompleting) return;
clearInterval(showListTimer); try {
emojiAutocomplete.textContent = ""; clearInterval(showListTimer);
autocompleting = true; emojiAutocomplete.textContent = "";
let text = messageInput.value.slice(0, messageInput.selectionStart); autocompleting = true;
const match = text.match(/(:[^\s:]+)?:([^\s:]*)$/); let text = messageInput.value.slice(0, messageInput.selectionStart);
if (!match || match[1]) return (autocompleting = false); // We don't need to autocomplete. const match = text.match(/(:[^\s:]+)?:([^\s:]{2,})$/);
const prefix = text.slice(0, match.index); if (!match || match[1]) return (autocompleting = false); // We don't need to autocomplete.
const search = text.slice(match.index + 1); const prefix = text.slice(0, match.index);
if (search.length < 1 && !fromListTimeout) { const search = text.slice(match.index + 1);
if (search.length < 1 && !fromListTimeout) {
autocompleting = false;
showListTimer = setTimeout(() => autocomplete(true), 500);
return;
}
const suffix = messageInput.value.slice(messageInput.selectionStart);
let selected;
const select = (button) => {
if (selected) selected.classList.remove("selected");
selected = button;
button.classList.add("selected");
};
let results = await findEmojis(search);
let yieldAt = performance.now() + 13;
for (let i = 0; i < results.length; i += 100) {
emojiAutocomplete.append.apply(
emojiAutocomplete,
results.slice(i, i + 100).map(([name, replaceWith, ext], i) => {
const button = Object.assign(document.createElement("button"), {
className: "emoji-option",
onmousedown: (e) => e.preventDefault(),
onclick: () => {
messageInput.value = prefix + replaceWith + " " + suffix;
setCaretPosition(
messageInput,
(prefix + " " + replaceWith).length
);
},
onmouseover: () => select(button),
onfocus: () => select(button),
type: "button",
title: name,
});
button.append(
replaceWith[0] !== ":"
? Object.assign(document.createElement("span"), {
textContent: replaceWith,
className: "emoji",
})
: Object.assign(new Image(), {
loading: "lazy",
src: `/emojis/${name}${ext}`,
className: "emoji",
}),
Object.assign(document.createElement("span"), {
textContent: name,
className: "emoji-name",
})
);
return button;
})
);
if (i == 0 && emojiAutocomplete.children[0]) {
emojiAutocomplete.children[0].scrollIntoView();
select(emojiAutocomplete.children[0]);
}
const now = performance.now();
if (now > yieldAt) {
yieldAt = now + 13;
await new Promise((cb) => setTimeout(cb, 0));
}
}
autocompleting = false;
} catch (e) {
autocompleting = false; autocompleting = false;
showListTimer = setTimeout(() => autocomplete(true), 500);
return;
} }
const suffix = messageInput.value.slice(messageInput.selectionStart);
let selected;
const select = (button) => {
if (selected) selected.classList.remove("selected");
selected = button;
button.classList.add("selected");
};
let results = await findEmojis(search);
let yieldAt = performance.now() + 13;
for (let i = 0; i < results.length; i += 100) {
emojiAutocomplete.append.apply(
emojiAutocomplete,
results.slice(i, i + 100).map(([name, replaceWith, ext], i) => {
const button = Object.assign(document.createElement("button"), {
className: "emoji-option",
onmousedown: (e) => e.preventDefault(),
onclick: () => {
messageInput.value = prefix + replaceWith + " " + suffix;
setCaretPosition(
messageInput,
(prefix + " " + replaceWith).length
);
},
onmouseover: () => select(button),
onfocus: () => select(button),
type: "button",
title: name,
});
button.append(
replaceWith[0] !== ":"
? Object.assign(document.createElement("span"), {
textContent: replaceWith,
className: "emoji",
})
: Object.assign(new Image(), {
loading: "lazy",
src: `/emojis/${name}${ext}`,
className: "emoji",
}),
Object.assign(document.createElement("span"), {
textContent: name,
className: "emoji-name",
})
);
return button;
})
);
if (i == 0 && emojiAutocomplete.children[0]) {
emojiAutocomplete.children[0].scrollIntoView();
select(emojiAutocomplete.children[0]);
}
const now = performance.now();
if (now > yieldAt) {
yieldAt = now + 13;
await new Promise((cb) => setTimeout(cb, 0));
}
}
autocompleting = false;
} }
messageInput.addEventListener("input", () => autocomplete()); messageInput.addEventListener("input", () => autocomplete());
messageInput.addEventListener("selectionchange", () => autocomplete()); messageInput.addEventListener("selectionchange", () => autocomplete());
@ -128,7 +133,7 @@ const setupChatboxEvents = (socket) => {
selected.classList.add("selected"); selected.classList.add("selected");
selected.scrollIntoView({ scrollMode: "if-needed", block: "nearest" }); selected.scrollIntoView({ scrollMode: "if-needed", block: "nearest" });
} }
if (event.key == "Tab") { if (event.key == "Tab" || event.key == "Enter") {
let selected = document.querySelector(".emoji-option.selected"); let selected = document.querySelector(".emoji-option.selected");
if (!selected) return; if (!selected) return;
event.preventDefault(); event.preventDefault();
@ -187,23 +192,10 @@ const setupChatboxEvents = (socket) => {
); );
handled = true; handled = true;
break; break;
case "/votekiss": case "/join":
if(kisses[args]&&kisses[args][nickname]) state().sessionId = args;
printChatMessage( joinSession();
"vote-kiss", handled = true;
"/votekiss",
"b57fdc",
document.createTextNode("you already voted to kiss " + args)
);
else
printChatMessage(
"vote-kiss",
"/votekiss",
"b57fdc",
document.createTextNode("you voted to kiss " + args)
);
handled = false;
// we also handle this on receive
break; break;
case "/help": case "/help":
const helpMessageContent = document.createElement("span"); const helpMessageContent = document.createElement("span");
@ -213,7 +205,7 @@ const setupChatboxEvents = (socket) => {
"&emsp;<code>/ping [message]</code> - ping all viewers<br>" + "&emsp;<code>/ping [message]</code> - ping all viewers<br>" +
"&emsp;<code>/sync</code> - resyncs you with other viewers<br>" + "&emsp;<code>/sync</code> - resyncs you with other viewers<br>" +
"&emsp;<code>/shrug</code> - appends ¯\\_(ツ)_/¯ to your message<br>" + "&emsp;<code>/shrug</code> - appends ¯\\_(ツ)_/¯ to your message<br>" +
"&emsp;<code>/votekiss</code> - like votekick but gay"; "&emsp;<code>/join [session id]</code> - joins another session";
printChatMessage( printChatMessage(
"command-message", "command-message",
@ -246,17 +238,9 @@ const setupChatboxEvents = (socket) => {
/** /**
* @param {WebSocket} socket * @param {WebSocket} socket
*/ */
export const setupChat = async (socket, _nickname) => { export const setupChat = async (socket) => {
nickname = _nickname; // We need this for commands
document.querySelector("#chatbox-container").style["display"] = "flex"; document.querySelector("#chatbox-container").style["display"] = "flex";
setupChatboxEvents(socket); setupChatboxEvents(socket);
window.addEventListener("keydown", (event) => {
try {
const isSelectionEmpty = window.getSelection().toString().length === 0;
if (event.code.match(/Key\w/) && isSelectionEmpty) messageInput.focus();
} catch (_err) {}
});
}; };
const addToChat = (node) => { const addToChat = (node) => {
@ -319,7 +303,7 @@ const matpad = (n) => {
* @param {string?} user * @param {string?} user
* @param {Node?} content * @param {Node?} content
*/ */
const printChatMessage = (eventType, user, colour, content) => { export const printChatMessage = (eventType, user, colour, content) => {
const chatMessage = document.createElement("div"); const chatMessage = document.createElement("div");
chatMessage.classList.add("chat-message"); chatMessage.classList.add("chat-message");
chatMessage.classList.add(eventType); chatMessage.classList.add(eventType);
@ -350,31 +334,6 @@ const formatTime = (ms) => {
}:${seconds < 10 ? "0" + seconds : seconds}`; }:${seconds < 10 ? "0" + seconds : seconds}`;
}; };
function handleClientCommand(content, user) {
let handled = false;
if (content.startsWith("/")) {
const command = content.toLowerCase().match(/^\/\S+/)[0];
const args = content.slice(command.length).trim();
switch (command) {
case "/votekiss":
kisses[args] = kisses[args] || {};
kisses[args][user] = true;
if (Object.keys(kisses[args]).length >= 3) {
printChatMessage(
"user-kissed",
args,
"ff6094",
document.createTextNode("was kissed 💋")
);
kisses[args] = {};
}
handled = true;
break;
}
}
return handled;
}
export const logEventToChat = async (event) => { export const logEventToChat = async (event) => {
if (checkDebounce(event)) { if (checkDebounce(event)) {
return; return;
@ -397,15 +356,12 @@ export const logEventToChat = async (event) => {
event.colour, event.colour,
document.createTextNode("left") document.createTextNode("left")
); );
for (let kissed in kisses) delete kisses[kissed][event.user];
break; break;
} }
case "ChatMessage": { case "ChatMessage": {
const messageContent = document.createElement("span"); const messageContent = document.createElement("span");
messageContent.classList.add("message-content"); messageContent.classList.add("message-content");
if (handleClientCommand(event.data, event.user)) break; messageContent.append(...(await linkify(event.data, emojify)));
messageContent.append(...(await emojify(event.data)));
printChatMessage( printChatMessage(
"chat-message", "chat-message",
event.user, event.user,
@ -462,32 +418,30 @@ export const logEventToChat = async (event) => {
} }
printChatMessage("ping", event.user, event.colour, messageContent); printChatMessage("ping", event.user, event.colour, messageContent);
beep(); pling();
if ("Notification" in window) {
const title = "watch party :)";
const options = {
body: event.data
? `${event.user} pinged saying: ${event.data}`
: `${event.user} pinged`,
};
if (Notification.permission === "granted") {
new Notification(title, options);
} else if (Notification.permission !== "denied") {
Notification.requestPermission().then(function (permission) {
if (permission === "granted") {
new Notification(title, options);
}
});
}
}
break; break;
} }
} }
}; };
const beep = () => { export const updateViewerList = (viewers) => {
const context = new AudioContext();
const gain = context.createGain();
gain.connect(context.destination);
gain.gain.value = 0.1;
const oscillator = context.createOscillator();
oscillator.connect(gain);
oscillator.frequency.value = 520;
oscillator.type = "square";
oscillator.start(context.currentTime);
oscillator.stop(context.currentTime + 0.22);
};
let viewers = [];
export const updateViewerList = (_viewers) => {
viewers = _viewers;
const listContainer = document.querySelector("#viewer-list"); const listContainer = document.querySelector("#viewer-list");
// empty out the current list // empty out the current list

View File

@ -1,4 +1,4 @@
import { createSession } from "./watch-session.mjs?v=048af96"; import { createSession } from "./watch-session.mjs?v=bfdcf2";
export const setupCreateSessionForm = () => { export const setupCreateSessionForm = () => {
const form = document.querySelector("#create-session-form"); const form = document.querySelector("#create-session-form");

View File

@ -5,7 +5,10 @@ export async function emojify(text) {
text.replace(/:([^\s:]+):/g, (match, name, index) => { text.replace(/:([^\s:]+):/g, (match, name, index) => {
if (last <= index) if (last <= index)
nodes.push(document.createTextNode(text.slice(last, index))); nodes.push(document.createTextNode(text.slice(last, index)));
let emoji = emojis[name.toLowerCase()[0]].find((e) => e[0] == name); let emoji;
try {
emoji = emojis[name.toLowerCase()[0]].find((e) => e[0] == name);
} catch (e) {}
if (!emoji) { if (!emoji) {
nodes.push(document.createTextNode(match)); nodes.push(document.createTextNode(match));
} else { } else {
@ -29,7 +32,15 @@ export async function emojify(text) {
const emojis = {}; const emojis = {};
export const emojisLoaded = Promise.all([ export const emojisLoaded = Promise.all([
fetch("/emojis") fetch("/emojis/unicode.json")
.then((e) => e.json())
.then((a) => {
for (let e of a) {
emojis[e[0][0]] = emojis[e[0][0]] || [];
emojis[e[0][0]].push([e[0], e[1], null, e[0]]);
}
}),
fetch("/emojos")
.then((e) => e.json()) .then((e) => e.json())
.then((a) => { .then((a) => {
for (let e of a) { for (let e of a) {
@ -39,14 +50,6 @@ export const emojisLoaded = Promise.all([
emojis[lower[0]].push([name, ":" + name + ":", e.slice(-4), lower]); emojis[lower[0]].push([name, ":" + name + ":", e.slice(-4), lower]);
} }
}), }),
fetch("/emojis/unicode.json")
.then((e) => e.json())
.then((a) => {
for (let e of a) {
emojis[e[0][0]] = emojis[e[0][0]] || [];
emojis[e[0][0]].push([e[0], e[1], null, e[0]]);
}
}),
]); ]);
export async function findEmojis(search) { export async function findEmojis(search) {
@ -65,5 +68,5 @@ export async function findEmojis(search) {
} }
} }
} }
return [...groups[0], ...groups[1]]; return [...groups[1], ...groups[0]];
} }

View File

@ -1,4 +1,5 @@
import { joinSession } from "./watch-session.mjs?v=048af96"; import { joinSession } from "./watch-session.mjs?v=bfdcf2";
import { state } from "./state.mjs";
/** /**
* @param {HTMLInputElement} field * @param {HTMLInputElement} field
@ -80,11 +81,10 @@ export const setupJoinSessionForm = () => {
saveNickname(nickname); saveNickname(nickname);
saveColour(colour); saveColour(colour);
try { try {
await joinSession( state().nickname = nickname.value;
nickname.value, state().sessionId = sessionId.value;
sessionId.value, state().colour = colour.value.replace(/^#/, "");
colour.value.replace(/^#/, "") await joinSession();
);
} catch (e) { } catch (e) {
alert(e.message); alert(e.message);
button.disabled = false; button.disabled = false;

121
frontend/lib/links.mjs Normal file
View File

@ -0,0 +1,121 @@
import { joinSession } from "./watch-session.mjs?v=bfdcf2";
import { state } from "./state.mjs";
export async function linkify(
text,
next = async (t) => [document.createTextNode(t)]
) {
let last = 0;
let nodes = [];
let promise = Promise.resolve();
// matching non-urls isn't a problem, we use the browser's url parser to filter them out
text.replace(
/[^:/?#\s]+:\/\/\S+/g,
(match, index) =>
(promise = promise.then(async () => {
if (last <= index) nodes.push(...(await next(text.slice(last, index))));
let url;
try {
url = new URL(match);
if (url.protocol === "javascript:") throw new Error();
} catch (e) {
url = null;
}
if (!url) {
nodes.push(...(await next(match)));
} else {
let s;
if (
url.origin == location.origin &&
url.pathname == "/" &&
url.hash.length > 1
) {
nodes.push(
Object.assign(document.createElement("a"), {
textContent: "Join Session",
className: "chip join-chip",
onclick: () => {
state().sessionId = url.hash.substring(1);
joinSession();
},
})
);
} else if (
url.hostname == "xiv.st" &&
(s = url.pathname.match(/(\d?\d).?(\d\d)/))
) {
if (s) {
const date = new Date();
date.setUTCSeconds(0);
date.setUTCMilliseconds(0);
date.setUTCHours(s[1]), date.setUTCMinutes(s[2]);
nodes.push(
Object.assign(document.createElement("a"), {
href: url.href,
textContent: date.toLocaleString([], {
hour: "2-digit",
minute: "2-digit",
}),
className: "chip time-chip",
target: "_blank",
})
);
}
} else {
nodes.push(
Object.assign(document.createElement("a"), {
href: url.href,
textContent: url.href,
target: "_blank",
})
);
}
}
last = index + match.length;
}))
);
await promise;
if (last < text.length) nodes.push(...(await next(text.slice(last))));
return nodes;
}
const emojis = {};
export const emojisLoaded = Promise.all([
fetch("/emojis")
.then((e) => e.json())
.then((a) => {
for (let e of a) {
const name = e.slice(0, -4),
lower = name.toLowerCase();
emojis[lower[0]] = emojis[lower[0]] || [];
emojis[lower[0]].push([name, ":" + name + ":", e.slice(-4), lower]);
}
}),
fetch("/emojis/unicode.json")
.then((e) => e.json())
.then((a) => {
for (let e of a) {
emojis[e[0][0]] = emojis[e[0][0]] || [];
emojis[e[0][0]].push([e[0], e[1], null, e[0]]);
}
}),
]);
export async function findEmojis(search) {
await emojisLoaded;
let groups = [[], []];
if (search.length < 1) {
for (let letter of Object.keys(emojis).sort())
for (let emoji of emojis[letter]) {
(emoji[1][0] === ":" ? groups[0] : groups[1]).push(emoji);
}
} else {
search = search.toLowerCase();
for (let emoji of emojis[search[0]]) {
if (search.length == 1 || emoji[3].startsWith(search)) {
(emoji[1][0] === ":" ? groups[0] : groups[1]).push(emoji);
}
}
}
return [...groups[0], ...groups[1]];
}

80
frontend/lib/pling.mjs Normal file
View File

@ -0,0 +1,80 @@
export const pling = () => {
const maxGain = 0.3;
const duration = 0.22;
const fadeDuration = 0.1;
const secondBeepOffset = 0.05;
const thirdBeepOffset = 2 * secondBeepOffset;
const ctx = new AudioContext();
const firstBeepGain = ctx.createGain();
firstBeepGain.connect(ctx.destination);
firstBeepGain.gain.setValueAtTime(0.01, ctx.currentTime);
firstBeepGain.gain.exponentialRampToValueAtTime(
maxGain,
ctx.currentTime + fadeDuration
);
firstBeepGain.gain.setValueAtTime(
maxGain,
ctx.currentTime + (duration - fadeDuration)
);
firstBeepGain.gain.exponentialRampToValueAtTime(
0.01,
ctx.currentTime + duration
);
const firstBeep = ctx.createOscillator();
firstBeep.connect(firstBeepGain);
firstBeep.frequency.value = 400;
firstBeep.type = "sine";
const secondBeepGain = ctx.createGain();
secondBeepGain.connect(ctx.destination);
secondBeepGain.gain.setValueAtTime(0.01, ctx.currentTime + secondBeepOffset);
secondBeepGain.gain.exponentialRampToValueAtTime(
maxGain,
ctx.currentTime + secondBeepOffset + fadeDuration
);
secondBeepGain.gain.setValueAtTime(
maxGain,
ctx.currentTime + secondBeepOffset + (duration - fadeDuration)
);
secondBeepGain.gain.exponentialRampToValueAtTime(
0.01,
ctx.currentTime + secondBeepOffset + duration
);
const secondBeep = ctx.createOscillator();
secondBeep.connect(secondBeepGain);
secondBeep.frequency.value = 600;
secondBeep.type = "sine";
const thirdBeepGain = ctx.createGain();
thirdBeepGain.connect(ctx.destination);
thirdBeepGain.gain.setValueAtTime(0.01, ctx.currentTime + thirdBeepOffset);
thirdBeepGain.gain.exponentialRampToValueAtTime(
maxGain,
ctx.currentTime + thirdBeepOffset + fadeDuration
);
thirdBeepGain.gain.setValueAtTime(
maxGain,
ctx.currentTime + thirdBeepOffset + (duration - fadeDuration)
);
thirdBeepGain.gain.exponentialRampToValueAtTime(
0.01,
ctx.currentTime + thirdBeepOffset + duration
);
const thirdBeep = ctx.createOscillator();
thirdBeep.connect(thirdBeepGain);
thirdBeep.frequency.value = 900;
thirdBeep.type = "sine";
firstBeep.start(ctx.currentTime);
firstBeep.stop(ctx.currentTime + duration);
secondBeep.start(ctx.currentTime + secondBeepOffset);
secondBeep.stop(ctx.currentTime + (secondBeepOffset + duration));
thirdBeep.start(ctx.currentTime + thirdBeepOffset);
thirdBeep.stop(ctx.currentTime + (thirdBeepOffset + duration));
};

View File

@ -11,6 +11,7 @@ export default class ReconnectingWebSocket {
this._lastConnect = 0; this._lastConnect = 0;
this._socket = null; this._socket = null;
this._unsent = []; this._unsent = [];
this._closing = false;
this._connect(true); this._connect(true);
} }
_connect(first) { _connect(first) {
@ -40,6 +41,7 @@ export default class ReconnectingWebSocket {
}); });
} }
_reconnect() { _reconnect() {
if (this._closing) return;
if (this._reconnecting) return; if (this._reconnecting) return;
this._eventTarget.dispatchEvent(new Event("reconnecting")); this._eventTarget.dispatchEvent(new Event("reconnecting"));
this._reconnecting = true; this._reconnecting = true;
@ -56,6 +58,10 @@ export default class ReconnectingWebSocket {
this._unsent.push(message); this._unsent.push(message);
} }
} }
close() {
this._closing = true;
this._socket.close();
}
addEventListener(...a) { addEventListener(...a) {
return this._eventTarget.addEventListener(...a); return this._eventTarget.addEventListener(...a);
} }

7
frontend/lib/state.mjs Normal file
View File

@ -0,0 +1,7 @@
let instance = null;
export const state = () => {
if (!instance) {
instance = {};
}
return instance;
};

View File

@ -51,7 +51,12 @@ const saveCaptionsTrack = (track) => {
* @param {{name: string, url: string}[]} subtitles * @param {{name: string, url: string}[]} subtitles
*/ */
const createVideoElement = (videoUrl, subtitles) => { const createVideoElement = (videoUrl, subtitles) => {
const oldVideo = document.getElementById("video");
if (oldVideo) {
oldVideo.remove();
}
const video = document.createElement("video"); const video = document.createElement("video");
video.id = "video";
video.controls = true; video.controls = true;
video.autoplay = false; video.autoplay = false;
video.volume = loadVolume(); video.volume = loadVolume();
@ -74,7 +79,7 @@ const createVideoElement = (videoUrl, subtitles) => {
track.src = url; track.src = url;
track.kind = "captions"; track.kind = "captions";
if (id == storedTrack) { if (id == storedTrack || storedTrack == -1) {
track.default = true; track.default = true;
} }

View File

@ -1,21 +1,23 @@
import { setupVideo } from "./video.mjs?v=048af96"; import { setupVideo } from "./video.mjs?v=bfdcf2";
import { import {
setupChat, setupChat,
logEventToChat, logEventToChat,
updateViewerList, updateViewerList,
} from "./chat.mjs?v=048af96"; printChatMessage,
} from "./chat.mjs?v=bfdcf2";
import ReconnectingWebSocket from "./reconnecting-web-socket.mjs"; import ReconnectingWebSocket from "./reconnecting-web-socket.mjs";
import { state } from "./state.mjs";
/** /**
* @param {string} sessionId * @param {string} sessionId
* @param {string} nickname * @param {string} nickname
* @returns {ReconnectingWebSocket} * @returns {ReconnectingWebSocket}
*/ */
const createWebSocket = (sessionId, nickname, colour) => { const createWebSocket = () => {
const wsUrl = new URL( const wsUrl = new URL(
`/sess/${sessionId}/subscribe` + `/sess/${state().sessionId}/subscribe` +
`?nickname=${encodeURIComponent(nickname)}` + `?nickname=${encodeURIComponent(state().nickname)}` +
`&colour=${encodeURIComponent(colour)}`, `&colour=${encodeURIComponent(state().colour)}`,
window.location.href window.location.href
); );
wsUrl.protocol = "ws" + window.location.protocol.slice(4); wsUrl.protocol = "ws" + window.location.protocol.slice(4);
@ -166,19 +168,29 @@ const setupOutgoingEvents = (video, socket) => {
}); });
}; };
/** export const joinSession = async () => {
* @param {string} nickname if (state().activeSession) {
* @param {string} sessionId if (state().activeSession === state().sessionId) {
*/ // we are already in this session, dont rejoin
export const joinSession = async (nickname, sessionId, colour) => { return;
}
// we are joining a new session from an existing session
const messageContent = document.createElement("span");
messageContent.appendChild(document.createTextNode("joining new session "));
messageContent.appendChild(document.createTextNode(state().sessionId));
printChatMessage("join-session", "watch-party", "#fffff", messageContent);
}
state().activeSession = state().sessionId;
// try { // we are handling errors in the join form. // try { // we are handling errors in the join form.
const genericConnectionError = new Error( const genericConnectionError = new Error(
"There was an issue getting the session information." "There was an issue getting the session information."
); );
window.location.hash = sessionId; window.location.hash = state().sessionId;
let response, video_url, subtitle_tracks, current_time_ms, is_playing; let response, video_url, subtitle_tracks, current_time_ms, is_playing;
try { try {
response = await fetch(`/sess/${sessionId}`); response = await fetch(`/sess/${state().sessionId}`);
} catch (e) { } catch (e) {
console.error(e); console.error(e);
throw genericConnectionError; throw genericConnectionError;
@ -202,7 +214,12 @@ export const joinSession = async (nickname, sessionId, colour) => {
throw genericConnectionError; throw genericConnectionError;
} }
const socket = createWebSocket(sessionId, nickname, colour); if (state().socket) {
state().socket.close();
state().socket = null;
}
const socket = createWebSocket();
state().socket = socket;
socket.addEventListener("open", async () => { socket.addEventListener("open", async () => {
const video = await setupVideo( const video = await setupVideo(
video_url, video_url,
@ -211,16 +228,24 @@ export const joinSession = async (nickname, sessionId, colour) => {
is_playing is_playing
); );
// TODO: Allow the user to set this somewhere
let defaultAllowControls = false;
try {
defaultAllowControls = localStorage.getItem(
"watch-party-default-allow-controls"
);
} catch (_err) {}
// By default, we should disable video controls if the video is already playing. // By default, we should disable video controls if the video is already playing.
// This solves an issue where Safari users join and seek to 00:00:00 because of // This solves an issue where Safari users join and seek to 00:00:00 because of
// outgoing events. // outgoing events.
if (current_time_ms != 0) { if (current_time_ms != 0 || !defaultAllowControls) {
video.controls = false; video.controls = false;
} }
setupOutgoingEvents(video, socket); setupOutgoingEvents(video, socket);
setupIncomingEvents(video, socket); setupIncomingEvents(video, socket);
setupChat(socket, nickname); setupChat(socket);
}); });
socket.addEventListener("reconnecting", (e) => { socket.addEventListener("reconnecting", (e) => {
console.log("Reconnecting..."); console.log("Reconnecting...");

View File

@ -1,4 +1,4 @@
import { setupJoinSessionForm } from "./lib/join-session.mjs?v=048af96"; import { setupJoinSessionForm } from "./lib/join-session.mjs?v=bfdcf2";
const main = () => { const main = () => {
setupJoinSessionForm(); setupJoinSessionForm();

View File

@ -1,356 +1,397 @@
* { *,
box-sizing: border-box; *:before,
} *:after {
box-sizing: border-box;
:root { }
--bg-rgb: 28, 23, 36;
--fg-rgb: 234, 234, 248; :root {
--accent-rgb: 181, 127, 220; --bg-rgb: 28, 23, 36;
--fg: rgb(var(--fg-rgb)); --fg-rgb: 234, 234, 248;
--bg: rgb(var(--bg-rgb)); --accent-rgb: 181, 127, 220;
--default-user-color: rgb(126, 208, 255); --fg: rgb(var(--fg-rgb));
--accent: rgb(var(--accent-rgb)); --bg: rgb(var(--bg-rgb));
--fg-transparent: rgba(var(--fg-rgb), 0.25); --default-user-color: rgb(126, 208, 255);
--bg-transparent: rgba(var(--bg-rgb), 0.25); --accent: rgb(var(--accent-rgb));
--autocomplete-bg: linear-gradient( --fg-transparent: rgba(var(--fg-rgb), 0.25);
var(--fg-transparent), --bg-transparent: rgba(var(--bg-rgb), 0.25);
var(--fg-transparent) --autocomplete-bg: linear-gradient(
), var(--fg-transparent),
linear-gradient(var(--bg), var(--bg)); var(--fg-transparent)
} ),
linear-gradient(var(--bg), var(--bg));
html { --chip-bg: linear-gradient(
background-color: var(--bg); var(--accent-transparent),
color: var(--fg); var(--accent-transparent)
font-size: 1.125rem; ),
font-family: sans-serif; linear-gradient(var(--bg), var(--bg));
} --accent-transparent: rgba(var(--accent-rgb), 0.25);
}
html,
body { html {
margin: 0; background-color: var(--bg);
padding: 0; color: var(--fg);
overflow: hidden; font-size: 1.125rem;
overscroll-behavior: none; font-family: sans-serif;
width: 100%; }
height: 100%;
} html,
body {
body { margin: 0;
display: flex; padding: 0;
flex-direction: column; overflow: hidden;
} overscroll-behavior: none;
width: 100%;
video { height: 100%;
display: block; }
width: 100%;
height: 100%; body {
object-fit: contain; display: flex;
} flex-direction: column;
}
#video-container {
flex-grow: 0; video {
flex-shrink: 1; display: block;
display: none; width: 100%;
} height: 100%;
object-fit: contain;
a { }
color: var(--accent);
} #video-container {
flex-grow: 0;
label { flex-shrink: 1;
display: block; display: none;
} }
input[type="url"], a {
input[type="text"] { color: var(--accent);
background: #fff; }
background-clip: padding-box;
border: 1px solid rgba(0, 0, 0, 0.12); .chip {
border-radius: 6px; color: var(--fg);
color: rgba(0, 0, 0, 0.8); background: var(--chip-bg);
display: block; text-decoration: none;
padding: 0 0.5rem 0 1.45rem;
margin: 0.5em 0; display: inline-flex;
padding: 0.5em 1em; position: relative;
line-height: 1.5; font-size: 0.9rem;
height: 1.125rem;
font-family: sans-serif; align-items: center;
font-size: 1em; border-radius: 2rem;
width: 100%; overflow: hidden;
}
resize: none;
overflow-x: wrap; .chip::before {
overflow-y: scroll; content: "";
} position: absolute;
left: 0;
button { top: 0;
background-color: var(--accent); width: 1.125rem;
border: var(--accent); height: 100%;
border-radius: 6px; display: flex;
color: #fff; align-items: center;
padding: 0.5em 1em; justify-content: center;
display: inline-block; text-align: center;
font-weight: 400; background: var(--accent-transparent);
text-align: center; background-repeat: no-repeat;
white-space: nowrap; background-size: 18px;
vertical-align: middle; background-position: center;
}
font-family: sans-serif;
font-size: 1em; .join-chip::before {
width: 100%; background-image: url("data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIGhlaWdodD0iMjQiIHZpZXdCb3g9IjAgMCAyNCAyNCIgZmlsbD0iI2ZmZiI+PHBhdGggZD0iTTggNXYxNGwxMS03eiIvPjwvc3ZnPg==");
}
user-select: none;
border: 1px solid rgba(0, 0, 0, 0); .time-chip::before {
line-height: 1.5; background-image: url("data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIGhlaWdodD0iMjQiIHZpZXdCb3g9IjAgMCAyNCAyNCIgZmlsbD0iI2ZmZiI+PHBhdGggZD0iTTExLjk5IDJDNi40NyAyIDIgNi40OCAyIDEyczQuNDcgMTAgOS45OSAxMEMxNy41MiAyMiAyMiAxNy41MiAyMiAxMlMxNy41MiAyIDExLjk5IDJ6TTEyIDIwYy00LjQyIDAtOC0zLjU4LTgtOHMzLjU4LTggOC04IDggMy41OCA4IDgtMy41OCA4LTggOHoiLz48cGF0aCBkPSJNMTIuNSA3SDExdjZsNS4yNSAzLjE1Ljc1LTEuMjMtNC41LTIuNjd6Ii8+PC9zdmc+");
cursor: pointer; }
margin: 0.5em 0;
} label {
display: block;
button:disabled { }
filter: saturate(0.75);
opacity: 0.75; input[type="url"],
cursor: default; input[type="text"] {
} background: #fff;
background-clip: padding-box;
button.small-button { border: 1px solid rgba(0, 0, 0, 0.12);
font-size: 0.75em; border-radius: 6px;
padding-top: 0; color: rgba(0, 0, 0, 0.8);
padding-bottom: 0; display: block;
}
margin: 0.5em 0;
.subtitle-track-group { padding: 0.5em 1em;
display: flex; line-height: 1.5;
}
font-family: sans-serif;
.subtitle-track-group > * { font-size: 1em;
margin-top: 0 !important; width: 100%;
margin-bottom: 0 !important;
margin-right: 1ch !important; resize: none;
} overflow-x: wrap;
overflow-y: scroll;
#pre-join-controls, }
#create-controls {
margin: 0; button {
flex-grow: 1; background-color: var(--accent);
overflow-y: auto; border: var(--accent);
display: flex; border-radius: 6px;
flex-direction: column; color: #fff;
align-items: center; padding: 0.5em 1em;
justify-content: center; display: inline-block;
} font-weight: 400;
text-align: center;
#join-session-form, white-space: nowrap;
#create-session-form { vertical-align: middle;
width: 500px;
max-width: 100%; font-family: sans-serif;
padding: 1rem; font-size: 1em;
} width: 100%;
#join-session-form > *:first-child, user-select: none;
#create-session-form > *:first-child { border: 1px solid rgba(0, 0, 0, 0);
margin-top: 0; line-height: 1.5;
} cursor: pointer;
margin: 0.5em 0;
#post-create-message { }
display: none;
width: 100%; button:disabled {
font-size: 0.85em; filter: saturate(0.75);
} opacity: 0.75;
cursor: default;
#chatbox-container { }
display: none;
} button.small-button {
font-size: 0.75em;
.chat-message { padding-top: 0;
overflow-wrap: break-word; padding-bottom: 0;
} }
.chat-message > strong, .subtitle-track-group {
#viewer-list strong { display: flex;
color: var(--user-color, var(--default-user-color)); }
}
.subtitle-track-group > * {
/* margin-top: 0 !important;
@supports (-webkit-background-clip: text) { margin-bottom: 0 !important;
.chat-message > strong, margin-right: 1ch !important;
#viewer-list strong { }
background: linear-gradient(var(--fg-transparent), var(--fg-transparent)),
linear-gradient( #pre-join-controls,
var(--user-color, var(--default-user-color)), #create-controls {
var(--user-color, var(--default-user-color)) margin: 0;
); flex-grow: 1;
-webkit-background-clip: text; overflow-y: auto;
color: transparent !important; display: flex;
} flex-direction: column;
} align-items: center;
*/ justify-content: center;
}
.chat-message.user-join,
.chat-message.user-leave, #join-session-form,
.chat-message.ping, #create-session-form {
.chat-message.user-kissed { width: 500px;
font-style: italic; max-width: 100%;
} padding: 1rem;
}
.chat-message.user-kissed {
color: #ff6094; #join-session-form > *:first-child,
} #create-session-form > *:first-child {
margin-top: 0;
.chat-message.set-time, }
.chat-message.set-playing {
font-style: italic; #post-create-message {
text-align: right; display: none;
font-size: 0.85em; width: 100%;
} font-size: 0.85em;
}
.chat-message.command-message {
font-size: 0.85em; #chatbox-container {
} display: none;
}
.chat-message.set-time > strong,
.chat-message.set-playing > strong { .chat-message {
color: unset !important; overflow-wrap: break-word;
} margin-bottom: 0.125rem;
}
.emoji {
width: 2ch; .chat-message > strong,
height: 2ch; #viewer-list strong {
object-fit: contain; color: var(--user-color, var(--default-user-color));
margin-bottom: -0.35ch; }
}
.chat-message.user-join,
#chatbox { .chat-message.user-leave,
padding: 0.5em 1em; .chat-message.ping {
overflow-y: scroll; font-style: italic;
flex-shrink: 1; }
flex-grow: 1;
} .chat-message.set-time,
.chat-message.set-playing,
#viewer-list { .chat-message.join-session {
padding: 0.5em 1em; font-style: italic;
/* TODO: turn this into max-height instead of fixed height without breaking the chatbox height */ text-align: right;
overflow-y: scroll; font-size: 0.85em;
border-bottom: var(--fg-transparent); }
border-bottom-style: solid;
max-height: 4rem; .chat-message.command-message {
flex-shrink: 0; font-size: 0.85em;
} }
#chatbox-container { .chat-message.set-time > strong,
background-color: var(--bg); .chat-message.set-playing > strong,
flex-direction: column; .chat-message.join-session > strong {
flex-grow: 1; color: unset !important;
flex-shrink: 1; }
flex-basis: 36ch;
min-width: 36ch; .emoji {
overflow: hidden; width: 2ch;
} height: 2ch;
object-fit: contain;
#chatbox-send { margin-bottom: -0.35ch;
padding: 0 1em; }
padding-bottom: 0.5em;
position: relative; #chatbox {
} padding: 0.5em 1em;
overflow-y: scroll;
#chatbox-send > input { flex-shrink: 1;
font-size: 0.75em; flex-grow: 1;
width: 100%; }
}
#viewer-list {
#emoji-autocomplete { padding: 0.5em 1em;
position: absolute; /* TODO: turn this into max-height instead of fixed height without breaking the chatbox height */
bottom: 3.25rem; overflow-y: scroll;
background-image: var(--autocomplete-bg); border-bottom: var(--fg-transparent);
border-radius: 6px; border-bottom-style: solid;
width: calc(100% - 2rem); max-height: 4rem;
max-height: 8.5rem; flex-shrink: 0;
overflow-y: auto; }
clip-path: inset(0 0 0 0 round 8px);
} #chatbox-container {
background-color: var(--bg);
#emoji-autocomplete:empty { flex-direction: column;
display: none; flex-grow: 1;
} flex-shrink: 1;
flex-basis: 36ch;
.emoji-option { min-width: 36ch;
background: transparent; overflow: hidden;
font-size: 0.75rem; }
text-align: left;
margin: 0 0.25rem; #chatbox-send {
border-radius: 4px; padding: 0 1em;
width: calc(100% - 0.5rem); padding-bottom: 0.5em;
display: flex; position: relative;
align-items: center; }
padding: 0.25rem 0.5rem;
scroll-margin: 0.25rem; #chatbox-send > input {
} font-size: 0.75em;
.emoji-option:first-child { width: 100%;
margin-top: 0.25rem; }
}
.emoji-option:last-child { #emoji-autocomplete {
margin-bottom: 0.25rem; position: absolute;
} bottom: 3.25rem;
background-image: var(--autocomplete-bg);
.emoji-option .emoji { border-radius: 6px;
width: 1.25rem; width: calc(100% - 2rem);
height: 1.25rem; max-height: 8.5rem;
margin: 0 0.5rem 0 0; overflow-y: auto;
font-size: 2.25ch; clip-path: inset(0 0 0 0 round 8px);
display: flex; }
align-items: center;
justify-content: center; #emoji-autocomplete:empty {
overflow: hidden; display: none;
flex-shrink: 0; }
}
.emoji-option {
.emoji-name { background: transparent;
overflow: hidden; font-size: 0.75rem;
text-overflow: ellipsis; text-align: left;
} margin: 0 0.25rem;
border-radius: 4px;
.emoji-option.selected { width: calc(100% - 0.5rem);
background: var(--fg-transparent); display: flex;
} align-items: center;
padding: 0.25rem 0.5rem;
#join-session-colour { scroll-margin: 0.25rem;
-moz-appearance: none; }
-webkit-appearance: none;
appearance: none; .emoji-option:first-child {
border: none; margin-top: 0.25rem;
padding: 0; }
border-radius: 6px;
overflow: hidden; .emoji-option:last-child {
margin: 0.5em 0; margin-bottom: 0.25rem;
height: 2rem; }
width: 2.5rem;
cursor: pointer; .emoji-option .emoji {
} width: 1.25rem;
height: 1.25rem;
input[type="color"]::-moz-color-swatch, margin: 0 0.5rem 0 0;
input[type="color"]::-webkit-color-swatch, font-size: 2.25ch;
input[type="color"]::-webkit-color-swatch-wrapper { display: flex;
/* This *should* be working in Chrome, but it doesn't for reasons that are beyond me. */ align-items: center;
border: none; justify-content: center;
margin: 0; overflow: hidden;
padding: 0; flex-shrink: 0;
} }
@media (min-aspect-ratio: 4/3) { .emoji-name {
body { overflow: hidden;
flex-direction: row; text-overflow: ellipsis;
} }
#chatbox-container { .emoji-option.selected {
height: 100vh !important; background: var(--fg-transparent);
flex-grow: 0; }
}
#join-session-colour {
#video-container { -moz-appearance: none;
flex-grow: 1; -webkit-appearance: none;
} appearance: none;
border: none;
#chatbox { padding: 0;
height: calc(100vh - 5em - 4em) !important; border-radius: 6px;
} overflow: hidden;
} margin: 0.5em 0;
height: 2rem;
width: 2.5rem;
cursor: pointer;
}
input[type="color"]::-moz-color-swatch {
border: none;
margin: 0;
padding: 0;
}
input[type="color"]::-webkit-color-swatch {
border: none;
margin: 0;
padding: 0;
}
input[type="color"]::-webkit-color-swatch-wrapper {
border: none;
margin: 0;
padding: 0;
}
@media (min-aspect-ratio: 4/3) {
body {
flex-direction: row;
}
#chatbox-container {
height: 100vh !important;
flex-grow: 0;
}
#video-container {
flex-grow: 1;
}
#chatbox {
height: calc(100vh - 5em - 4em) !important;
}
}

View File

@ -62,7 +62,7 @@ async fn main() {
warb::reply::json(&json!({ "id": session_uuid.to_string(), "session": session_view })) warb::reply::json(&json!({ "id": session_uuid.to_string(), "session": session_view }))
}); });
let get_emoji_route = warb::path!("emojis").and_then(get_emoji_list); let get_emoji_route = warb::path!("emojos").and_then(get_emoji_list);
enum RequestedSession { enum RequestedSession {
Session(Uuid, WatchSession), Session(Uuid, WatchSession),