rspace-online/shared/components/rstack-space-switcher.ts

442 lines
16 KiB
TypeScript

/**
* <rstack-space-switcher> — Dropdown to switch between user's spaces.
*
* Attributes:
* current — the active space slug
* name — the display name of the active space
*
* Fetches the user's spaces from /api/spaces on click.
* Passes auth token so the API returns private spaces the user can access.
*/
import { isAuthenticated, getAccessToken } from "./rstack-identity";
import { rspaceNavUrl, getCurrentModule as getModule } from "../url-helpers";
interface SpaceInfo {
slug: string;
name: string;
icon?: string;
role?: string;
visibility?: string;
accessible?: boolean;
relationship?: "owner" | "member" | "demo" | "other";
pendingRequest?: boolean;
}
export class RStackSpaceSwitcher extends HTMLElement {
#shadow: ShadowRoot;
#spaces: SpaceInfo[] = [];
#loaded = false;
constructor() {
super();
this.#shadow = this.attachShadow({ mode: "open" });
}
static get observedAttributes() {
return ["current", "name"];
}
get current(): string {
return this.getAttribute("current") || "";
}
get spaceName(): string {
return this.getAttribute("name") || this.current;
}
connectedCallback() {
this.#render();
}
attributeChangedCallback() {
this.#render();
}
async #loadSpaces() {
if (this.#loaded) return;
try {
const headers: Record<string, string> = {};
const token = getAccessToken();
if (token) headers["Authorization"] = `Bearer ${token}`;
const res = await fetch("/api/spaces", { headers });
if (res.ok) {
const data = await res.json();
this.#spaces = data.spaces || [];
}
} catch {
// Offline or API not available — just show current
}
this.#loaded = true;
}
/** Force reload spaces on next open (e.g. after auth change) */
reload() {
this.#loaded = false;
this.#spaces = [];
}
#render() {
const current = this.current;
const name = this.spaceName;
this.#shadow.innerHTML = `
<style>${STYLES}</style>
<div class="switcher">
<button class="trigger" id="trigger">
<span class="space-name">${name || "Select space"}</span>
<span class="caret">▾</span>
</button>
<div class="menu" id="menu">
<div class="menu-loading">Loading spaces...</div>
</div>
</div>
`;
const trigger = this.#shadow.getElementById("trigger")!;
const menu = this.#shadow.getElementById("menu")!;
trigger.addEventListener("click", async (e) => {
e.stopPropagation();
const isOpen = menu.classList.toggle("open");
if (isOpen && !this.#loaded) {
await this.#loadSpaces();
this.#renderMenu(menu, current);
}
});
document.addEventListener("click", () => menu.classList.remove("open"));
}
#visibilityInfo(s: SpaceInfo): { cls: string; label: string } {
const v = s.visibility || "public_read";
if (v === "members_only") return { cls: "vis-private", label: "\uD83D\uDD12" };
if (v === "authenticated") return { cls: "vis-permissioned", label: "\uD83D\uDD11" };
return { cls: "vis-public", label: "\uD83D\uDD13" };
}
#renderMenu(menu: HTMLElement, current: string) {
if (this.#spaces.length === 0) {
menu.innerHTML = `
<div class="menu-empty">
${isAuthenticated() ? "No spaces yet" : "Sign in to see your spaces"}
</div>
<a class="item item--create" href="/new">+ Create new space</a>
`;
return;
}
const moduleId = this.#getCurrentModule();
const auth = isAuthenticated();
// 3-section split
const mySpaces = this.#spaces.filter((s) => s.role);
const publicSpaces = this.#spaces.filter((s) => s.accessible !== false && !s.role);
const discoverSpaces = this.#spaces.filter((s) => s.accessible === false);
let html = "";
// ── Your spaces ──
if (mySpaces.length > 0) {
html += `<div class="section-label">Your spaces</div>`;
html += mySpaces
.map((s) => {
const vis = this.#visibilityInfo(s);
return `
<a class="item ${vis.cls} ${s.slug === current ? "active" : ""}"
href="${rspaceNavUrl(s.slug, moduleId)}">
<span class="item-icon">${s.icon || "\uD83C\uDF10"}</span>
<span class="item-name">${s.name}</span>
<span class="item-vis ${vis.cls}">${vis.label}</span>
</a>`;
})
.join("");
}
// ── Public spaces ──
if (publicSpaces.length > 0) {
if (mySpaces.length > 0) html += `<div class="divider"></div>`;
html += `<div class="section-label">Public spaces</div>`;
html += publicSpaces
.map((s) => {
const vis = this.#visibilityInfo(s);
return `
<a class="item ${vis.cls} ${s.slug === current ? "active" : ""}"
href="${rspaceNavUrl(s.slug, moduleId)}">
<span class="item-icon">${s.icon || "\uD83C\uDF10"}</span>
<span class="item-name">${s.name}</span>
<span class="item-vis ${vis.cls}">${vis.label}</span>
</a>`;
})
.join("");
}
// ── Discover (inaccessible spaces) ──
if (auth && discoverSpaces.length > 0) {
html += `<div class="divider"></div>`;
html += `<div class="section-label">Discover</div>`;
html += discoverSpaces
.map((s) => {
const vis = this.#visibilityInfo(s);
const pending = s.pendingRequest;
return `
<div class="item item--discover ${vis.cls}">
<span class="item-icon">${s.icon || "\uD83C\uDF10"}</span>
<span class="item-name">${s.name}</span>
<span class="item-vis ${vis.cls}">${vis.label}</span>
${pending
? `<span class="item-badge item-badge--pending">Requested</span>`
: `<button class="item-request-btn" data-slug="${s.slug}" data-name="${s.name.replace(/"/g, "&quot;")}">Request Access</button>`
}
</div>`;
})
.join("");
}
html += `<div class="divider"></div>`;
html += `<a class="item item--create" href="/new">+ Create new space</a>`;
menu.innerHTML = html;
// Attach Request Access button listeners
menu.querySelectorAll(".item-request-btn").forEach((btn) => {
btn.addEventListener("click", (e) => {
e.stopPropagation();
const el = btn as HTMLElement;
this.#showRequestAccessModal(el.dataset.slug!, el.dataset.name!);
});
});
}
#showRequestAccessModal(slug: string, spaceName: string) {
if (document.querySelector(".rstack-auth-overlay")) return;
const overlay = document.createElement("div");
overlay.className = "rstack-auth-overlay";
overlay.innerHTML = `
<style>${REQUEST_MODAL_STYLES}</style>
<div class="auth-modal">
<button class="close-btn" data-action="close">&times;</button>
<h2>Request Access</h2>
<p>Request access to <strong>${spaceName.replace(/</g, "&lt;")}</strong></p>
<textarea class="input" id="ra-message" rows="3" placeholder="Optional message to the space owner..." style="resize:vertical"></textarea>
<div class="actions">
<button class="btn btn--secondary" data-action="close">Cancel</button>
<button class="btn btn--primary" data-action="submit">Send Request</button>
</div>
<div class="error" id="ra-error"></div>
</div>
`;
const close = () => overlay.remove();
overlay.querySelectorAll('[data-action="close"]').forEach((el) =>
el.addEventListener("click", close)
);
overlay.addEventListener("click", (e) => { if (e.target === overlay) close(); });
overlay.querySelector('[data-action="submit"]')?.addEventListener("click", async () => {
const btn = overlay.querySelector('[data-action="submit"]') as HTMLButtonElement;
const errEl = overlay.querySelector("#ra-error") as HTMLElement;
const msg = (overlay.querySelector("#ra-message") as HTMLTextAreaElement).value.trim();
errEl.textContent = "";
btn.disabled = true;
btn.innerHTML = '<span class="spinner"></span> Sending...';
try {
const token = getAccessToken();
const res = await fetch(`/api/spaces/${slug}/access-requests`, {
method: "POST",
headers: {
"Content-Type": "application/json",
...(token ? { Authorization: `Bearer ${token}` } : {}),
},
body: JSON.stringify({ message: msg || undefined }),
});
const data = await res.json();
if (!res.ok) throw new Error(data.error || "Failed to send request");
// Mark as pending in local state
const space = this.#spaces.find((s) => s.slug === slug);
if (space) space.pendingRequest = true;
close();
// Re-render menu if open
const menu = this.#shadow.getElementById("menu");
if (menu?.classList.contains("open")) {
this.#renderMenu(menu, this.current);
}
} catch (err: any) {
btn.disabled = false;
btn.innerHTML = "Send Request";
errEl.textContent = err.message || "Failed to send request";
}
});
document.body.appendChild(overlay);
}
#getCurrentModule(): string {
return getModule();
}
static define(tag = "rstack-space-switcher") {
if (!customElements.get(tag)) customElements.define(tag, RStackSpaceSwitcher);
}
}
const STYLES = `
:host { display: contents; }
.switcher { position: relative; }
.trigger {
display: flex; align-items: center; gap: 6px;
padding: 6px 14px; border-radius: 8px; border: none;
font-size: 0.9rem; font-weight: 600; cursor: pointer;
transition: background 0.15s; color: inherit;
}
:host-context([data-theme="light"]) .trigger { background: rgba(0,0,0,0.05); color: #0f172a; }
:host-context([data-theme="light"]) .trigger:hover { background: rgba(0,0,0,0.08); }
:host-context([data-theme="dark"]) .trigger { background: rgba(255,255,255,0.08); color: #e2e8f0; }
:host-context([data-theme="dark"]) .trigger:hover { background: rgba(255,255,255,0.12); }
.space-name { max-width: 160px; white-space: nowrap; overflow: hidden; text-overflow: ellipsis; }
.caret { font-size: 0.7em; opacity: 0.6; }
.menu {
position: absolute; top: 100%; left: 0; margin-top: 6px;
min-width: 260px; max-height: 400px; overflow-y: auto;
border-radius: 12px; box-shadow: 0 8px 30px rgba(0,0,0,0.25);
display: none; z-index: 200;
}
.menu.open { display: block; }
:host-context([data-theme="light"]) .menu { background: white; border: 1px solid rgba(0,0,0,0.1); }
:host-context([data-theme="dark"]) .menu { background: #1e293b; border: 1px solid rgba(255,255,255,0.1); }
.section-label {
padding: 8px 14px 4px; font-size: 0.7rem; font-weight: 600;
text-transform: uppercase; letter-spacing: 0.05em; opacity: 0.5;
}
.item {
display: flex; align-items: center; gap: 10px;
padding: 10px 14px; text-decoration: none; cursor: pointer;
transition: background 0.12s; border-left: 3px solid transparent;
}
:host-context([data-theme="light"]) .item { color: #374151; }
:host-context([data-theme="light"]) .item:hover { background: #f1f5f9; }
:host-context([data-theme="light"]) .item.active { background: #e0f2fe; }
:host-context([data-theme="dark"]) .item { color: #e2e8f0; }
:host-context([data-theme="dark"]) .item:hover { background: rgba(255,255,255,0.05); }
:host-context([data-theme="dark"]) .item.active { background: rgba(6,182,212,0.1); }
/* Visibility color accents — left border */
.item.vis-public { border-left-color: #34d399; }
.item.vis-private { border-left-color: #f87171; }
.item.vis-permissioned { border-left-color: #fbbf24; }
.item-icon { font-size: 1.1rem; flex-shrink: 0; }
.item-name { font-size: 0.875rem; font-weight: 500; flex: 1; }
/* Visibility badge */
.item-vis {
font-size: 0.9rem; padding: 2px 4px; border-radius: 4px; flex-shrink: 0;
line-height: 1; display: flex; align-items: center; justify-content: center;
}
.item-vis.vis-public { background: rgba(52,211,153,0.15); color: #34d399; }
.item-vis.vis-private { background: rgba(248,113,113,0.15); color: #f87171; }
.item-vis.vis-permissioned { background: rgba(251,191,36,0.15); color: #fbbf24; }
:host-context([data-theme="light"]) .item-vis.vis-public { background: #d1fae5; color: #059669; }
:host-context([data-theme="light"]) .item-vis.vis-private { background: #fee2e2; color: #dc2626; }
:host-context([data-theme="light"]) .item-vis.vis-permissioned { background: #fef3c7; color: #d97706; }
.item--create {
font-size: 0.85rem; font-weight: 600; color: #06b6d4 !important;
border-left-color: transparent !important;
}
.item--create:hover { background: rgba(6,182,212,0.08) !important; }
.divider { height: 1px; margin: 4px 0; }
:host-context([data-theme="light"]) .divider { background: rgba(0,0,0,0.08); }
:host-context([data-theme="dark"]) .divider { background: rgba(255,255,255,0.08); }
.menu-loading, .menu-empty {
padding: 16px; text-align: center; font-size: 0.85rem; color: #94a3b8;
}
/* Discover section — non-navigable items */
.item--discover { cursor: default; flex-wrap: wrap; }
.item--discover:hover { background: transparent !important; }
:host-context([data-theme="light"]) .item--discover:hover { background: transparent !important; }
:host-context([data-theme="dark"]) .item--discover:hover { background: transparent !important; }
.item-request-btn {
margin-left: auto; padding: 4px 10px; border-radius: 6px; border: none;
font-size: 0.75rem; font-weight: 600; cursor: pointer;
background: linear-gradient(135deg, #06b6d4, #7c3aed); color: white;
transition: opacity 0.15s; white-space: nowrap;
}
.item-request-btn:hover { opacity: 0.85; }
.item-badge { font-size: 0.7rem; padding: 3px 8px; border-radius: 6px; margin-left: auto; white-space: nowrap; }
.item-badge--pending {
background: rgba(251,191,36,0.15); color: #fbbf24; font-weight: 600;
}
:host-context([data-theme="light"]) .item-badge--pending { background: #fef3c7; color: #d97706; }
`;
const REQUEST_MODAL_STYLES = `
.rstack-auth-overlay {
position: fixed; inset: 0; background: rgba(0,0,0,0.6);
backdrop-filter: blur(4px); display: flex; align-items: center;
justify-content: center; z-index: 10000; animation: fadeIn 0.2s;
}
.auth-modal {
background: #1e293b; border: 1px solid rgba(255,255,255,0.1);
border-radius: 16px; padding: 2rem; max-width: 420px; width: 90%;
text-align: center; color: white; box-shadow: 0 20px 60px rgba(0,0,0,0.4);
animation: slideUp 0.3s; position: relative;
}
.auth-modal h2 {
font-size: 1.5rem; margin-bottom: 0.5rem;
background: linear-gradient(135deg, #06b6d4, #7c3aed);
-webkit-background-clip: text; -webkit-text-fill-color: transparent;
}
.auth-modal p { color: #94a3b8; font-size: 0.95rem; line-height: 1.6; margin-bottom: 1rem; }
.input {
width: 100%; padding: 12px 16px; border-radius: 8px;
border: 1px solid rgba(255,255,255,0.15); background: rgba(255,255,255,0.05);
color: white; font-size: 0.9rem; margin-bottom: 1rem; outline: none;
transition: border-color 0.2s; box-sizing: border-box; font-family: inherit;
}
.input:focus { border-color: #06b6d4; }
.input::placeholder { color: #64748b; }
.actions { display: flex; gap: 12px; margin-top: 0.5rem; }
.btn {
flex: 1; padding: 12px 20px; border-radius: 8px; border: none;
font-size: 0.95rem; font-weight: 600; cursor: pointer; transition: all 0.2s;
}
.btn--primary { background: linear-gradient(135deg, #06b6d4, #7c3aed); color: white; }
.btn--primary:hover { transform: translateY(-1px); box-shadow: 0 4px 12px rgba(6,182,212,0.3); }
.btn--primary:disabled { opacity: 0.5; cursor: not-allowed; transform: none; }
.btn--secondary { background: rgba(255,255,255,0.08); color: #94a3b8; border: 1px solid rgba(255,255,255,0.1); }
.btn--secondary:hover { background: rgba(255,255,255,0.12); color: white; }
.error { color: #ef4444; font-size: 0.85rem; margin-top: 0.5rem; min-height: 1.2em; }
.close-btn {
position: absolute; top: 12px; right: 16px;
background: none; border: none; color: #64748b; font-size: 1.5rem;
cursor: pointer; line-height: 1; padding: 4px 8px; border-radius: 6px;
}
.close-btn:hover { color: white; background: rgba(255,255,255,0.1); }
.spinner {
display: inline-block; width: 18px; height: 18px;
border: 2px solid transparent; border-top-color: currentColor;
border-radius: 50%; animation: spin 0.7s linear infinite;
vertical-align: middle; margin-right: 6px;
}
@keyframes fadeIn { from { opacity: 0; } to { opacity: 1; } }
@keyframes slideUp { from { opacity: 0; transform: translateY(20px); } to { opacity: 1; transform: translateY(0); } }
@keyframes spin { to { transform: rotate(360deg); } }
`;