diff --git a/README.md b/README.md index ec869d0..dbab72d 100644 --- a/README.md +++ b/README.md @@ -1,11 +1,9 @@ # stereo.cat frontend -written in typescript with qwik & bun +written in typescript with qwik -## development -https://bun.sh/docs/installation - -```bash +## running in dev env +``` git clone https://git.iwakura.rip/stereo.cat/frontend.git git submodule update --init --recursive bun install @@ -13,5 +11,4 @@ bun dev ``` ## disclaimer - All graphic assets belonging to stereo.cat may not be used in unofficial instances, forks or versions of our software. Please replace them if you are hosting our software yourself, they can be found in the ``public`` folder in this repository. More information (like the full license) can be found [here](https://git.iwakura.rip/stereo.cat/public) diff --git a/src/components/dashboard/Controlbar.tsx b/src/components/dashboard/Controlbar.tsx new file mode 100644 index 0000000..45310c1 --- /dev/null +++ b/src/components/dashboard/Controlbar.tsx @@ -0,0 +1,88 @@ +import { $, component$, noSerialize, NoSerialize, useSignal, useVisibleTask$ } from "@builder.io/qwik"; +import { useNanostore$ } from "~/hooks/nanostores"; +import { api } from "~/lib/api"; +import { areFilesLoaded, dashboardFiles } from "~/lib/stores"; +import { StereoFile } from "~/lib/types"; +import { SolarUploadLinear, SvgSpinnersBarsRotateFade } from "../misc/Icons"; +import StereoLogo from "../misc/StereoLogo"; + +export default component$(() => { + const loaded = useNanostore$(areFilesLoaded); + const files = useNanostore$(dashboardFiles); + const fileInputRef = useSignal(); + const uploadingFiles = useSignal | undefined>(); + const now = useSignal(new Date()); + + useVisibleTask$(() => { + const interval = setInterval(() => { + now.value = new Date(); + }, 500); + return () => clearInterval(interval); + }); + + const uploadFiles = $(async () => { + if (!uploadingFiles.value) { + console.error("No file(s) selected for upload."); + return; + } + + try { + const ufiles = uploadingFiles.value as File[]; + + for (const file of ufiles) { + const name = file.name.replace(/[^a-zA-Z0-9_.-]/g, "_"); + const f = new File([file], name, { type: file.type }); + + await api.upload(f); + } + + files.value = await api.list(); + } catch (error) { + console.error("Error uploading file:", error); + } + }) + return ( +
+ { + uploadingFiles.value = noSerialize(Object.values((e.target as HTMLInputElement).files || {})); + await uploadFiles(); + }} + multiple + /> + +
+ {/* TODO: replace this button with a modal with options like settings log out etc */} + + +

|

+ + +
+

{now.value.toLocaleTimeString()}

+
+ ) +}) \ No newline at end of file diff --git a/src/components/dashboard/File.tsx b/src/components/dashboard/File.tsx new file mode 100644 index 0000000..50c1e02 --- /dev/null +++ b/src/components/dashboard/File.tsx @@ -0,0 +1,199 @@ +import { $, component$, Signal, useSignal, useTask$ } from "@builder.io/qwik"; +import { useNanostore$ } from "~/hooks/nanostores"; +import { api } from "~/lib/api"; +import { dashboardFiles } from "~/lib/stores"; +import { StereoFile } from "~/lib/types"; +import { SolarClipboardAddBold, SolarDownloadMinimalisticBold, SolarTrashBin2Bold } from "../misc/Icons"; + +type FileProps = { + file: StereoFile; +} + +const formatSize = (bytes: number) => { + if (bytes < 1024) return `${bytes} B`; + if (bytes < 1024 * 1024) return `${(bytes / 1024).toFixed(1)} KB`; + if (bytes < 1024 * 1024 * 1024) return `${(bytes / (1024 * 1024)).toFixed(1)} MB`; + return `${(bytes / (1024 * 1024 * 1024)).toFixed(1)} GB`; +} + +export default component$(({ file }: FileProps) => { + const files = useNanostore$(dashboardFiles); + + const deleteFile = $(async (id: string) => { + if (!confirm("Are you sure you want to delete this file?")) return; + await api.delete(id); + files.value = await api.list(); + }); + + const addFileToClipboard = $(async () => { + const response = await api.file(file.Name); + const data = await response.blob(); + let mime = data.type || "application/octet-stream"; + let clip; + + if (navigator.clipboard && window.ClipboardItem) { + if (mime === "image/jpeg" || mime === "image/jpg") { + const img = document.createElement("img"); + img.src = URL.createObjectURL(data); + await new Promise((res) => (img.onload = res)); + const canvas = document.createElement("canvas"); + canvas.width = img.width; + canvas.height = img.height; + const ctx = canvas.getContext("2d"); + ctx?.drawImage(img, 0, 0); + const png = await new Promise((resolve) => + canvas.toBlob((b) => resolve(b!), "image/png") + ); + mime = "image/png"; + clip = new ClipboardItem({ [mime]: png }); + } else { + clip = new ClipboardItem({ [mime]: data }); + } + + try { + await navigator.clipboard.write([clip]); + alert("File added to clipboard successfully!"); + } catch (error) { + console.error("Failed to add file to clipboard:", error); + alert("Failed to add file to clipboard. Please try again."); + } + } else { + alert("Clipboard API not supported in this browser."); + } + }); + + return ( +
+
+ +
+ +
+
+ + +
+ +
+
+

+ { file.Name || "Untitled" } +

+
+ { formatSize(file.Size) } + + Uploaded on { new Date(file.CreatedAt).toLocaleDateString() } +
+
+
+
+ ) +}) + +const FilePreview = component$(({ file }: FileProps) => { + type FileType = + | "image" + | "video" + | "audio" + | "other"; + + const type: Signal = useSignal("other"); + const extension = file.Name.split('.').pop()?.toLowerCase() || ""; + + useTask$(async () => { + if ( + ["png", "jpg", "jpeg", "gif"] + .includes(extension)) type.value = "image"; + + else if ( + ["mp4", "webm", "ogg", "avi", "mov", "mkv"] + .includes(extension)) type.value = "video"; + else if ( + ["mp3", "wav", "ogg", "flac", "aac"] + .includes(extension)) type.value = "audio"; + + else type.value = "other"; + }); + + switch (type.value) { + case "image": + return ( +
+ {file.Name} +
+ ); + case "video": + return ( +
+ +
+ ); + case "audio": + return ( +
+ +
+ ); + case "other": + default: + return ( +
+

+ Preview not available +

+
+ ); + } +}); \ No newline at end of file diff --git a/src/components/dashboard/OSBar.tsx b/src/components/dashboard/OSBar.tsx deleted file mode 100644 index 47206ac..0000000 --- a/src/components/dashboard/OSBar.tsx +++ /dev/null @@ -1,45 +0,0 @@ -import { component$ } from "@builder.io/qwik"; -import { SolarLibraryLinear, SolarQuestionCircleLinear, SolarRoundedMagniferLinear, SolarSettingsLinear, SolarUploadMinimalisticLinear, StereoCircularProgress, StereoLogoLinear } from "../misc/Icons"; - -export default component$(() => { - const used = 3.8; - const total = 15; - return ( -
-
- -

{used} / {total} GB

-
- -
- - - - - -
- -
- -
-
- ) -}) \ No newline at end of file diff --git a/src/components/dashboard/TitleBar.tsx b/src/components/dashboard/TitleBar.tsx deleted file mode 100644 index c26af60..0000000 --- a/src/components/dashboard/TitleBar.tsx +++ /dev/null @@ -1,45 +0,0 @@ -import { component$, useTask$ } from "@builder.io/qwik"; -import { useNanostore$ } from "~/hooks/nanostores"; -import { userInfo } from "~/lib/stores"; -import { StereoUser } from "~/lib/types"; - -export default component$(() => { - const greetings = [ - "what's on the agenda today, |?", - "what's on your mind, |?", - "what's the plan, |?", - "ready to rock, |?", - "what's brewing, |?", - "what's the latest, |?", - "how's your day going, |?", - "need some inspiration, |?", - "let's make some noise, |!", - "welcome back, |!", - "good to see you, |!", - "what are we making today, |?", - "time to make some magic, |!", - "let's get creative, |?", - "what's the vibe today, |?", - ] - - const greeting = greetings[Math.floor(Math.random() * greetings.length)]; - const user = useNanostore$(userInfo); - - const splits = greeting.split("|"); - - useTask$(({ track }) => { - track(() => user.value); - }) - - return ( -
-

- {splits[0]} - - @{user.value?.username || "..."} - - {splits[1]} -

-
- ) -}) \ No newline at end of file diff --git a/src/components/landing/Footer.tsx b/src/components/landing/Footer.tsx index 363619f..16fef9d 100644 --- a/src/components/landing/Footer.tsx +++ b/src/components/landing/Footer.tsx @@ -1,5 +1,5 @@ import { component$ } from "@builder.io/qwik"; -import { StereoLogoBold } from "../misc/Icons"; +import StereoLogo from "../misc/StereoLogo"; export default component$(() => { return ( @@ -7,7 +7,7 @@ export default component$(() => {
- + stereo.cat diff --git a/src/components/landing/Navbar.tsx b/src/components/landing/Navbar.tsx index 4e23a25..85fb716 100644 --- a/src/components/landing/Navbar.tsx +++ b/src/components/landing/Navbar.tsx @@ -1,5 +1,5 @@ import { component$ } from "@builder.io/qwik"; -import { StereoLogoBold } from "../misc/Icons"; +import StereoLogo from "../misc/StereoLogo"; export default component$(() => { const items = [ @@ -17,7 +17,7 @@ export default component$(() => { data-aos-duration="1000" class="fixed flex items-center justify-start top-6 left-1/2 transform -translate-x-1/2 bg-neutral-950 p-8 h-10 rounded-full lg:w-2/3 md:w-4/5 w-4/5 z-[9999999] shadow-lg">
- +

diff --git a/src/components/misc/Icons.tsx b/src/components/misc/Icons.tsx index 6718fbe..5500ae1 100644 --- a/src/components/misc/Icons.tsx +++ b/src/components/misc/Icons.tsx @@ -1,7 +1,5 @@ import { QwikIntrinsicElements } from "@builder.io/qwik"; -// Solar - https://icones.js.org/collection/solar - export function SolarUploadLinear(props: QwikIntrinsicElements['svg'], key: string) { return ( @@ -28,6 +26,7 @@ export function SolarLinkRoundBold(props: QwikIntrinsicElements['svg'], key: str ) } + export function SolarDownloadMinimalisticBold(props: QwikIntrinsicElements['svg'], key: string) { return ( @@ -37,93 +36,4 @@ export function SvgSpinnersBarsRotateFade(props: QwikIntrinsicElements['svg'], k return ( ) -} - -export function SolarLibraryLinear(props: QwikIntrinsicElements['svg'], key: string) { - return ( - - ) -} - -export function SolarUploadMinimalisticLinear(props: QwikIntrinsicElements['svg'], key: string) { - return ( - - ) -} - - -export function SolarRoundedMagniferLinear(props: QwikIntrinsicElements['svg'], key: string) { - return ( - - ) -} - - -export function SolarSettingsLinear(props: QwikIntrinsicElements['svg'], key: string) { - return ( - - ) -} - - -export function SolarQuestionCircleLinear(props: QwikIntrinsicElements['svg'], key: string) { - return ( - - ) -} - -// Stereo - -export function StereoLogoBold(props: QwikIntrinsicElements['svg'], key: string) { - return ( - - ) -} - -export function StereoLogoLinear(props: QwikIntrinsicElements['svg'], key: string) { - return ( - - ) -} - -export function StereoCircularProgress( - { value, ...svgProps }: QwikIntrinsicElements['svg'] & { value: number }, - key: string -) { - const radius = 10; - const circumference = 2 * Math.PI * radius; - const dashOffset = circumference * (1 - value); - - return ( - - - - - ); } \ No newline at end of file diff --git a/src/components/misc/StereoLogo.tsx b/src/components/misc/StereoLogo.tsx new file mode 100644 index 0000000..892ea95 --- /dev/null +++ b/src/components/misc/StereoLogo.tsx @@ -0,0 +1,9 @@ +import { component$, QwikIntrinsicElements } from "@builder.io/qwik"; + +export default component$((props: QwikIntrinsicElements['svg']) => { + return ( + + + + ) +}) \ No newline at end of file diff --git a/src/lib/api.ts b/src/lib/api.ts index bc5c2e6..c75a9b8 100644 --- a/src/lib/api.ts +++ b/src/lib/api.ts @@ -15,5 +15,4 @@ export const api = { return await client.post('upload', { body: formData }); }, delete: async (uid: string) => await client.delete(uid).json(), - me: async () => (await client.get('auth/me').json() as any).user, } \ No newline at end of file diff --git a/src/lib/stores.ts b/src/lib/stores.ts index ab97728..444b668 100644 --- a/src/lib/stores.ts +++ b/src/lib/stores.ts @@ -1,12 +1,5 @@ import { atom } from "nanostores"; -import { StereoFile, StereoUser } from "./types"; +import { StereoFile } from "./types"; export const areFilesLoaded = atom(false); -export const dashboardFiles = atom([]); -export const userInfo = atom({ - id: "1", - username: "user", - blacklisted: false, - email: "user@example.com", - created_at: Date.now().toString(), -}); \ No newline at end of file +export const dashboardFiles = atom([]); \ No newline at end of file diff --git a/src/lib/types.ts b/src/lib/types.ts index 72bec61..861bacc 100644 --- a/src/lib/types.ts +++ b/src/lib/types.ts @@ -5,12 +5,4 @@ export type StereoFile = { Size: number; CreatedAt: string; Mime: string; -} - -export type StereoUser = { - id: string; - username: string; - blacklisted: boolean; - email: string; - created_at: string; } \ No newline at end of file diff --git a/src/routes/dashboard/index.tsx b/src/routes/dashboard/index.tsx index d2a0f3d..98a3864 100644 --- a/src/routes/dashboard/index.tsx +++ b/src/routes/dashboard/index.tsx @@ -1,18 +1,18 @@ -import { component$, Signal, useSignal, useTask$, useVisibleTask$ } from "@builder.io/qwik"; +import { component$, useVisibleTask$ } from "@builder.io/qwik"; import { routeLoader$, type DocumentHead } from "@builder.io/qwik-city"; -import OSBar from "~/components/dashboard/OSBar"; -import TitleBar from "~/components/dashboard/TitleBar"; +import Controlbar from "~/components/dashboard/Controlbar"; // import Dropzone from "~/components/Dropzone"; +import File from "~/components/dashboard/File"; +import { SolarUploadLinear, SvgSpinnersBarsRotateFade } from "~/components/misc/Icons"; import { useNanostore$ } from "~/hooks/nanostores"; import { api } from "~/lib/api"; -import { OAUTH_LINK } from "~/lib/constants"; import { areFilesLoaded, dashboardFiles } from "~/lib/stores"; import { StereoFile } from "~/lib/types"; export const useAuthCheck = routeLoader$(({ cookie, redirect: r }) => { const jwt = cookie.get("jwt"); if (jwt) return {}; - throw r(302, OAUTH_LINK); + throw r(302, "/"); }); export default component$(() => { @@ -22,127 +22,47 @@ export default component$(() => { useVisibleTask$(async () => { loaded.value = false; files.value = await api.list(); + console.log("Files loaded:", files.value); loaded.value = true; }); return ( -

- - - -
- ); -}); - -const formatSize = (bytes: number) => { - if (bytes < 1024) return `${bytes} B`; - if (bytes < 1024 * 1024) return `${(bytes / 1024).toFixed(1)} KB`; - if (bytes < 1024 * 1024 * 1024) return `${(bytes / (1024 * 1024)).toFixed(1)} MB`; - return `${(bytes / (1024 * 1024 * 1024)).toFixed(1)} GB`; -} - -const Files = component$<{ - files: Signal; - loaded: Signal; -// eslint-disable-next-line @typescript-eslint/no-unused-vars -}>(({ files, loaded }) => { - - const File = component$(({ file }: { file: StereoFile }) => { - const Preview = component$(() => { - type FileType = - | "image" - | "video" - | "audio" - | "other"; - - const fileType: Signal = useSignal("other"); - const type = file.Mime.split("/")[1]; - - useTask$(async () => { - if ( - ["jpeg", "jpg", "png", "gif", "webp"] - .includes(type) - ) fileType.value = "image"; - - else if ( - ["mp4", "webm", "ogg", "avi", "mov"] - .includes(type) - ) fileType.value = "video"; - - else if ( - ["mp3", "wav", "flac", "aac"] - .includes(type) - ) fileType.value = "audio"; - - else fileType.value = "other"; - }); - - return ( -
- {fileType.value === "image" && ( - {file.Name} - )} - - {fileType.value === "video" && ( -