Merge branch 'main' into replies

This commit is contained in:
SauceyRed 2025-07-11 00:09:36 +02:00
commit 5958697b6c
Signed by: sauceyred
GPG key ID: 2BF92EB6D8A5CCA7
37 changed files with 1322 additions and 364 deletions

33
app.vue
View file

@ -36,21 +36,32 @@ function contextMenuHandler(e: MouseEvent) {
//]); //]);
} }
let currentTheme = "dark" // default theme
const savedTheme = localStorage.getItem("selectedTheme");
if (savedTheme) {
currentTheme = savedTheme;
}
const baseURL = useRuntimeConfig().app.baseURL;
useHead({
link: [
{
rel: "stylesheet",
href: `${baseURL}themes/${currentTheme}.css`
}
]
})
</script> </script>
<style> <style>
:root {
--background-color: rgb(30, 30, 30);
--main-text-color: rgb(190, 190, 190);
--outline-border: 1px solid rgb(150, 150, 150);
}
html, html,
body { body {
font-family: Arial, Helvetica, sans-serif; font-family: Arial, Helvetica, sans-serif;
box-sizing: border-box; box-sizing: border-box;
color: rgb(190, 190, 190); color: var(--text-color);
background-color: rgb(30, 30, 30); background: var(--optional-body-background);
background-color: var(--chat-background-color);
margin: 0; margin: 0;
} }
@ -67,15 +78,15 @@ a {
} }
.bottom-border { .bottom-border {
border-bottom: 1px solid rgb(70, 70, 70); border-bottom: 1px solid var(--padding-color);
} }
.left-border { .left-border {
border-left: 1px solid rgb(70, 70, 70); border-left: 1px solid var(--padding-color);
} }
.right-border { .right-border {
border-right: 1px solid rgb(70, 70, 70); border-right: 1px solid var(--padding-color);
} }
.rounded-corners { .rounded-corners {

View file

@ -18,10 +18,10 @@ const props = defineProps<{
.button { .button {
cursor: pointer; cursor: pointer;
background-color: #b35719; background-color: var(--primary-color);
color: #ffffff; color: var(--text-color);
padding: 0.7dvh 1.2dvw; padding: 0.4em 0.75em;
font-size: 1.1em; font-size: 1.1em;
transition: background-color 0.2s; transition: background-color 0.2s;
@ -30,15 +30,22 @@ const props = defineProps<{
display: inline-block; display: inline-block;
} }
.button:hover {
background-color: var(--primary-highlighted-color);
}
.scary-button { .scary-button {
background-color: red; background-color: red;
} }
.scary-button:hover {
background-color: red;
}
.neutral-button { .neutral-button {
background-color: grey; background-color: var(--accent-color);
}
.neutral-button:hover {
background-color: var(--accent-highlighted-color);
} }
.button:hover {
background-color: #934410;
}
</style> </style>

View file

@ -23,19 +23,19 @@ const isCurrentChannel = props.uuid == props.currentUuid;
.channel-list-link { .channel-list-link {
text-decoration: none; text-decoration: none;
color: inherit; color: inherit;
padding-left: .5dvw; padding-left: .25em;
padding-right: .5dvw; padding-right: .25em;
} }
.channel-list-link-container { .channel-list-link-container {
text-align: left; text-align: left;
display: flex; display: flex;
height: 4dvh; height: 1.5em;
white-space: nowrap; white-space: nowrap;
align-items: center; align-items: center;
} }
.current-channel { .current-channel {
background-color: rgb(70, 70, 70); background-color: var(--sidebar-highlighted-background-color);
} }
</style> </style>

93
components/CropPopup.vue Normal file
View file

@ -0,0 +1,93 @@
<template>
<div id="fullscreen-container">
<div id="crop-preview">
<img ref="image" :src="imageSrc" style="min-height: 35dvh;">
<Button text="Crop" :callback="cropImage"></Button>
<Button text="Cancel" :callback="closePopup"></Button>
</div>
</div>
</template>
<script lang="ts" setup>
import Cropper from 'cropperjs';
const props = defineProps({
imageSrc: String,
onCrop: Function,
onClose: Function,
});
const image = ref<HTMLImageElement | null>(null);
const cropper = ref<Cropper | null>(null);
watch(image, (newValue) => {
if (newValue) {
cropper.value = new Cropper(newValue)
const cropperCanvas = cropper.value.getCropperCanvas()
const cropperSelection = cropper.value.getCropperSelection()
if (cropperCanvas) {
cropperCanvas.background = false
}
if (cropperSelection) {
cropperSelection.precise = true
cropperSelection.aspectRatio = 1
cropperSelection.initialCoverage = 1
}
}
});
async function cropImage() {
if (cropper) {
const selection = cropper.value?.getCropperSelection();
if (selection) {
const canvas = await selection.$toCanvas({width: 256, height: 256})
canvas.toBlob((blob) => {
if (blob && props.onCrop) {
const reader = new FileReader();
reader.addEventListener("load", () => {
if (reader.result && typeof reader.result === 'string') {
if (props.onCrop) {
props.onCrop(blob, reader.result)
}
}
});
const file = new File([blob], 'preview.png', { type: 'image/png' })
reader.readAsDataURL(file)
}
});
}
}
}
function closePopup() {
if (props.onClose) {
props.onClose();
}
}
</script>
<style scoped>
.button {
margin: 0.2em
}
#fullscreen-container {
position: fixed;
top: 0;
left: 0;
width: 100%;
height: 100%;
z-index: 10;
background: rgba(0, 0, 0, 0.5);
}
#crop-preview {
position: absolute;
top: 50%;
left: 50%;
transform: translate(-50%, -50%);
}
</style>

View file

@ -0,0 +1,35 @@
<template>
<div class="member-item" @click="togglePopup" @blur="hidePopup" tabindex="0">
<img v-if="props.member.user.avatar" class="member-avatar" :src="props.member.user.avatar" :alt="props.member.user.display_name ?? props.member.user.username" />
<Icon v-else class="member-avatar" name="lucide:user" />
<span class="member-display-name">{{ props.member.user.display_name || props.member.user.username }}</span>
<UserPopup v-if="isPopupVisible" :user="props.member.user" id="profile-popup" />
</div>
</template>
<script lang="ts" setup>
import { ref } from 'vue';
import type { GuildMemberResponse } from '~/types/interfaces';
import UserPopup from './UserPopup.vue';
const props = defineProps<{
member: GuildMemberResponse
}>();
const isPopupVisible = ref(false);
const togglePopup = () => {
isPopupVisible.value = false;
// isPopupVisible.value = !isPopupVisible.value;
};
const hidePopup = () => {
isPopupVisible.value = false;
};
</script>
<style>
.member-item {
position: relative; /* Set the position to relative for absolute positioning of the popup */
}
</style>

View file

@ -10,6 +10,8 @@
{{ author?.display_name || author?.username }} {{ author?.display_name || author?.username }}
</span> </span>
<span class="message-date" :title="date.toString()"> <span class="message-date" :title="date.toString()">
<span v-if="getDayDifference(date, currentDate) === 1">Yesterday at</span>
<span v-else-if="getDayDifference(date, currentDate) > 1 ">{{ date.toLocaleDateString(undefined) }},</span>
{{ date.toLocaleTimeString(undefined, { timeStyle: "short" }) }} {{ date.toLocaleTimeString(undefined, { timeStyle: "short" }) }}
</span> </span>
</div> </div>
@ -40,6 +42,7 @@ const messageElement = ref<HTMLDivElement>();
const dateHidden = ref<boolean>(true); const dateHidden = ref<boolean>(true);
const date = new Date(props.timestamp); const date = new Date(props.timestamp);
const currentDate: Date = new Date()
console.log("message:", props.text); console.log("message:", props.text);
console.log("author:", props.author); console.log("author:", props.author);
@ -48,7 +51,16 @@ const sanitized = ref<string>();
onMounted(async () => { onMounted(async () => {
const parsed = await parse(props.text, { gfm: true }); const parsed = await parse(props.text, { gfm: true });
sanitized.value = DOMPurify.sanitize(parsed, { ALLOWED_TAGS: ["strong", "em", "br", "blockquote", "code", "ul", "ol", "li", "a", "h1", "h2", "h3", "h4", "h5", "h6"] }); sanitized.value = DOMPurify.sanitize(parsed, {
ALLOWED_TAGS: [
"strong", "em", "br", "blockquote",
"code", "ul", "ol", "li", "a", "h1",
"h2", "h3", "h4", "h5", "h6"
],
ALLOW_DATA_ATTR: false,
ALLOW_SELF_CLOSE_IN_ATTR: false,
ALLOWED_ATTR: []
});
console.log("adding listeners") console.log("adding listeners")
await nextTick(); await nextTick();
if (messageElement.value?.classList.contains("grouped-message")) { if (messageElement.value?.classList.contains("grouped-message")) {
@ -75,6 +87,18 @@ console.log("me:", props.me);
if (props.author?.uuid == props.me.uuid) { if (props.author?.uuid == props.me.uuid) {
menuItems.push({ name: "Edit", callback: () => { if (messageElement.value) editMessage(messageElement.value, props) } }); menuItems.push({ name: "Edit", callback: () => { if (messageElement.value) editMessage(messageElement.value, props) } });
} }
function getDayDifference(date1: Date, date2: Date) {
const midnight1 = new Date(date1.getFullYear(), date1.getMonth(), date1.getDate());
const midnight2 = new Date(date2.getFullYear(), date2.getMonth(), date2.getDate());
const timeDifference = midnight2.getTime() - midnight1.getTime();
const dayDifference = timeDifference / (1000 * 60 * 60 * 24);
return Math.round(dayDifference);
}
</script> </script>
<style scoped> <style scoped>
@ -82,14 +106,15 @@ if (props.author?.uuid == props.me.uuid) {
text-align: left; text-align: left;
/* border: 1px solid lightcoral; */ /* border: 1px solid lightcoral; */
display: grid; display: grid;
grid-template-columns: 2dvw 1fr; grid-template-columns: 2rem 1fr;
align-items: center; align-items: center;
column-gap: 1dvw; column-gap: 1dvw;
width: 100%; width: 100%;
overflow-wrap: anywhere;
} }
.message:hover { .message:hover {
background-color: rgb(20, 20, 20); background-color: var(--chat-highlighted-background-color);
} }
.normal-message { .normal-message {
@ -130,10 +155,11 @@ if (props.author?.uuid == props.me.uuid) {
} }
.left-column { .left-column {
min-width: 2rem;
display: flex; display: flex;
justify-content: center;
text-align: center; text-align: center;
white-space: nowrap; white-space: nowrap;
} }
.author-username { .author-username {
@ -143,7 +169,7 @@ if (props.author?.uuid == props.me.uuid) {
.message-date { .message-date {
font-size: .7em; font-size: .7em;
color: rgb(150, 150, 150); color: var(--secondary-text-color);
cursor: default; cursor: default;
} }
@ -164,12 +190,12 @@ if (props.author?.uuid == props.me.uuid) {
<style module> <style module>
.message-text ul, h1, h2, h3, h4, h5, h6 { .message-text ul, h1, h2, h3, h4, h5, h6 {
padding-top: 1dvh; padding-top: .5em;
padding-bottom: 1dvh; padding-bottom: .5em;
margin: 0; margin: 0;
} }
.message-text ul { .message-text ul {
padding-left: 2dvw; padding-left: 1em;
} }
</style> </style>

View file

@ -9,11 +9,28 @@
</div> </div>
<div id="message-box" class="rounded-corners"> <div id="message-box" class="rounded-corners">
<form id="message-form" @submit="sendMessage"> <form id="message-form" @submit="sendMessage">
<input v-model="messageInput" id="message-box-input" class="rounded-corners" type="text" <div id="message-box-left-elements">
name="message-input" autocomplete="off"> <span class="message-box-button">
<button id="submit-button" type="submit"> <Icon name="lucide:file-plus-2" />
<Icon name="lucide:send" /> </span>
</button> </div>
<div id="message-textarea">
<div id="message-textbox-input"
role="textbox" ref="messageTextboxInput"
autocorrect="off" spellcheck="true" contenteditable="true"
@keydown="handleTextboxKeyDown" @input="handleTextboxInput">
</div>
</div>
<div id="message-box-right-elements">
<button class="message-box-button" type="submit">
<Icon name="lucide:send" />
</button>
<span class="message-box-button">
<Icon name="lucide:image-play" />
</span>
</div>
</form> </form>
</div> </div>
</div> </div>
@ -108,11 +125,38 @@ function pushMessage(message: MessageResponse) {
messages.value.push(message); messages.value.push(message);
} }
function handleTextboxKeyDown(event: KeyboardEvent) {
if (event.key === "Enter" && event.shiftKey && messageTextboxInput.value) {
// this enters a newline, due to not preventing default
} else if (event.key === "Enter") {
event.preventDefault()
sendMessage(event)
}
adjustTextboxHeight()
}
function handleTextboxInput() {
if (messageTextboxInput.value) {
messageInput.value = messageTextboxInput.value.innerText;
}
adjustTextboxHeight()
}
// this technically uses pixel units, but it's still set using dynamic units
function adjustTextboxHeight() {
if (messageTextboxInput.value && messageTextboxDisplay.value) {
messageTextboxInput.value.style.height = "auto"
messageTextboxInput.value.style.height = `${messageTextboxInput.value.scrollHeight}px`
}
}
const messages = ref<MessageResponse[]>([]); const messages = ref<MessageResponse[]>([]);
const messageInput = ref<string>("");
const messageInput = ref<string>();
const messagesElement = ref<HTMLDivElement>(); const messagesElement = ref<HTMLDivElement>();
const messageTextboxInput = ref<HTMLDivElement>();
const messageTextboxDisplay = ref<HTMLDivElement>();
if (messagesRes) messages.value = messagesRes; if (messagesRes) messages.value = messagesRes;
@ -160,12 +204,21 @@ if (accessToken && apiBase) {
function sendMessage(e: Event) { function sendMessage(e: Event) {
e.preventDefault(); e.preventDefault();
const text = messageInput.value; if (messageInput.value && messageInput.value.trim() !== "") {
console.log("text:", text); const message = {
if (text) { message: messageInput.value.trim().replace(/\n/g, "<br>") // trim, and replace \n with <br>
ws.send(text); }
messageInput.value = "";
console.log("MESSAGE SENT!!!"); console.log("message:", message);
ws.send(JSON.stringify(message));
// reset input field
messageInput.value = ""
if (messageTextboxInput.value) {
messageTextboxInput.value.innerText = ""
}
adjustTextboxHeight()
} }
} }
@ -241,38 +294,63 @@ router.beforeEach((to, from, next) => {
<style scoped> <style scoped>
#message-area { #message-area {
display: grid; display: flex;
grid-template-rows: 8fr 1fr; flex-direction: column;
padding-left: 1dvw; padding-left: 1dvw;
padding-right: 1dvw; padding-right: 1dvw;
overflow: hidden; overflow: hidden;
flex-grow: 1;
} }
#message-box { #message-box {
display: flex; margin-bottom: 2dvh;
flex-direction: column;
justify-content: center;
align-content: center;
border: 1px solid rgb(70, 70, 70);
padding-bottom: 1dvh;
padding-top: 1dvh;
margin-bottom: 1dvh;
margin-left: 1dvw; margin-left: 1dvw;
margin-right: 1dvw; margin-right: 1dvw;
padding-left: 2%;
padding-right: 2%;
align-items: center;
color: var(--text-color);
border: 1px solid var(--padding-color);
background-color: var(--chatbox-background-color);
} }
#message-form { #message-form {
display: flex; display: flex;
justify-content: center; flex-direction: row;
gap: .55em;
} }
#message-box-input { #message-textarea {
width: 80%; flex-grow: 1;
background-color: rgb(50, 50, 50); min-height: 2.35em;
}
#message-textbox-input {
width: 100%;
max-height: 50dvh;
padding: 0.5em 0;
user-select: text;
font-family: inherit;
font-size: inherit;
line-height: normal;
border: none; border: none;
color: inherit; background-color: #40404000; /* completely transparent colour */
padding-left: 1dvw;
padding-right: 1dvw; text-align: left;
word-break: break-word;
overflow-wrap: break-word;
overflow-y: auto;
}
#message-box-left-elements, #message-box-right-elements {
display: flex;
align-items: end;
} }
#messages { #messages {
@ -283,14 +361,16 @@ router.beforeEach((to, from, next) => {
padding-right: 1dvw; padding-right: 1dvw;
} }
#submit-button { .message-box-button {
background-color: inherit; background-color: inherit;
border: none; border: none;
color: rgb(200, 200, 200); color: var(--primary-color);
transition: color 100ms;
font-size: 1.5em; font-size: 1.5em;
} }
#submit-button:hover { .message-box-button:hover {
color: rgb(255, 255, 255); color: var(--primary-highlighted-color);
cursor: pointer;
} }
</style> </style>

View file

@ -1,14 +1,100 @@
<template> <template>
<div> <div>
<h1>hi</h1> <h1>Appearance</h1>
<h5>TEST</h5>
<h5>TEST</h5> <p class="subtitle">THEMES</p>
<div class="themes">
<div v-for="theme of themes" class="theme-preview-container">
<span class="theme-preview"
:title="theme.displayName"
:style="{background:`linear-gradient(${theme.previewGradient})`}"
@click="changeTheme(theme.id, theme.themeUrl)"
>
<span class="theme-title" :style="{color:`${theme.complementaryColor}`}">
{{ theme.displayName }}
</span>
</span>
</div>
</div>
<p class="subtitle">ICONS</p>
<div class="themes">
</div>
</div> </div>
</template> </template>
<script lang="ts" setup> <script lang="ts" setup>
const runtimeConfig = useRuntimeConfig()
const defaultThemes = runtimeConfig.public.defaultThemes
const baseURL = runtimeConfig.app.baseURL;
let themeLinkElement: HTMLLinkElement | null = null;
const themes: Array<Theme> = []
interface Theme {
id: string
displayName: string
previewGradient: string
complementaryColor: string
themeUrl: string
}
function changeTheme(id: string, url: string) {
if (themeLinkElement && themeLinkElement.getAttribute('href') === `${baseURL}themes/${url}`) {
return;
}
localStorage.setItem("selectedTheme", id);
// if the theme didn't originally load for some reason, create it
if (!themeLinkElement) {
themeLinkElement = document.createElement('link');
themeLinkElement.rel = 'stylesheet';
document.head.appendChild(themeLinkElement);
}
themeLinkElement.href = `${baseURL}themes/${url}`;
}
async function fetchThemes() {
for (const theme of defaultThemes) {
const themeConfig = await $fetch(`${baseURL}themes/${theme}.json`) as Theme
themeConfig.id = theme
themes.push(themeConfig)
}
}
await fetchThemes()
</script> </script>
<style scoped> <style scoped>
.themes {
display: flex;
}
</style> .theme-preview-container {
margin: .5em;
width: 5em;
height: 5em;
}
.theme-preview {
width: 5em;
height: 5em;
border-radius: 100%;
border: .1em solid var(--primary-color);
display: inline-block;
text-align: center;
align-content: center;
cursor: pointer;
}
.theme-title {
font-size: .8em;
line-height: 5em; /* same height as the parent to centre it vertically */
}
</style>

View file

@ -1,33 +1,16 @@
<template> <template>
<div> <div v-if="user">
<h1>My Account</h1> <h1>Account</h1>
<div class="profile-container"> <p class="subtitle">E-MAIL</p>
<div class="user-data-fields" v-if="user"> <input id="profile-about-me-input" class="profile-data-input" type="text" v-model="user.email" placeholder="john@example.org" />
<p class="subtitle">AVATAR</p> <br>
<Button text="Change Avatar" :callback="changeAvatar" style="margin-right: 0.8dvw;"></Button> <Button text="Submit" :callback=changeEmail style="margin-top: .4em"></Button>
<Button text="Remove Avatar" :callback="removeAvatar" variant="neutral"></Button>
<label for="profile-display-name-input" class="subtitle">DISPLAY NAME</label>
<input id="profile-display-name-input" class="profile-data-input" type="text" v-model="user.display_name" placeholder="Enter display name" />
<label for="profile-username-input" class="subtitle">USERNAME</label>
<input id="profile-username-input" class="profile-data-input" type="text" v-model="user.username" placeholder="Enter username" />
<label for="profile-pronouns-input" class="subtitle">PRONOUNS</label>
<input id="profile-pronouns-input" class="profile-data-input" type="text" v-model="user.pronouns" placeholder="Enter pronouns" />
<label for="profile-about-me-input" class="subtitle">ABOUT ME</label>
<input id="profile-about-me-input" class="profile-data-input" type="text" v-model="user.about" placeholder="About me" />
<br>
<Button style="margin-top: 1dvh" text="Save Changes" :callback="saveChanges"></Button>
</div>
<UserPopup v-if="user" :user="user" class="profile-popup"></UserPopup>
</div>
<h2 style="margin-top: 8duservh">Password (and eventually authenticator)</h2>
<Button text="Reset Password (tbd)" :callback=resetPassword></Button>
<h2>Account Deletion</h2> <p class="subtitle">PASSWORD</p>
<Button text="Reset Password" :callback=resetPassword></Button>
<p class="subtitle">ACCOUNT DELETION</p>
<Button text="Delete Account (tbd)" :callback=deleteAccount variant="scary"></Button> <Button text="Delete Account (tbd)" :callback=deleteAccount variant="scary"></Button>
</div> </div>
@ -44,22 +27,13 @@ if (!user) {
alert("could not fetch user info, aborting :(") alert("could not fetch user info, aborting :(")
} }
let newPfpFile: File; async function changeEmail() {
const saveChanges = async () => {
if (!user) return; if (!user) return;
const formData = new FormData() const formData = new FormData()
if (newPfpFile) {
formData.append("avatar", newPfpFile)
}
const bytes = new TextEncoder().encode(JSON.stringify({ const bytes = new TextEncoder().encode(JSON.stringify({
display_name: user.display_name, email: user.email,
username: user.username,
pronouns: user.pronouns,
about: user.about,
})); }));
formData.append('json', new Blob([bytes], { type: 'application/json' })); formData.append('json', new Blob([bytes], { type: 'application/json' }));
@ -69,6 +43,14 @@ const saveChanges = async () => {
body: formData body: formData
}) })
const apiBase = useCookie("api_base").value;
if (apiBase) {
const stats = await useApi().fetchInstanceStats(apiBase);
if (stats.email_verification_required) {
return window.location.reload();
}
}
alert('success!!') alert('success!!')
} catch (error: any) { } catch (error: any) {
if (error?.response?.status !== 200) { if (error?.response?.status !== 200) {
@ -78,60 +60,24 @@ const saveChanges = async () => {
}; };
const removeAvatar = async () => { async function resetPassword () {
alert("TBD") await fetchWithApi("/auth/reset-password", {
// await fetchWithApi(`/auth/reset-password`); method: 'GET',
} headers: {
'Content-Type': 'application/json',
const changeAvatar = async () => { },
if (!user) return; query: {
identifier: user?.username
const input = document.createElement('input');
input.type = 'file';
input.accept = 'image/*';
input.addEventListener("change", (e: Event) => {
if (input.files?.length && input.files.length > 0) {
const file = input.files[0];
if (!file) return;
newPfpFile = file
const reader = new FileReader();
reader.addEventListener("onload", () => {
if (reader.result && typeof reader.result === 'string') {
user.avatar = reader.result;
}
});
reader.readAsDataURL(file);
} }
}) });
input.click()
} }
const resetPassword = async () => { async function deleteAccount() {
alert("TBD")
// await fetchWithApi(`/auth/reset-password`);
}
const deleteAccount = async () => {
alert("TBD") alert("TBD")
} }
</script> </script>
<style scoped> <style scoped>
.profile-container {
display: flex;
}
.subtitle {
display: block;
font-size: 0.8em;
font-weight: 800;
margin: 1.5dvh 0 0.5dvh 0.25dvw;
}
.user-data-fields { .user-data-fields {
min-width: 35dvw; min-width: 35dvw;
max-width: 35dvw; max-width: 35dvw;
@ -145,11 +91,7 @@ const deleteAccount = async () => {
font-size: 1em; font-size: 1em;
border-radius: 8px; border-radius: 8px;
border: none; border: none;
color: white; color: var(--text-color);
background-color: #54361b; background-color: var(--accent-color);
}
.profile-popup {
margin-left: 2dvw;
} }
</style> </style>

View file

@ -0,0 +1,151 @@
<template>
<div>
<h1>Profile</h1>
<div class="profile-container">
<div class="user-data-fields" v-if="user">
<p class="subtitle">AVATAR</p>
<Button text="Change Avatar" :callback="changeAvatar" style="margin-right: 0.8dvw;"></Button>
<Button text="Remove Avatar" :callback="removeAvatar" variant="neutral"></Button>
<label for="profile-display-name-input" class="subtitle">DISPLAY NAME</label>
<input id="profile-display-name-input" class="profile-data-input" type="text" v-model="user.display_name" placeholder="Enter display name" />
<label for="profile-username-input" class="subtitle">USERNAME</label>
<input id="profile-username-input" class="profile-data-input" type="text" v-model="user.username" placeholder="Enter username" />
<label for="profile-pronouns-input" class="subtitle">PRONOUNS</label>
<input id="profile-pronouns-input" class="profile-data-input" type="text" v-model="user.pronouns" placeholder="Enter pronouns" />
<label for="profile-about-me-input" class="subtitle">ABOUT ME</label>
<input id="profile-about-me-input" class="profile-data-input" type="text" v-model="user.about" placeholder="About me" />
<Button style="margin-top: 2dvh" text="Save Changes" :callback="saveChanges"></Button>
</div>
<UserPopup v-if="user" :user="user" id="profile-popup"></UserPopup>
</div>
</div>
<CropPopup
v-if="isCropPopupVisible"
:imageSrc="cropImageSrc"
:onCrop="handleCrop"
:onClose="closeCropPopup"
/>
</template>
<script lang="ts" setup>
import type { UserResponse } from '~/types/interfaces';
let newPfpFile: File;
const isCropPopupVisible = ref(false);
const cropImageSrc = ref("")
;
const { fetchUser } = useAuth();
const user: UserResponse | undefined = await fetchUser()
if (!user) {
alert("could not fetch user info, aborting :(")
}
async function saveChanges() {
if (!user) return;
const formData = new FormData()
if (newPfpFile) {
formData.append("avatar", newPfpFile)
}
const bytes = new TextEncoder().encode(JSON.stringify({
display_name: user.display_name,
username: user.username,
pronouns: user.pronouns,
about: user.about,
}));
formData.append('json', new Blob([bytes], { type: 'application/json' }));
try {
await fetchWithApi('/me', {
method: 'PATCH',
body: formData
})
alert('success!!')
} catch (error: any) {
if (error?.response?.status !== 200) {
alert(`error ${error?.response?.status} met whilst trying to update profile info\n"${error?.response._data?.message}"`)
}
}
};
async function removeAvatar() {
alert("TBD")
// await fetchWithApi(`/auth/reset-password`);
}
async function changeAvatar() {
if (!user) return;
const input = document.createElement('input');
input.type = 'file';
input.accept = 'image/*';
input.addEventListener("change", (e: Event) => {
if (input.files?.length && input.files.length > 0) {
const file = input.files[0];
if (!file) return;
const reader = new FileReader();
reader.addEventListener("load", () => {
if (reader.result && typeof reader.result === 'string') {
cropImageSrc.value = reader.result;
isCropPopupVisible.value = true;
}
});
reader.readAsDataURL(file);
}
})
input.click()
}
function handleCrop(blob: Blob, url: string) {
if (!user) return;
user.avatar = url;
newPfpFile = new File([blob], 'avatar.png', { type: 'image/png' })
closeCropPopup()
}
function closeCropPopup() {
isCropPopupVisible.value = false
}
</script>
<style scoped>
.profile-container {
display: flex;
}
.user-data-fields {
min-width: 35dvw;
max-width: 35dvw;
}
.profile-data-input {
min-width: 30dvw;
margin: 0.07dvh;
padding: 0.1dvh 0.7dvw;
height: 2.5em;
font-size: 1em;
border-radius: 8px;
border: none;
color: var(--text-color);
background-color: var(--accent-color);
}
#profile-popup {
margin-left: 2dvw;
}
</style>

20
components/UserArea.vue Normal file
View file

@ -0,0 +1,20 @@
<template>
<div id="user-panel">
HELLO!!
</div>
</template>
<script lang="ts" setup>
import type { UserResponse } from '~/types/interfaces';
const props = defineProps<{
user: UserResponse,
}>();
</script>
<style scoped>
#user-panel {
width: 100%;
}
</style>

View file

@ -1,7 +1,9 @@
<template> <template>
<div id="profile-popup"> <div id="profile-popup">
<img v-if="props.user.avatar" id="avatar" :src="props.user.avatar" alt="profile avatar"> <img v-if="props.user.avatar" id="avatar" :src="props.user.avatar" alt="profile avatar">
<div id="cover-colour"></div> <Icon v-else id="avatar" name="lucide:user" />
<div id="cover-color"></div>
<div id="main-body"> <div id="main-body">
<p id="display-name"> <p id="display-name">
<strong>{{ props.user.display_name }}</strong> <strong>{{ props.user.display_name }}</strong>
@ -38,17 +40,17 @@ const props = defineProps<{
flex-direction: column; flex-direction: column;
} }
#cover-colour { #cover-color {
border-radius: 12px 12px 0 0; border-radius: 12px 12px 0 0;
min-height: 60px; min-height: 60px;
background-color: #442505; background-color: var(--primary-color);
} }
#main-body { #main-body {
border-radius: 0 0 12px 12px; border-radius: 0 0 12px 12px;
padding: 12px; padding: 12px;
min-height: 280px; min-height: 280px;
background-color: #4b3018; background-color: var(--accent-color);
overflow-wrap: break-word; overflow-wrap: break-word;
hyphens: manual; hyphens: manual;
} }
@ -57,12 +59,14 @@ const props = defineProps<{
width: 96px; width: 96px;
height: 96px; height: 96px;
border: 5px solid #4b3018; border: 5px solid #4b3018;
background-color: var(--secondary-color);
border-radius: 100%; border-radius: 100%;
position: absolute; position: absolute;
left: 16px; left: 16px;
top: 16px; top: 16px;
} }
#display-name { #display-name {
margin-top: 60px; margin-top: 60px;
margin-bottom: 0; margin-bottom: 0;
@ -75,7 +79,7 @@ const props = defineProps<{
} }
#about-me { #about-me {
background-color: #34200f; background-color: var(--secondary-color);
border-radius: 12px; border-radius: 12px;
margin-top: 32px; margin-top: 32px;

View file

@ -1,4 +1,4 @@
import type { ChannelResponse, GuildMemberResponse, GuildResponse, MessageResponse } from "~/types/interfaces"; import type { ChannelResponse, GuildMemberResponse, GuildResponse, MessageResponse, StatsResponse } from "~/types/interfaces";
export const useApi = () => { export const useApi = () => {
async function fetchGuilds(): Promise<GuildResponse[] | undefined> { async function fetchGuilds(): Promise<GuildResponse[] | undefined> {
@ -41,6 +41,15 @@ export const useApi = () => {
return await fetchWithApi(`/channels/${channelId}/messages/${messageId}`); return await fetchWithApi(`/channels/${channelId}/messages/${messageId}`);
} }
async function fetchInstanceStats(apiBase: string): Promise<StatsResponse> {
return await $fetch(`${apiBase}/stats`, { method: "GET" });
}
async function sendVerificationEmail(): Promise<void> {
const email = useAuth().user.value?.email;
await fetchWithApi("/auth/verify-email", { method: "POST", body: { email } });
}
return { return {
fetchGuilds, fetchGuilds,
fetchGuild, fetchGuild,
@ -51,6 +60,8 @@ export const useApi = () => {
fetchUsers, fetchUsers,
fetchUser, fetchUser,
fetchMessages, fetchMessages,
fetchMessage fetchMessage,
fetchInstanceStats,
sendVerificationEmail
} }
} }

View file

@ -7,6 +7,7 @@ export const useAuth = () => {
async function clearAuth() { async function clearAuth() {
accessToken.value = null; accessToken.value = null;
user.value = null; user.value = null;
await navigateTo("/login");
} }
async function register(username: string, email: string, password: string) { async function register(username: string, email: string, password: string) {
@ -37,13 +38,19 @@ export const useAuth = () => {
//await fetchUser(); //await fetchUser();
} }
async function logout(password: string) { async function logout() {
console.log("password:", password);
console.log("access:", accessToken.value); console.log("access:", accessToken.value);
const hashedPass = await hashPassword(password);
console.log("hashed");
const res = await fetchWithApi("/auth/revoke", { await fetchWithApi("/auth/logout", { method: "GET", credentials: "include" });
clearAuth();
return await navigateTo("/login");
}
async function revoke(password: string) {
const hashedPass = await hashPassword(password);
await fetchWithApi("/auth/revoke", {
method: "POST", method: "POST",
body: body:
{ {
@ -54,10 +61,6 @@ export const useAuth = () => {
clearAuth(); clearAuth();
} }
async function revoke() {
clearAuth();
}
async function refresh() { async function refresh() {
console.log("refreshing"); console.log("refreshing");
const res = await fetchWithApi("/auth/refresh", { const res = await fetchWithApi("/auth/refresh", {

View file

@ -20,30 +20,7 @@
<slot /> <slot />
</div> </div>
<div v-if="instanceUrl"> <div v-if="instanceUrl">
Instance URL is set to {{ instanceUrl }} Instance URL is set to <span style="color: var(--primary-color);">{{ instanceUrl }}</span>
</div>
<div v-if="auth.accessToken.value">
You're logged in!
<form @submit="logout">
<div>
<label for="logout-password">Password</label>
<br>
<input type="password" name="logout-password" id="logout-password" v-model="form.password"
required>
</div>
<div>
<button type="submit">Log out</button>
</div>
</form>
<div>
<button @click="refresh">Refresh</button>
</div>
<div>
<button @click="showUser">Show user</button>
</div>
<div>
<button @click="getUser">Get me</button>
</div>
</div> </div>
</div> </div>
</div> </div>
@ -51,7 +28,6 @@
<script lang="ts" setup> <script lang="ts" setup>
import { FetchError } from 'ofetch'; import { FetchError } from 'ofetch';
import type { StatsResponse } from '~/types/interfaces';
const instanceUrl = ref<string | null | undefined>(null); const instanceUrl = ref<string | null | undefined>(null);
const instanceUrlInput = ref<string>(); const instanceUrlInput = ref<string>();
@ -63,9 +39,7 @@ const registrationEnabled = useState("registrationEnabled", () => true);
const auth = useAuth(); const auth = useAuth();
onMounted(async () => { onMounted(async () => {
const cookie = useCookie("instance_url").value; instanceUrl.value = useCookie("instance_url").value;
instanceUrl.value = cookie;
console.log(cookie);
console.log("set instance url to:", instanceUrl.value); console.log("set instance url to:", instanceUrl.value);
}); });
@ -73,8 +47,8 @@ async function selectInstance(e: Event) {
e.preventDefault(); e.preventDefault();
console.log("trying input instance"); console.log("trying input instance");
if (instanceUrlInput.value) { if (instanceUrlInput.value) {
console.log("input has value");
const gorbTxtUrl = new URL(`/.well-known/gorb.txt`, instanceUrlInput.value); const gorbTxtUrl = new URL(`/.well-known/gorb.txt`, instanceUrlInput.value);
console.log("input has value");
try { try {
console.log("trying to get gorb.txt:", gorbTxtUrl); console.log("trying to get gorb.txt:", gorbTxtUrl);
const res = await $fetch.raw(gorbTxtUrl.href, { responseType: "text" }); const res = await $fetch.raw(gorbTxtUrl.href, { responseType: "text" });
@ -87,10 +61,10 @@ async function selectInstance(e: Event) {
instanceUrl.value = origin; instanceUrl.value = origin;
useCookie("instance_url").value = origin; useCookie("instance_url").value = origin;
console.log("set instance url to:", origin); console.log("set instance url to:", origin);
const { status, data, error } = await useFetch<StatsResponse>(`${apiBase.value}/stats`); const stats = await useApi().fetchInstanceStats(apiBase.value);
if (status.value == "success" && data.value) { if (stats) {
registrationEnabled.value = data.value.registration_enabled; registrationEnabled.value = stats.registration_enabled;
console.log("set registration enabled value to:", data.value.registration_enabled); console.log("set registration enabled value to:", stats.registration_enabled);
} }
return; return;
} }
@ -148,18 +122,22 @@ async function showUser(e: Event) {
align-items: center; align-items: center;
} }
#auth-form-container, #auth-form-container {
#auth-form-container form {
display: flex; display: flex;
width: 50dvw; width: 20dvw;
flex-direction: column; flex-direction: column;
align-items: center; align-items: center;
text-align: center;
gap: 1em; gap: 1em;
margin-bottom: 2dvh;
} }
#auth-form-container form { #auth-form-container form {
display: flex;
flex-direction: column;
text-align: left; text-align: left;
margin-top: 10dvh; margin-top: 10dvh;
gap: 1em;
} }
#instance-error-container { #instance-error-container {

View file

@ -3,20 +3,28 @@
<div :class="{ hidden: loading, visible: !loading }" id="client-root"> <div :class="{ hidden: loading, visible: !loading }" id="client-root">
<div id="homebar"> <div id="homebar">
<div class="homebar-item"> <div class="homebar-item">
main bar <marquee>
</div> gorb!!!!!
</div> </marquee>
<div id="left-column">
<NuxtLink id="home-button" href="/">
<Icon name="lucide:house" class="white" size="2rem" />
</NuxtLink>
<div id="servers-list">
<NuxtLink v-for="guild of guilds" :href="`/servers/${guild.uuid}`">
<Icon name="lucide:server" class="white" size="2rem" />
</NuxtLink>
</div> </div>
</div> </div>
<slot /> <div id = "page-content">
<div id="left-column">
<NuxtLink id="home-button" href="/">
<img class="sidebar-icon" src="/public/icon.svg"/>
</NuxtLink>
<div id="servers-list">
<NuxtLink v-for="guild of guilds" :href="`/servers/${guild.uuid}`">
<img v-if="guild.icon" class="sidebar-icon" :src="guild.icon" :alt="guild.name"/>
<Icon v-else name="lucide:server" class="sidebar-icon white" :alt="guild.name" />
</NuxtLink>
</div>
<NuxtLink id="settings-menu" href="/settings">
<Icon name="lucide:settings" class="sidebar-icon white" alt="Settings menu" />
</NuxtLink>
</div>
<slot />
</div>
</div> </div>
</template> </template>
@ -26,59 +34,15 @@ import type { GuildResponse } from '~/types/interfaces';
const loading = useState("loading", () => false); const loading = useState("loading", () => false);
const guilds: GuildResponse[] | undefined = await fetchWithApi("/me/guilds"); const guilds: GuildResponse[] | undefined = await fetchWithApi("/me/guilds");
//const servers = await fetchWithApi("/servers") as { uuid: string, name: string, description: string }[];
//console.log("servers:", servers);
const members = [
{
id: "3287484395",
displayName: "SauceyRed"
},
{
id: "3287484395",
displayName: "SauceyRed"
},
{
id: "3287484395",
displayName: "SauceyRed"
},
{
id: "3287484395",
displayName: "SauceyRed"
},
{
id: "3287484395",
displayName: "SauceyRed"
},
{
id: "3287484395",
displayName: "SauceyRed"
},
{
id: "3287484395",
displayName: "SauceyRed"
},
{
id: "3287484395",
displayName: "SauceyRed"
},
{
id: "3287484395",
displayName: "SauceyRed"
}
];
</script> </script>
<style> <style>
#client-root { #client-root {
/* border: 1px solid white; */
height: 100dvh; height: 100dvh;
display: grid; width: 100dvw;
grid-template-columns: 1fr 4fr 18fr 4fr; display: flex;
grid-template-rows: 4dvh auto; flex-direction: column;
text-align: center; text-align: center;
} }
.hidden { .hidden {
@ -87,67 +51,77 @@ const members = [
.visible { .visible {
opacity: 100%; opacity: 100%;
transition-duration: 500ms; transition: opacity 500ms;
} }
#homebar { #homebar {
grid-row: 1; min-height: 4dvh;
grid-column: 1 / -1;
display: flex; display: flex;
justify-content: space-evenly; justify-content: space-evenly;
align-items: center; align-items: center;
background: var(--optional-topbar-background);
background-color: var(--topbar-background-color);
border-bottom: 1px solid var(--padding-color);
padding-left: 5dvw; padding-left: 5dvw;
padding-right: 5dvw; padding-right: 5dvw;
} }
#client-root>div:nth-child(-n+4) { .homebar-item {
border-bottom: 1px solid rgb(70, 70, 70); width: 100dvw;
} }
#__nuxt { #page-content {
display: flex; display: flex;
flex-flow: column; flex-direction: row;
} flex-grow: 1;
overflow: auto;
.grid-column {
padding-top: 1dvh;
}
#home {
padding-left: .5dvw;
padding-right: .5dvw;
}
#current-info {
grid-column: 2;
grid-row: 1;
} }
#left-column { #left-column {
display: flex; display: flex;
flex-direction: column; flex-direction: column;
gap: 2dvh; gap: .75em;
padding-left: .5dvw; padding-left: .25em;
padding-right: .5dvw; padding-right: .25em;
border-right: 1px solid rgb(70, 70, 70); padding-top: .5em;
padding-top: 1.5dvh; border-right: 1px solid var(--padding-color);
} background: var(--optional-sidebar-background);
background-color: var(--sidebar-background-color);
#middle-left-column {
padding-left: 1dvw;
padding-right: 1dvw;
border-right: 1px solid rgb(70, 70, 70);
}
#home-button {
border-bottom: 1px solid rgb(70, 70, 70);
padding-bottom: 1dvh;
} }
#servers-list { #servers-list {
display: flex; display: flex;
flex-direction: column; flex-direction: column;
gap: 1dvh; gap: 1em;
width: 3.2rem;
padding-top: .5em;
}
#middle-left-column {
padding-left: .25em;
padding-right: .25em;
border-right: 1px solid var(--padding-color);
min-width: 13em;
max-width: 13em;
overflow-y: scroll;
overflow-x: hidden;
}
.sidebar-icon {
width: 3rem;
height: 3rem;
overflow-y: scroll;
overflow-x: hidden;
}
#home-button {
border-bottom: 1px solid var(--padding-color);
padding-bottom: .375em;
}
#settings-menu {
position: absolute;
bottom: .25em;
} }
</style> </style>

View file

@ -2,7 +2,21 @@ export default defineNuxtRouteMiddleware(async (to, from) => {
console.log("to.fullPath:", to.fullPath); console.log("to.fullPath:", to.fullPath);
const loading = useState("loading"); const loading = useState("loading");
const accessToken = useCookie("access_token").value; const accessToken = useCookie("access_token").value;
if (["/login", "/register"].includes(to.path)) { const apiBase = useCookie("api_base").value;
const { fetchInstanceStats } = useApi();
console.log("[AUTH] instance url:", apiBase);
if (apiBase && !Object.keys(to.query).includes("special") && to.path != "/verify-email") {
const user = await useAuth().getUser();
const stats = await fetchInstanceStats(apiBase);
console.log("[AUTH] stats:", stats);
console.log("[AUTH] email verification check:", user?.email && !user.email_verified && stats.email_verification_required);
if (user?.email && !user.email_verified && stats.email_verification_required) {
return await navigateTo("/register?special=verify_email");
}
}
if (["/login", "/register"].includes(to.path) && !Object.keys(to.query).includes("special")) {
console.log("path is login or register"); console.log("path is login or register");
const apiBase = useCookie("api_base"); const apiBase = useCookie("api_base");
console.log("apiBase gotten:", apiBase.value); console.log("apiBase gotten:", apiBase.value);
@ -19,6 +33,14 @@ export default defineNuxtRouteMiddleware(async (to, from) => {
if (parsed.ApiBaseUrl) { if (parsed.ApiBaseUrl) {
apiBase.value = `${parsed.ApiBaseUrl}/v${apiVersion}`; apiBase.value = `${parsed.ApiBaseUrl}/v${apiVersion}`;
console.log("set apiBase to:", parsed.ApiBaseUrl); console.log("set apiBase to:", parsed.ApiBaseUrl);
console.log("hHEYOO");
const instanceUrl = useCookie("instance_url");
console.log("hHEYOO 2");
console.log("instance url:", instanceUrl.value);
if (!instanceUrl.value) {
instanceUrl.value = `${requestUrl.protocol}//${requestUrl.host}`;
console.log("set instance url to:", instanceUrl.value);
}
} }
} }
} }

View file

@ -27,7 +27,12 @@ export default defineNuxtConfig({
runtimeConfig: { runtimeConfig: {
public: { public: {
apiVersion: 1, apiVersion: 1,
messageGroupingMaxDifference: 300000 messageGroupingMaxDifference: 300000,
buildTimeString: new Date().toISOString(),
gitHash: process.env.GIT_SHORT_REV || "N/A",
defaultThemes: [
"light", "ash", "dark", "rainbow-capitalism"
]
} }
}, },
/* nitro: { /* nitro: {

View file

@ -14,6 +14,7 @@
"@nuxt/icon": "1.13.0", "@nuxt/icon": "1.13.0",
"@nuxt/image": "1.10.0", "@nuxt/image": "1.10.0",
"@pinia/nuxt": "0.11.0", "@pinia/nuxt": "0.11.0",
"cropperjs": "^2.0.0",
"dompurify": "^3.2.6", "dompurify": "^3.2.6",
"marked": "^15.0.12", "marked": "^15.0.12",
"nuxt": "^3.17.0", "nuxt": "^3.17.0",

View file

@ -1,6 +1,19 @@
<template> <template>
<NuxtLayout> <NuxtLayout>
<div id="left-bar">
</div>
<div id="middle-bar">
<h1>
Welcome to gorb :3
</h1>
<p>
Click on a guild to the left to view a guild.
<br>
Or click the button in the bottom left to join a guild.
</p>
</div>
<div id="right-bar">
</div>
</NuxtLayout> </NuxtLayout>
</template> </template>

View file

@ -44,10 +44,9 @@ const apiBase = useCookie("api_base");
if (apiBase.value) { if (apiBase.value) {
console.log("apiBase:", apiBase.value); console.log("apiBase:", apiBase.value);
const statsUrl = new URL("/stats", apiBase.value).href; const stats = await useApi().fetchInstanceStats(apiBase.value);
const { status, data } = await useFetch<StatsResponse>(statsUrl); if (stats) {
if (status.value == "success" && data.value) { registrationEnabled.value = stats.registration_enabled;
registrationEnabled.value = data.value.registration_enabled;
} }
} }

View file

@ -1,6 +1,6 @@
<template> <template>
<NuxtLayout> <NuxtLayout>
<form v-if="registrationEnabled" @submit="register"> <form v-if="registrationEnabled && !registrationSubmitted && !showEmailVerificationScreen" @submit="register">
<div> <div>
<!-- <!--
<span class="form-error" v-if="errors.username.length > 0"> <span class="form-error" v-if="errors.username.length > 0">
@ -32,32 +32,87 @@
<button type="submit">Register</button> <button type="submit">Register</button>
</div> </div>
</form> </form>
<div v-else-if="registrationEnabled && (registrationSubmitted || showEmailVerificationScreen) && !emailSent">
<p v-if="emailVerificationRequired">
This instance requires email verification to use it.
<br><br>
<span v-if="registrationSubmitted">
Please open the link sent to your email.
</span>
<span v-else-if="showEmailVerificationScreen">
Please click on the link you've already received, or click on the button below to receive a new email.
</span>
</p>
<p v-else>
Would you like to verify your email?
<!--
<br>
This is required for resetting your password and making other important changes.
-->
</p>
<Button v-if="(!emailVerificationRequired || showEmailVerificationScreen) && !emailSent" text="Send email" variant="neutral" :callback="sendEmail"></Button>
</div>
<div v-else-if="emailSent">
<p>
An email has been sent and should arrive soon.
<br>
If you don't see it in your inbox, try checking the spam folder.
</p>
</div>
<div v-else> <div v-else>
<h3>This instance has disabled registration.</h3> <h3>This instance has disabled registration.</h3>
</div> </div>
<div> <div v-if="loggedIn">
Already have an account? <NuxtLink :href="loginUrl">Log in</NuxtLink>! <Button text="Log out" variant="scary" :callback="() => {}"></Button>
</div>
<div v-else>
Already have an account? <NuxtLink :href="loginUrl">Log in</NuxtLink>!
</div> </div>
</NuxtLayout> </NuxtLayout>
</template> </template>
<script lang="ts" setup> <script lang="ts" setup>
import type { StatsResponse } from '~/types/interfaces';
definePageMeta({ definePageMeta({
layout: "auth" layout: "auth"
}) });
const registrationEnabled = useState("registrationEnabled", () => true); const registrationEnabled = useState("registrationEnabled", () => true);
const emailVerificationRequired = useState("emailVerificationRequired", () => false);
const registrationSubmitted = ref(false);
const emailSent = ref(false);
const auth = useAuth();
const loggedIn = ref(await auth.getUser());
const query = new URLSearchParams(useRoute().query as Record<string, string>);
const user = await useAuth().getUser();
if (user?.email_verified) {
if (query.get("redirect_to")) {
await navigateTo(query.get("redirect_to"));
} else {
await navigateTo("/");
}
}
const showEmailVerificationScreen = query.get("special") == "verify_email";
console.log("show email verification screen?", showEmailVerificationScreen);
const { fetchInstanceStats, sendVerificationEmail } = useApi();
console.log("wah"); console.log("wah");
console.log("weoooo") console.log("weoooo")
const apiBase = useCookie("api_base"); const apiBase = useCookie("api_base");
console.log("apiBase:", apiBase.value); console.log("apiBase:", apiBase.value);
if (apiBase.value) { if (apiBase.value) {
const { status, data, error } = await useFetch<StatsResponse>(`${apiBase.value}/stats`); const stats = await fetchInstanceStats(apiBase.value);
if (status.value == "success" && data.value) { if (stats) {
registrationEnabled.value = data.value.registration_enabled; registrationEnabled.value = stats.registration_enabled;
console.log("set registration enabled value to:", data.value.registration_enabled); console.log("set registration enabled value to:", stats.registration_enabled);
emailVerificationRequired.value = stats.email_verification_required;
console.log("set email verification required value to:", stats.email_verification_required);
} }
} }
@ -90,8 +145,6 @@ const errorMessages = reactive({
*/ */
//const authStore = useAuthStore(); //const authStore = useAuthStore();
const auth = useAuth();
const query = useRoute().query as Record<string, string>;
const searchParams = new URLSearchParams(query); const searchParams = new URLSearchParams(query);
const loginUrl = `/login?${searchParams}` const loginUrl = `/login?${searchParams}`
@ -133,13 +186,22 @@ async function register(e: Event) {
console.log("Sending registration data"); console.log("Sending registration data");
try { try {
await auth.register(form.username, form.email, form.password); await auth.register(form.username, form.email, form.password);
return await navigateTo(query.redirect_to); if (!emailVerificationRequired.value) {
return await navigateTo(query.get("redirect_to"));
}
await sendVerificationEmail();
registrationSubmitted.value = true;
} catch (error) { } catch (error) {
console.error("Error registering:", error); console.error("Error registering:", error);
} }
//return navigateTo(redirectTo ? redirectTo as string : useAppConfig().baseURL as string); //return navigateTo(redirectTo ? redirectTo as string : useAppConfig().baseURL as string);
} }
async function sendEmail() {
await sendVerificationEmail();
emailSent.value = true;
}
</script> </script>
<style></style> <style></style>

View file

@ -26,11 +26,7 @@
<MessageArea :channel-url="channelUrlPath" /> <MessageArea :channel-url="channelUrlPath" />
<div id="members-container"> <div id="members-container">
<div id="members-list"> <div id="members-list">
<div class="member-item" v-for="member of members" tabindex="0"> <MemberEntry v-for="member of members" :member="member" tabindex="0"/>
<img v-if="member.user.avatar" class="member-avatar" :src="member.user.avatar" :alt="member.user.display_name ?? member.user.username" />
<Icon v-else class="member-avatar" name="lucide:user" />
<span class="member-display-name">{{ member.user.display_name ?? member.user.username }}</span>
</div>
</div> </div>
</div> </div>
</NuxtLayout> </NuxtLayout>
@ -50,7 +46,8 @@ const channel = ref<ChannelResponse | undefined>();
const showInvitePopup = ref(false); const showInvitePopup = ref(false);
import type { ChannelResponse, GuildResponse, MessageResponse } from "~/types/interfaces"; import UserPopup from "~/components/UserPopup.vue";
import type { ChannelResponse, GuildMemberResponse, GuildResponse, MessageResponse } from "~/types/interfaces";
//const servers = await fetchWithApi("/servers") as { uuid: string, name: string, description: string }[]; //const servers = await fetchWithApi("/servers") as { uuid: string, name: string, description: string }[];
//console.log("channelid: servers:", servers); //console.log("channelid: servers:", servers);
@ -78,47 +75,53 @@ function toggleInvitePopup(e: Event) {
e.preventDefault(); e.preventDefault();
showInvitePopup.value = !showInvitePopup.value; showInvitePopup.value = !showInvitePopup.value;
} }
function handleMemberClick(member: GuildMemberResponse) {
}
</script> </script>
<style> <style>
#middle-left-column { #middle-left-column {
padding-left: 1dvw; padding-left: .5em;
padding-right: 1dvw; padding-right: .5em;
border-right: 1px solid rgb(70, 70, 70); border-right: 1px solid var(--padding-color);
background: var(--optional-channel-list-background);
background-color: var(--sidebar-background-color);
} }
#members-container { #members-container {
padding-top: 1dvh; width: 15rem;
padding-left: 1dvw; border-left: 1px solid var(--padding-color);
padding-right: 1dvw; background: var(--optional-member-list-background);
border-left: 1px solid rgb(70, 70, 70);
} }
#members-list { #members-list {
display: flex; display: flex;
flex-direction: column; flex-direction: column;
overflow-x: hidden;
overflow-y: scroll; overflow-y: scroll;
padding-left: 1dvw; padding-left: 1.25em;
padding-right: 1dvw; padding-right: 1.25em;
margin-top: 1dvh; padding-top: 0.75em;
padding-bottom: 0.75em;
max-height: calc(100% - 0.75em * 2); /* 100% - top and bottom */
} }
.member-item { .member-item {
display: grid; display: flex;
grid-template-columns: 2dvw 1fr;
margin-top: .5em; margin-top: .5em;
margin-bottom: .5em; margin-bottom: .5em;
gap: 1em; gap: .5em;
align-items: center; align-items: center;
text-align: left; text-align: left;
cursor: pointer;
} }
#channels-list { #channels-list {
display: flex; display: flex;
flex-direction: column; flex-direction: column;
gap: 1dvh; gap: .5em;
} }
.member-avatar { .member-avatar {

View file

@ -2,8 +2,15 @@
<div id="settings-page-container"> <div id="settings-page-container">
<div id="settings-page"> <div id="settings-page">
<div id="sidebar"> <div id="sidebar">
<h4>(Search bar here)</h4>
<ul> <ul>
<p>
<span @click="$router.go(-1)">
<Icon class="back-button" size="2em" name="lucide:circle-arrow-left" alt="Back"></Icon>
</span>
</p>
<span class="spacer"></span>
<!-- categories and dynamic settings pages -->
<div v-for="category in categories" :key="category.displayName"> <div v-for="category in categories" :key="category.displayName">
<h2>{{ category.displayName }}</h2> <h2>{{ category.displayName }}</h2>
<li v-for="page in category.pages" :key="page.displayName" @click="selectCategory(page)" <li v-for="page in category.pages" :key="page.displayName" @click="selectCategory(page)"
@ -12,8 +19,22 @@
</li> </li>
<span class="spacer"></span> <span class="spacer"></span>
</div> </div>
<p>
<Button text="Log Out" :callback=logout variant="scary"></Button>
</p>
<span class="spacer"></span>
<Button text="Log Out" :callback=logout variant="scary"></Button> <p id="links-and-socials">
<NuxtLink href="https://git.gorb.app/gorb/frontend" title="Source"><Icon name="lucide:git-branch-plus" /></NuxtLink>
<NuxtLink href="https://docs.gorb.app" title="Backend Documentation"><Icon name="lucide:book-open-text" /></NuxtLink>
</p>
<p style="font-size: .8em; color: var(--secondary-text-color)">
Version Hash: {{ appConfig.public.gitHash }}
<br>
Build Time: {{ appConfig.public.buildTimeString }}
</p>
</ul> </ul>
</div> </div>
<div id="sub-page"> <div id="sub-page">
@ -25,9 +46,8 @@
<script lang="ts" setup> <script lang="ts" setup>
import Button from '~/components/Button.vue';
const { logout } = useAuth() const { logout } = useAuth()
const appConfig = useRuntimeConfig()
interface Page { interface Page {
displayName: string; displayName: string;
@ -39,6 +59,7 @@ interface Category {
pages: Page[]; pages: Page[];
} }
import Profile from '~/components/Settings/UserSettings/Profile.vue';
import Account from '~/components/Settings/UserSettings/Account.vue'; import Account from '~/components/Settings/UserSettings/Account.vue';
import Privacy from '~/components/Settings/UserSettings/Privacy.vue'; import Privacy from '~/components/Settings/UserSettings/Privacy.vue';
import Devices from '~/components/Settings/UserSettings/Devices.vue'; import Devices from '~/components/Settings/UserSettings/Devices.vue';
@ -53,7 +74,8 @@ const settingsCategories = {
userSettings: { userSettings: {
displayName: "User Settings", displayName: "User Settings",
pages: [ pages: [
{ displayName: "My Account", pageData: Account }, { displayName: "Profile", pageData: Profile },
{ displayName: "Account", pageData: Account },
{ displayName: "Privacy", pageData: Privacy }, { displayName: "Privacy", pageData: Privacy },
{ displayName: "Devices", pageData: Devices }, { displayName: "Devices", pageData: Devices },
{ displayName: "Connections", pageData: Connections }, { displayName: "Connections", pageData: Connections },
@ -80,6 +102,16 @@ function selectCategory(page: Page) {
selectedPage.value = page.displayName; selectedPage.value = page.displayName;
}; };
// redirects to you privacy if you go to settings#privacy
onMounted(() => {
const hash = window.location.hash.substring(1).toLowerCase();
const foundPage = categories.flatMap(category => category.pages).find(page => page.displayName.toLowerCase() === hash);
if (foundPage) {
currentPage.value = foundPage;
selectedPage.value = foundPage.displayName;
}
});
</script> </script>
<style scoped> <style scoped>
@ -98,10 +130,11 @@ function selectCategory(page: Page) {
#sidebar { #sidebar {
min-width: 25dvw; min-width: 25dvw;
max-width: 25dvw; max-width: 25dvw;
background-color: #2f3136; background: var(--optional-channel-list-background);
color: white; background-color: var(--sidebar-background-color);
color: var(--text-color);
padding: 1dvh 1dvw; padding: 1dvh 1dvw;
margin-left: auto; margin-left: 0;
overflow-y: auto; overflow-y: auto;
height: 100vh; height: 100vh;
@ -126,12 +159,16 @@ function selectCategory(page: Page) {
transition: background-color 0.3s; transition: background-color 0.3s;
} }
#sidebar p {
margin: 2dvh 0.8dvw;
}
.sidebar-focus { .sidebar-focus {
background-color: #383B41; background-color: var(--sidebar-highlighted-background-color);
} }
#sidebar li:hover { #sidebar li:hover {
background-color: #40444b; background-color: var(--sidebar-highlighted-background-color);
} }
#sub-page { #sub-page {
@ -145,15 +182,32 @@ function selectCategory(page: Page) {
height: 100vh; height: 100vh;
} }
.back-button {
cursor: pointer;
color: var(--primary-color);
transition: color 100ms;
}
.back-button:hover{
color: var(--primary-highlighted-color);
}
#links-and-socials * {
margin-right: 0.2em;
}
.spacer { .spacer {
height: 0.2dvh; height: 0.2dvh;
display: block; display: block;
margin: 0.8dvh 1dvw; margin: 0.8dvh 1dvw;
background-color: #2c2e32; background-color: var(--padding-color);
} }
/* applies to child pages too */ /* applies to child pages too */
:deep(h5) { :deep(.subtitle) {
color: red; display: block;
font-size: 0.8em;
font-weight: 800;
margin: 4dvh 0 0.5dvh 0.25dvw;
} }
</style> </style>

View file

@ -15,6 +15,12 @@ const token = useRoute().query.token;
try { try {
const res = await fetchWithApi("/auth/verify-email", { query: { token } }); const res = await fetchWithApi("/auth/verify-email", { query: { token } });
console.log("hi"); console.log("hi");
const query = useRoute().query;
if (query.redirect_to) {
await navigateTo(`/?redirect_to=${query.redirect_to}`);
} else {
await navigateTo("/");
}
} catch (error) { } catch (error) {
console.error("Error verifying email:", error); console.error("Error verifying email:", error);
errorMessage.value = error; errorMessage.value = error;

110
pnpm-lock.yaml generated
View file

@ -20,6 +20,9 @@ importers:
'@pinia/nuxt': '@pinia/nuxt':
specifier: 0.11.0 specifier: 0.11.0
version: 0.11.0(magicast@0.3.5)(pinia@3.0.2(typescript@5.8.3)(vue@3.5.13(typescript@5.8.3))) version: 0.11.0(magicast@0.3.5)(pinia@3.0.2(typescript@5.8.3)(vue@3.5.13(typescript@5.8.3)))
cropperjs:
specifier: ^2.0.0
version: 2.0.0
dompurify: dompurify:
specifier: ^3.2.6 specifier: ^3.2.6
version: 3.2.6 version: 3.2.6
@ -205,6 +208,39 @@ packages:
resolution: {integrity: sha512-Ir+AOibqzrIsL6ajt3Rz3LskB7OiMVHqltZmspbW/TJuTVuyOMirVqAkjfY6JISiLHgyNqicAC8AyHHGzNd/dA==} resolution: {integrity: sha512-Ir+AOibqzrIsL6ajt3Rz3LskB7OiMVHqltZmspbW/TJuTVuyOMirVqAkjfY6JISiLHgyNqicAC8AyHHGzNd/dA==}
engines: {node: '>=0.1.90'} engines: {node: '>=0.1.90'}
'@cropper/element-canvas@2.0.0':
resolution: {integrity: sha512-GPtGJgSm92crJhhhwUsaMw3rz2KfJWWSz7kRAlufFEV/EHTP5+6r6/Z1BCGRna830i+Avqbm435XLOtA7PVJwA==}
'@cropper/element-crosshair@2.0.0':
resolution: {integrity: sha512-KfPfyrdeFvUC31Ws7ATtcalWWSaMtrC6bMoCipZhqbUOE7wZoL4ecDSL6BUOZxPa74awZUqfzirCDjHvheBfyw==}
'@cropper/element-grid@2.0.0':
resolution: {integrity: sha512-i78SQ0IJTLFveKX6P7svkfMYVdgHrQ8ZmmEw8keFy9n1ZVbK+SK0UHK5FNMRNI/gtVhKJOGEnK/zeyjUdj4Iyw==}
'@cropper/element-handle@2.0.0':
resolution: {integrity: sha512-ZJvW+0MkK9E8xYymGdoruaQn2kwjSHFpNSWinjyq6csuVQiCPxlX5ovAEDldmZ9MWePPtWEi3vLKQOo2Yb0T8g==}
'@cropper/element-image@2.0.0':
resolution: {integrity: sha512-9BxiTS/aHRmrjopaFQb9mQQXmx4ruhYHGkDZMVz24AXpMFjUY6OpqrWse/WjzD9tfhMFvEdu17b3VAekcAgpeg==}
'@cropper/element-selection@2.0.0':
resolution: {integrity: sha512-ensNnbIfJsJ8bhbJTH/RXtk2URFvTOO4TvfRk461n2FPEC588D7rwBmUJxQg74IiTi4y1JbCI+6j+4LyzYBLCQ==}
'@cropper/element-shade@2.0.0':
resolution: {integrity: sha512-jv/2bbNZnhU4W+T4G0c8ADocLIZvQFTXgCf2RFDNhI5UVxurzWBnDdb8Mx8LnVplnkTqO+xUmHZYve0CwgWo+Q==}
'@cropper/element-viewer@2.0.0':
resolution: {integrity: sha512-zY+3VRN5TvpM8twlphYtXw0tzJL2VgzeK7ufhL1BixVqOdRxwP13TprYIhqwGt9EW/SyJZUiaIu396T89kRX8A==}
'@cropper/element@2.0.0':
resolution: {integrity: sha512-lsthn0nQq73GExUE7Mg/ss6Q3RXADGDv055hxoLFwvl/wGHgy6ZkYlfLZ/VmgBHC6jDK5IgPBFnqrPqlXWSGBA==}
'@cropper/elements@2.0.0':
resolution: {integrity: sha512-PQkPo1nUjxLFUQuHYu+6atfHxpX9B41Xribao6wpvmvmNIFML6LQdNqqWYb6LyM7ujsu71CZdBiMT5oetjJVoQ==}
'@cropper/utils@2.0.0':
resolution: {integrity: sha512-cprLYr+7kK3faGgoOsTW9gIn5sefDr2KwOmgyjzIXk+8PLpW8FgFKEg5FoWfRD5zMAmkCBuX6rGKDK3VdUEGrg==}
'@dabh/diagnostics@2.0.3': '@dabh/diagnostics@2.0.3':
resolution: {integrity: sha512-hrlQOIi7hAfzsMqlGSFyVucrx38O+j6wiGOf//H2ecvIEqYN4ADBSS2iLMh5UFyDunCNniUIPk/q3riFv45xRA==} resolution: {integrity: sha512-hrlQOIi7hAfzsMqlGSFyVucrx38O+j6wiGOf//H2ecvIEqYN4ADBSS2iLMh5UFyDunCNniUIPk/q3riFv45xRA==}
@ -1900,6 +1936,9 @@ packages:
resolution: {integrity: sha512-onMB0OkDjkXunhdW9htFjEhqrD54+M94i6ackoUkjHKbRnXdyEyKRelp4nJ1kAz32+s27jP1FsebpJCVl0BsvA==} resolution: {integrity: sha512-onMB0OkDjkXunhdW9htFjEhqrD54+M94i6ackoUkjHKbRnXdyEyKRelp4nJ1kAz32+s27jP1FsebpJCVl0BsvA==}
engines: {node: '>=18.0'} engines: {node: '>=18.0'}
cropperjs@2.0.0:
resolution: {integrity: sha512-TO2j0Qre01kPHbow4FuTrbdEB4jTmGRySxW49jyEIqlJZuEBfrvCTT0vC3eRB2WBXudDfKi1Onako6DKWKxeAQ==}
cross-spawn@7.0.6: cross-spawn@7.0.6:
resolution: {integrity: sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==} resolution: {integrity: sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==}
engines: {node: '>= 8'} engines: {node: '>= 8'}
@ -4965,6 +5004,72 @@ snapshots:
'@colors/colors@1.6.0': {} '@colors/colors@1.6.0': {}
'@cropper/element-canvas@2.0.0':
dependencies:
'@cropper/element': 2.0.0
'@cropper/utils': 2.0.0
'@cropper/element-crosshair@2.0.0':
dependencies:
'@cropper/element': 2.0.0
'@cropper/utils': 2.0.0
'@cropper/element-grid@2.0.0':
dependencies:
'@cropper/element': 2.0.0
'@cropper/utils': 2.0.0
'@cropper/element-handle@2.0.0':
dependencies:
'@cropper/element': 2.0.0
'@cropper/utils': 2.0.0
'@cropper/element-image@2.0.0':
dependencies:
'@cropper/element': 2.0.0
'@cropper/element-canvas': 2.0.0
'@cropper/utils': 2.0.0
'@cropper/element-selection@2.0.0':
dependencies:
'@cropper/element': 2.0.0
'@cropper/element-canvas': 2.0.0
'@cropper/element-image': 2.0.0
'@cropper/utils': 2.0.0
'@cropper/element-shade@2.0.0':
dependencies:
'@cropper/element': 2.0.0
'@cropper/element-canvas': 2.0.0
'@cropper/element-selection': 2.0.0
'@cropper/utils': 2.0.0
'@cropper/element-viewer@2.0.0':
dependencies:
'@cropper/element': 2.0.0
'@cropper/element-canvas': 2.0.0
'@cropper/element-image': 2.0.0
'@cropper/element-selection': 2.0.0
'@cropper/utils': 2.0.0
'@cropper/element@2.0.0':
dependencies:
'@cropper/utils': 2.0.0
'@cropper/elements@2.0.0':
dependencies:
'@cropper/element': 2.0.0
'@cropper/element-canvas': 2.0.0
'@cropper/element-crosshair': 2.0.0
'@cropper/element-grid': 2.0.0
'@cropper/element-handle': 2.0.0
'@cropper/element-image': 2.0.0
'@cropper/element-selection': 2.0.0
'@cropper/element-shade': 2.0.0
'@cropper/element-viewer': 2.0.0
'@cropper/utils@2.0.0': {}
'@dabh/diagnostics@2.0.3': '@dabh/diagnostics@2.0.3':
dependencies: dependencies:
colorspace: 1.1.4 colorspace: 1.1.4
@ -6895,6 +7000,11 @@ snapshots:
croner@9.0.0: {} croner@9.0.0: {}
cropperjs@2.0.0:
dependencies:
'@cropper/elements': 2.0.0
'@cropper/utils': 2.0.0
cross-spawn@7.0.6: cross-spawn@7.0.6:
dependencies: dependencies:
path-key: 3.1.1 path-key: 3.1.1

121
public/icon.svg Normal file
View file

@ -0,0 +1,121 @@
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!-- Created with Inkscape (http://www.inkscape.org/) -->
<svg
width="512"
height="512"
viewBox="0 0 512 512"
version="1.1"
id="svg1"
inkscape:version="1.4.2 (ebf0e940d0, 2025-05-08)"
sodipodi:docname="drawing.svg"
xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
xmlns="http://www.w3.org/2000/svg"
xmlns:svg="http://www.w3.org/2000/svg">
<sodipodi:namedview
id="namedview1"
pagecolor="#ffffff"
bordercolor="#000000"
borderopacity="0.25"
inkscape:showpageshadow="2"
inkscape:pageopacity="0.0"
inkscape:pagecheckerboard="0"
inkscape:deskcolor="#d1d1d1"
inkscape:document-units="px"
inkscape:zoom="0.35399828"
inkscape:cx="2.8248725"
inkscape:cy="731.64198"
inkscape:window-width="1440"
inkscape:window-height="863"
inkscape:window-x="0"
inkscape:window-y="0"
inkscape:window-maximized="1"
inkscape:current-layer="layer1" />
<defs
id="defs1" />
<g
inkscape:label="Layer 1"
inkscape:groupmode="layer"
id="layer1"
transform="matrix(0.93746412,0,0,0.93746412,18.749279,18.749282)">
<g
id="g1543"
style="display:inline"
transform="matrix(3.7794744,0,0,3.7794744,-150.52528,-298.33565)">
<circle
style="fill:#000000;stroke-width:0.264583"
id="path60"
cx="106.78797"
cy="145.89536"
r="72.25267" />
<circle
style="fill:#f4741f;fill-opacity:1;stroke-width:0.257596"
id="path899"
cx="106.78797"
cy="145.89536"
r="65.485863" />
</g>
<g
id="g1460-1"
transform="matrix(4.1481001,0,0,4.1481002,45.149918,-354.52402)"
style="display:inline">
<circle
style="fill:#000000;fill-opacity:1;stroke-width:0.29496"
id="path1129-3"
cx="78.140816"
cy="136.65092"
r="17.372646" />
<circle
style="fill:#f4741f;fill-opacity:1;stroke-width:0.294225"
id="path1354-0"
cx="86.078323"
cy="136.65092"
r="11.576728" />
</g>
<g
id="g1460-1-3"
transform="matrix(4.1481001,0,0,4.1481002,-187.26754,-354.52402)"
style="display:inline">
<circle
style="fill:#000000;fill-opacity:1;stroke-width:0.29496"
id="path1129-3-4"
cx="78.140816"
cy="136.65092"
r="17.372646" />
<circle
style="fill:#f4741f;fill-opacity:1;stroke-width:0.294225"
id="path1354-0-6"
cx="86.078323"
cy="136.65092"
r="11.576728" />
</g>
<g
id="g3530"
transform="matrix(3.7794744,0,0,3.7794744,-150.52528,-294.3357)">
<path
style="fill:none;stroke:#000000;stroke-width:7;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="m 106.78797,168.1205 c 0,0 -17.461156,15.02392 -28.153795,0.49121"
id="path1817" />
<path
style="fill:none;stroke:#000000;stroke-width:7;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="m 106.78797,168.1205 c 0,0 17.46116,15.02392 28.15379,0.49121"
id="path1817-6" />
<path
style="fill:none;stroke:#000000;stroke-width:7;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="m 106.78797,168.1205 -5.74494,-9.7603"
id="path2191"
sodipodi:nodetypes="cc" />
<path
style="fill:none;stroke:#000000;stroke-width:7;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="m 106.78797,168.1205 5.74494,-9.7603"
id="path2191-6"
sodipodi:nodetypes="cc" />
<path
style="fill:none;stroke:#000000;stroke-width:7;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="m 101.04303,158.3602 h 11.48988"
id="path2675"
sodipodi:nodetypes="cc" />
</g>
</g>
</svg>

After

Width:  |  Height:  |  Size: 4.2 KiB

20
public/themes/ash.css Normal file
View file

@ -0,0 +1,20 @@
:root {
--text-color: #f0e5e0;
--secondary-text-color: #e8e0db;
--chat-background-color: #2f2e2d;
--chat-highlighted-background-color: #3f3b38;
--sidebar-background-color: #3e3a37;
--sidebar-highlighted-background-color: #46423b;
--topbar-background-color: #3a3733;
--chatbox-background-color: #3a3733;
--padding-color: #e0e0e0;
--primary-color: #f07028;
--primary-highlighted-color: #f28f4b;
--secondary-color: #683820;
--secondary-highlighted-color: #885830;
--accent-color: #a04b24;
--accent-highlighted-color: #b86038;
}

6
public/themes/ash.json Normal file
View file

@ -0,0 +1,6 @@
{
"displayName": "Ash",
"previewGradient": "45deg, #2f2e2d, #46423b",
"complementaryColor": "white",
"themeUrl": "ash.css"
}

20
public/themes/dark.css Normal file
View file

@ -0,0 +1,20 @@
:root {
--text-color: #f7eee8;
--secondary-text-color: #f0e8e4;
--chat-background-color: #1f1e1d;
--chat-highlighted-background-color: #2f2b28;
--sidebar-background-color: #2e2a27;
--sidebar-highlighted-background-color: #36322b;
--topbar-background-color: #2a2723;
--chatbox-background-color: #1a1713;
--padding-color: #484848;
--primary-color: #f4741f;
--primary-highlighted-color: #f68a3f;
--secondary-color: #7c4018;
--secondary-highlighted-color: #8f5b2c;
--accent-color: #b35719;
--accent-highlighted-color: #c76a2e;
}

6
public/themes/dark.json Normal file
View file

@ -0,0 +1,6 @@
{
"displayName": "Dark",
"previewGradient": "45deg, #1f1e1d, #36322b",
"complementaryColor": "white",
"themeUrl": "dark.css"
}

View file

@ -0,0 +1,29 @@
/* this is not a real theme, but rather a template for themes */
:root {
--text-color: #161518;
--secondary-text-color: #2b2930;
--chat-background-color: #80808000;
--chat-highlighted-background-color: #ffffff20;
--sidebar-background-color: #80808000;
--sidebar-highlighted-background-color: #ffffff20;
--topbar-background-color: #80808000;
--chatbox-background-color: #80808000;
--padding-color: #80808000;
--primary-color: #21b1ff80;
--primary-highlighted-color: #18a0df80;
--secondary-color: #ffd80080;
--secondary-highlighted-color: #dfb80080;
--accent-color: #ff218c80;
--accent-highlighted-color: #df1b6f80;
--optional-body-background: ; /* background element for the body */
--optional-chat-background: ; /* background element for the chat box */
--optional-topbar-background: ; /* background element for the topbar */
--optional-sidebar-background: ; /* background element for left server sidebar */
--optional-channel-list-background: ; /* background element for channel list and settings list */
--optional-member-list-background: ; /* background element for member list */
--optional-message-box-background: ; /* background element for message box */
}

20
public/themes/light.css Normal file
View file

@ -0,0 +1,20 @@
:root {
--text-color: #170f08;
--secondary-text-color: #2f2b28;
--chat-background-color: #f0ebe8;
--chat-highlighted-background-color: #e8e4e0;
--sidebar-background-color: #dbd8d4;
--sidebar-highlighted-background-color: #d4d0ca;
--topbar-background-color: #dfdbd6;
--chatbox-background-color: #dfdbd6;
--padding-color: #484848;
--primary-color: #df5f0b;
--primary-highlighted-color: #ef6812;
--secondary-color: #e8ac84;
--secondary-highlighted-color: #f8b68a;
--accent-color: #e68b4e;
--accent-highlighted-color: #f69254;
}

6
public/themes/light.json Normal file
View file

@ -0,0 +1,6 @@
{
"displayName": "Light",
"previewGradient": "45deg, #f0ebe8, #d4d0ca",
"complementaryColor": "black",
"themeUrl": "light.css"
}

View file

@ -0,0 +1,28 @@
:root {
--text-color: #161518;
--secondary-text-color: #2b2930;
--chat-background-color: #80808000;
--chat-highlighted-background-color: #ffffff20;
--sidebar-background-color: #80808000;
--sidebar-highlighted-background-color: #ffffff20;
--topbar-background-color: #80808000;
--chatbox-background-color: #80808040;
--padding-color: #80808000;
--primary-color: #21b1ff80;
--primary-highlighted-color: #18a0df80;
--secondary-color: #ffd80080;
--secondary-highlighted-color: #dfb80080;
--accent-color: #ff218c80;
--accent-highlighted-color: #df1b6f80;
/* --optional-body-background: background */
--optional-body-background: linear-gradient(45deg, #ed222480, #ed222480, #ed222480, #ed222480, #ed222480, #ed222480, #f35b2280, #f9962180, #f5c11e80, #f1eb1b80, #f1eb1b80, #f1eb1b80, #63c72080, #0c9b4980, #21878d80, #3954a580, #61379b80, #93288e80);
--optional-topbar-background: linear-gradient(-12.5deg, cyan, pink, white, pink, cyan);
--optional-sidebar-background: linear-gradient(90deg, #55cdfcd0, #f7a8b8d0, #ffffffd0, #f7a8b8d0, #55cdfcd0);
--optional-channel-list-background: linear-gradient(82deg, #d52c00b0, #e29688b0, #ffffffb0, #d27fa4b0, #a20062b0);
--optional-member-list-background: linear-gradient(3deg, #ff0080, #c8259d, #8c4799, #442e9f, #0032a0);
--optional-message-box-background: linear-gradient(3deg, #ff0080, #c8259d, #8c4799, #442e9f, #0032a0);
}

View file

@ -0,0 +1,6 @@
{
"displayName": "Woke",
"previewGradient": "45deg, #ed2224, #ed2224, #f35b22, #f99621, #f5c11e, #f1eb1b 27%, #f1eb1b, #f1eb1b 33%, #63c720, #0c9b49, #21878d, #3954a5, #61379b, #93288e, #93288e",
"complementaryColor": "white",
"themeUrl": "rainbow-capitalism.css"
}

View file

@ -62,7 +62,7 @@ export interface UserResponse {
about: string | null, about: string | null,
email?: string, email?: string,
email_verified?: boolean email_verified?: boolean
} }
export interface StatsResponse { export interface StatsResponse {
accounts: number, accounts: number,