feat: XIC预售系统完整部署 - TRC20监控+管理后台+链上数据 [2026-03-10]
This commit is contained in:
commit
71fe73b992
|
|
@ -0,0 +1,6 @@
|
||||||
|
node_modules/
|
||||||
|
dist/
|
||||||
|
dist.bak*/
|
||||||
|
*.log
|
||||||
|
.DS_Store
|
||||||
|
coverage/
|
||||||
|
|
@ -0,0 +1,17 @@
|
||||||
|
<!doctype html>
|
||||||
|
<html lang="en">
|
||||||
|
<head>
|
||||||
|
<meta charset="UTF-8" />
|
||||||
|
<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1" />
|
||||||
|
<title>XIC Token Presale — New AssetChain</title>
|
||||||
|
<meta name="description" content="Join the New AssetChain (NAC) XIC Token Presale. Buy XIC at $0.02 with USDT on BSC, ETH, or TRC20. The next-generation RWA blockchain." />
|
||||||
|
<link rel="preconnect" href="https://fonts.googleapis.com" />
|
||||||
|
<link rel="preconnect" href="https://fonts.gstatic.com" crossorigin />
|
||||||
|
<link href="https://fonts.googleapis.com/css2?family=Space+Grotesk:wght@400;500;600;700&family=JetBrains+Mono:wght@400;500;700&family=DM+Sans:wght@300;400;500;600&display=swap" rel="stylesheet" />
|
||||||
|
</head>
|
||||||
|
<body>
|
||||||
|
<div id="root"></div>
|
||||||
|
<script type="module" src="/src/main.tsx"></script>
|
||||||
|
|
||||||
|
</body>
|
||||||
|
</html>
|
||||||
|
|
@ -0,0 +1,821 @@
|
||||||
|
/**
|
||||||
|
* Manus Debug Collector (agent-friendly)
|
||||||
|
*
|
||||||
|
* Captures:
|
||||||
|
* 1) Console logs
|
||||||
|
* 2) Network requests (fetch + XHR)
|
||||||
|
* 3) User interactions (semantic uiEvents: click/type/submit/nav/scroll/etc.)
|
||||||
|
*
|
||||||
|
* Data is periodically sent to /__manus__/logs
|
||||||
|
* Note: uiEvents are mirrored to sessionEvents for sessionReplay.log
|
||||||
|
*/
|
||||||
|
(function () {
|
||||||
|
"use strict";
|
||||||
|
|
||||||
|
// Prevent double initialization
|
||||||
|
if (window.__MANUS_DEBUG_COLLECTOR__) return;
|
||||||
|
|
||||||
|
// ==========================================================================
|
||||||
|
// Configuration
|
||||||
|
// ==========================================================================
|
||||||
|
const CONFIG = {
|
||||||
|
reportEndpoint: "/__manus__/logs",
|
||||||
|
bufferSize: {
|
||||||
|
console: 500,
|
||||||
|
network: 200,
|
||||||
|
// semantic, agent-friendly UI events
|
||||||
|
ui: 500,
|
||||||
|
},
|
||||||
|
reportInterval: 2000,
|
||||||
|
sensitiveFields: [
|
||||||
|
"password",
|
||||||
|
"token",
|
||||||
|
"secret",
|
||||||
|
"key",
|
||||||
|
"authorization",
|
||||||
|
"cookie",
|
||||||
|
"session",
|
||||||
|
],
|
||||||
|
maxBodyLength: 10240,
|
||||||
|
// UI event logging privacy policy:
|
||||||
|
// - inputs matching sensitiveFields or type=password are masked by default
|
||||||
|
// - non-sensitive inputs log up to 200 chars
|
||||||
|
uiInputMaxLen: 200,
|
||||||
|
uiTextMaxLen: 80,
|
||||||
|
// Scroll throttling: minimum ms between scroll events
|
||||||
|
scrollThrottleMs: 500,
|
||||||
|
};
|
||||||
|
|
||||||
|
// ==========================================================================
|
||||||
|
// Storage
|
||||||
|
// ==========================================================================
|
||||||
|
const store = {
|
||||||
|
consoleLogs: [],
|
||||||
|
networkRequests: [],
|
||||||
|
uiEvents: [],
|
||||||
|
lastReportTime: Date.now(),
|
||||||
|
lastScrollTime: 0,
|
||||||
|
};
|
||||||
|
|
||||||
|
// ==========================================================================
|
||||||
|
// Utility Functions
|
||||||
|
// ==========================================================================
|
||||||
|
|
||||||
|
function sanitizeValue(value, depth) {
|
||||||
|
if (depth === void 0) depth = 0;
|
||||||
|
if (depth > 5) return "[Max Depth]";
|
||||||
|
if (value === null) return null;
|
||||||
|
if (value === undefined) return undefined;
|
||||||
|
|
||||||
|
if (typeof value === "string") {
|
||||||
|
return value.length > 1000 ? value.slice(0, 1000) + "...[truncated]" : value;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (typeof value !== "object") return value;
|
||||||
|
|
||||||
|
if (Array.isArray(value)) {
|
||||||
|
return value.slice(0, 100).map(function (v) {
|
||||||
|
return sanitizeValue(v, depth + 1);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
var sanitized = {};
|
||||||
|
for (var k in value) {
|
||||||
|
if (Object.prototype.hasOwnProperty.call(value, k)) {
|
||||||
|
var isSensitive = CONFIG.sensitiveFields.some(function (f) {
|
||||||
|
return k.toLowerCase().indexOf(f) !== -1;
|
||||||
|
});
|
||||||
|
if (isSensitive) {
|
||||||
|
sanitized[k] = "[REDACTED]";
|
||||||
|
} else {
|
||||||
|
sanitized[k] = sanitizeValue(value[k], depth + 1);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return sanitized;
|
||||||
|
}
|
||||||
|
|
||||||
|
function formatArg(arg) {
|
||||||
|
try {
|
||||||
|
if (arg instanceof Error) {
|
||||||
|
return { type: "Error", message: arg.message, stack: arg.stack };
|
||||||
|
}
|
||||||
|
if (typeof arg === "object") return sanitizeValue(arg);
|
||||||
|
return String(arg);
|
||||||
|
} catch (e) {
|
||||||
|
return "[Unserializable]";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function formatArgs(args) {
|
||||||
|
var result = [];
|
||||||
|
for (var i = 0; i < args.length; i++) result.push(formatArg(args[i]));
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
|
function pruneBuffer(buffer, maxSize) {
|
||||||
|
if (buffer.length > maxSize) buffer.splice(0, buffer.length - maxSize);
|
||||||
|
}
|
||||||
|
|
||||||
|
function tryParseJson(str) {
|
||||||
|
if (typeof str !== "string") return str;
|
||||||
|
try {
|
||||||
|
return JSON.parse(str);
|
||||||
|
} catch (e) {
|
||||||
|
return str;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ==========================================================================
|
||||||
|
// Semantic UI Event Logging (agent-friendly)
|
||||||
|
// ==========================================================================
|
||||||
|
|
||||||
|
function shouldIgnoreTarget(target) {
|
||||||
|
try {
|
||||||
|
if (!target || !(target instanceof Element)) return false;
|
||||||
|
return !!target.closest(".manus-no-record");
|
||||||
|
} catch (e) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function compactText(s, maxLen) {
|
||||||
|
try {
|
||||||
|
var t = (s || "").trim().replace(/\s+/g, " ");
|
||||||
|
if (!t) return "";
|
||||||
|
return t.length > maxLen ? t.slice(0, maxLen) + "…" : t;
|
||||||
|
} catch (e) {
|
||||||
|
return "";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function elText(el) {
|
||||||
|
try {
|
||||||
|
var t = el.innerText || el.textContent || "";
|
||||||
|
return compactText(t, CONFIG.uiTextMaxLen);
|
||||||
|
} catch (e) {
|
||||||
|
return "";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function describeElement(el) {
|
||||||
|
if (!el || !(el instanceof Element)) return null;
|
||||||
|
|
||||||
|
var getAttr = function (name) {
|
||||||
|
return el.getAttribute(name);
|
||||||
|
};
|
||||||
|
|
||||||
|
var tag = el.tagName ? el.tagName.toLowerCase() : null;
|
||||||
|
var id = el.id || null;
|
||||||
|
var name = getAttr("name") || null;
|
||||||
|
var role = getAttr("role") || null;
|
||||||
|
var ariaLabel = getAttr("aria-label") || null;
|
||||||
|
|
||||||
|
var dataLoc = getAttr("data-loc") || null;
|
||||||
|
var testId =
|
||||||
|
getAttr("data-testid") ||
|
||||||
|
getAttr("data-test-id") ||
|
||||||
|
getAttr("data-test") ||
|
||||||
|
null;
|
||||||
|
|
||||||
|
var type = tag === "input" ? (getAttr("type") || "text") : null;
|
||||||
|
var href = tag === "a" ? getAttr("href") || null : null;
|
||||||
|
|
||||||
|
// a small, stable hint for agents (avoid building full CSS paths)
|
||||||
|
var selectorHint = null;
|
||||||
|
if (testId) selectorHint = '[data-testid="' + testId + '"]';
|
||||||
|
else if (dataLoc) selectorHint = '[data-loc="' + dataLoc + '"]';
|
||||||
|
else if (id) selectorHint = "#" + id;
|
||||||
|
else selectorHint = tag || "unknown";
|
||||||
|
|
||||||
|
return {
|
||||||
|
tag: tag,
|
||||||
|
id: id,
|
||||||
|
name: name,
|
||||||
|
type: type,
|
||||||
|
role: role,
|
||||||
|
ariaLabel: ariaLabel,
|
||||||
|
testId: testId,
|
||||||
|
dataLoc: dataLoc,
|
||||||
|
href: href,
|
||||||
|
text: elText(el),
|
||||||
|
selectorHint: selectorHint,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
function isSensitiveField(el) {
|
||||||
|
if (!el || !(el instanceof Element)) return false;
|
||||||
|
var tag = el.tagName ? el.tagName.toLowerCase() : "";
|
||||||
|
if (tag !== "input" && tag !== "textarea") return false;
|
||||||
|
|
||||||
|
var type = (el.getAttribute("type") || "").toLowerCase();
|
||||||
|
if (type === "password") return true;
|
||||||
|
|
||||||
|
var name = (el.getAttribute("name") || "").toLowerCase();
|
||||||
|
var id = (el.id || "").toLowerCase();
|
||||||
|
|
||||||
|
return CONFIG.sensitiveFields.some(function (f) {
|
||||||
|
return name.indexOf(f) !== -1 || id.indexOf(f) !== -1;
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
function getInputValueSafe(el) {
|
||||||
|
if (!el || !(el instanceof Element)) return null;
|
||||||
|
var tag = el.tagName ? el.tagName.toLowerCase() : "";
|
||||||
|
if (tag !== "input" && tag !== "textarea" && tag !== "select") return null;
|
||||||
|
|
||||||
|
var v = "";
|
||||||
|
try {
|
||||||
|
v = el.value != null ? String(el.value) : "";
|
||||||
|
} catch (e) {
|
||||||
|
v = "";
|
||||||
|
}
|
||||||
|
|
||||||
|
if (isSensitiveField(el)) return { masked: true, length: v.length };
|
||||||
|
|
||||||
|
if (v.length > CONFIG.uiInputMaxLen) v = v.slice(0, CONFIG.uiInputMaxLen) + "…";
|
||||||
|
return v;
|
||||||
|
}
|
||||||
|
|
||||||
|
function logUiEvent(kind, payload) {
|
||||||
|
var entry = {
|
||||||
|
timestamp: Date.now(),
|
||||||
|
kind: kind,
|
||||||
|
url: location.href,
|
||||||
|
viewport: { width: window.innerWidth, height: window.innerHeight },
|
||||||
|
payload: sanitizeValue(payload),
|
||||||
|
};
|
||||||
|
store.uiEvents.push(entry);
|
||||||
|
pruneBuffer(store.uiEvents, CONFIG.bufferSize.ui);
|
||||||
|
}
|
||||||
|
|
||||||
|
function installUiEventListeners() {
|
||||||
|
// Clicks
|
||||||
|
document.addEventListener(
|
||||||
|
"click",
|
||||||
|
function (e) {
|
||||||
|
var t = e.target;
|
||||||
|
if (shouldIgnoreTarget(t)) return;
|
||||||
|
logUiEvent("click", {
|
||||||
|
target: describeElement(t),
|
||||||
|
x: e.clientX,
|
||||||
|
y: e.clientY,
|
||||||
|
});
|
||||||
|
},
|
||||||
|
true
|
||||||
|
);
|
||||||
|
|
||||||
|
// Typing "commit" events
|
||||||
|
document.addEventListener(
|
||||||
|
"change",
|
||||||
|
function (e) {
|
||||||
|
var t = e.target;
|
||||||
|
if (shouldIgnoreTarget(t)) return;
|
||||||
|
logUiEvent("change", {
|
||||||
|
target: describeElement(t),
|
||||||
|
value: getInputValueSafe(t),
|
||||||
|
});
|
||||||
|
},
|
||||||
|
true
|
||||||
|
);
|
||||||
|
|
||||||
|
document.addEventListener(
|
||||||
|
"focusin",
|
||||||
|
function (e) {
|
||||||
|
var t = e.target;
|
||||||
|
if (shouldIgnoreTarget(t)) return;
|
||||||
|
logUiEvent("focusin", { target: describeElement(t) });
|
||||||
|
},
|
||||||
|
true
|
||||||
|
);
|
||||||
|
|
||||||
|
document.addEventListener(
|
||||||
|
"focusout",
|
||||||
|
function (e) {
|
||||||
|
var t = e.target;
|
||||||
|
if (shouldIgnoreTarget(t)) return;
|
||||||
|
logUiEvent("focusout", {
|
||||||
|
target: describeElement(t),
|
||||||
|
value: getInputValueSafe(t),
|
||||||
|
});
|
||||||
|
},
|
||||||
|
true
|
||||||
|
);
|
||||||
|
|
||||||
|
// Enter/Escape are useful for form flows & modals
|
||||||
|
document.addEventListener(
|
||||||
|
"keydown",
|
||||||
|
function (e) {
|
||||||
|
if (e.key !== "Enter" && e.key !== "Escape") return;
|
||||||
|
var t = e.target;
|
||||||
|
if (shouldIgnoreTarget(t)) return;
|
||||||
|
logUiEvent("keydown", { key: e.key, target: describeElement(t) });
|
||||||
|
},
|
||||||
|
true
|
||||||
|
);
|
||||||
|
|
||||||
|
// Form submissions
|
||||||
|
document.addEventListener(
|
||||||
|
"submit",
|
||||||
|
function (e) {
|
||||||
|
var t = e.target;
|
||||||
|
if (shouldIgnoreTarget(t)) return;
|
||||||
|
logUiEvent("submit", { target: describeElement(t) });
|
||||||
|
},
|
||||||
|
true
|
||||||
|
);
|
||||||
|
|
||||||
|
// Throttled scroll events
|
||||||
|
window.addEventListener(
|
||||||
|
"scroll",
|
||||||
|
function () {
|
||||||
|
var now = Date.now();
|
||||||
|
if (now - store.lastScrollTime < CONFIG.scrollThrottleMs) return;
|
||||||
|
store.lastScrollTime = now;
|
||||||
|
|
||||||
|
logUiEvent("scroll", {
|
||||||
|
scrollX: window.scrollX,
|
||||||
|
scrollY: window.scrollY,
|
||||||
|
documentHeight: document.documentElement.scrollHeight,
|
||||||
|
viewportHeight: window.innerHeight,
|
||||||
|
});
|
||||||
|
},
|
||||||
|
{ passive: true }
|
||||||
|
);
|
||||||
|
|
||||||
|
// Navigation tracking for SPAs
|
||||||
|
function nav(reason) {
|
||||||
|
logUiEvent("navigate", { reason: reason });
|
||||||
|
}
|
||||||
|
|
||||||
|
var origPush = history.pushState;
|
||||||
|
history.pushState = function () {
|
||||||
|
origPush.apply(this, arguments);
|
||||||
|
nav("pushState");
|
||||||
|
};
|
||||||
|
|
||||||
|
var origReplace = history.replaceState;
|
||||||
|
history.replaceState = function () {
|
||||||
|
origReplace.apply(this, arguments);
|
||||||
|
nav("replaceState");
|
||||||
|
};
|
||||||
|
|
||||||
|
window.addEventListener("popstate", function () {
|
||||||
|
nav("popstate");
|
||||||
|
});
|
||||||
|
window.addEventListener("hashchange", function () {
|
||||||
|
nav("hashchange");
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// ==========================================================================
|
||||||
|
// Console Interception
|
||||||
|
// ==========================================================================
|
||||||
|
|
||||||
|
var originalConsole = {
|
||||||
|
log: console.log.bind(console),
|
||||||
|
debug: console.debug.bind(console),
|
||||||
|
info: console.info.bind(console),
|
||||||
|
warn: console.warn.bind(console),
|
||||||
|
error: console.error.bind(console),
|
||||||
|
};
|
||||||
|
|
||||||
|
["log", "debug", "info", "warn", "error"].forEach(function (method) {
|
||||||
|
console[method] = function () {
|
||||||
|
var args = Array.prototype.slice.call(arguments);
|
||||||
|
|
||||||
|
var entry = {
|
||||||
|
timestamp: Date.now(),
|
||||||
|
level: method.toUpperCase(),
|
||||||
|
args: formatArgs(args),
|
||||||
|
stack: method === "error" ? new Error().stack : null,
|
||||||
|
};
|
||||||
|
|
||||||
|
store.consoleLogs.push(entry);
|
||||||
|
pruneBuffer(store.consoleLogs, CONFIG.bufferSize.console);
|
||||||
|
|
||||||
|
originalConsole[method].apply(console, args);
|
||||||
|
};
|
||||||
|
});
|
||||||
|
|
||||||
|
window.addEventListener("error", function (event) {
|
||||||
|
store.consoleLogs.push({
|
||||||
|
timestamp: Date.now(),
|
||||||
|
level: "ERROR",
|
||||||
|
args: [
|
||||||
|
{
|
||||||
|
type: "UncaughtError",
|
||||||
|
message: event.message,
|
||||||
|
filename: event.filename,
|
||||||
|
lineno: event.lineno,
|
||||||
|
colno: event.colno,
|
||||||
|
stack: event.error ? event.error.stack : null,
|
||||||
|
},
|
||||||
|
],
|
||||||
|
stack: event.error ? event.error.stack : null,
|
||||||
|
});
|
||||||
|
pruneBuffer(store.consoleLogs, CONFIG.bufferSize.console);
|
||||||
|
|
||||||
|
// Mark an error moment in UI event stream for agents
|
||||||
|
logUiEvent("error", {
|
||||||
|
message: event.message,
|
||||||
|
filename: event.filename,
|
||||||
|
lineno: event.lineno,
|
||||||
|
colno: event.colno,
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
window.addEventListener("unhandledrejection", function (event) {
|
||||||
|
var reason = event.reason;
|
||||||
|
store.consoleLogs.push({
|
||||||
|
timestamp: Date.now(),
|
||||||
|
level: "ERROR",
|
||||||
|
args: [
|
||||||
|
{
|
||||||
|
type: "UnhandledRejection",
|
||||||
|
reason: reason && reason.message ? reason.message : String(reason),
|
||||||
|
stack: reason && reason.stack ? reason.stack : null,
|
||||||
|
},
|
||||||
|
],
|
||||||
|
stack: reason && reason.stack ? reason.stack : null,
|
||||||
|
});
|
||||||
|
pruneBuffer(store.consoleLogs, CONFIG.bufferSize.console);
|
||||||
|
|
||||||
|
logUiEvent("unhandledrejection", {
|
||||||
|
reason: reason && reason.message ? reason.message : String(reason),
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
// ==========================================================================
|
||||||
|
// Fetch Interception
|
||||||
|
// ==========================================================================
|
||||||
|
|
||||||
|
var originalFetch = window.fetch.bind(window);
|
||||||
|
|
||||||
|
window.fetch = function (input, init) {
|
||||||
|
init = init || {};
|
||||||
|
var startTime = Date.now();
|
||||||
|
// Handle string, Request object, or URL object
|
||||||
|
var url = typeof input === "string"
|
||||||
|
? input
|
||||||
|
: (input && (input.url || input.href || String(input))) || "";
|
||||||
|
var method = init.method || (input && input.method) || "GET";
|
||||||
|
|
||||||
|
// Don't intercept internal requests
|
||||||
|
if (url.indexOf("/__manus__/") === 0) {
|
||||||
|
return originalFetch(input, init);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Safely parse headers (avoid breaking if headers format is invalid)
|
||||||
|
var requestHeaders = {};
|
||||||
|
try {
|
||||||
|
if (init.headers) {
|
||||||
|
requestHeaders = Object.fromEntries(new Headers(init.headers).entries());
|
||||||
|
}
|
||||||
|
} catch (e) {
|
||||||
|
requestHeaders = { _parseError: true };
|
||||||
|
}
|
||||||
|
|
||||||
|
var entry = {
|
||||||
|
timestamp: startTime,
|
||||||
|
type: "fetch",
|
||||||
|
method: method.toUpperCase(),
|
||||||
|
url: url,
|
||||||
|
request: {
|
||||||
|
headers: requestHeaders,
|
||||||
|
body: init.body ? sanitizeValue(tryParseJson(init.body)) : null,
|
||||||
|
},
|
||||||
|
response: null,
|
||||||
|
duration: null,
|
||||||
|
error: null,
|
||||||
|
};
|
||||||
|
|
||||||
|
return originalFetch(input, init)
|
||||||
|
.then(function (response) {
|
||||||
|
entry.duration = Date.now() - startTime;
|
||||||
|
|
||||||
|
var contentType = (response.headers.get("content-type") || "").toLowerCase();
|
||||||
|
var contentLength = response.headers.get("content-length");
|
||||||
|
|
||||||
|
entry.response = {
|
||||||
|
status: response.status,
|
||||||
|
statusText: response.statusText,
|
||||||
|
headers: Object.fromEntries(response.headers.entries()),
|
||||||
|
body: null,
|
||||||
|
};
|
||||||
|
|
||||||
|
// Semantic network hint for agents on failures (sync, no need to wait for body)
|
||||||
|
if (response.status >= 400) {
|
||||||
|
logUiEvent("network_error", {
|
||||||
|
kind: "fetch",
|
||||||
|
method: entry.method,
|
||||||
|
url: entry.url,
|
||||||
|
status: response.status,
|
||||||
|
statusText: response.statusText,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// Skip body capture for streaming responses (SSE, etc.) to avoid memory leaks
|
||||||
|
var isStreaming = contentType.indexOf("text/event-stream") !== -1 ||
|
||||||
|
contentType.indexOf("application/stream") !== -1 ||
|
||||||
|
contentType.indexOf("application/x-ndjson") !== -1;
|
||||||
|
if (isStreaming) {
|
||||||
|
entry.response.body = "[Streaming response - not captured]";
|
||||||
|
store.networkRequests.push(entry);
|
||||||
|
pruneBuffer(store.networkRequests, CONFIG.bufferSize.network);
|
||||||
|
return response;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Skip body capture for large responses to avoid memory issues
|
||||||
|
if (contentLength && parseInt(contentLength, 10) > CONFIG.maxBodyLength) {
|
||||||
|
entry.response.body = "[Response too large: " + contentLength + " bytes]";
|
||||||
|
store.networkRequests.push(entry);
|
||||||
|
pruneBuffer(store.networkRequests, CONFIG.bufferSize.network);
|
||||||
|
return response;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Skip body capture for binary content types
|
||||||
|
var isBinary = contentType.indexOf("image/") !== -1 ||
|
||||||
|
contentType.indexOf("video/") !== -1 ||
|
||||||
|
contentType.indexOf("audio/") !== -1 ||
|
||||||
|
contentType.indexOf("application/octet-stream") !== -1 ||
|
||||||
|
contentType.indexOf("application/pdf") !== -1 ||
|
||||||
|
contentType.indexOf("application/zip") !== -1;
|
||||||
|
if (isBinary) {
|
||||||
|
entry.response.body = "[Binary content: " + contentType + "]";
|
||||||
|
store.networkRequests.push(entry);
|
||||||
|
pruneBuffer(store.networkRequests, CONFIG.bufferSize.network);
|
||||||
|
return response;
|
||||||
|
}
|
||||||
|
|
||||||
|
// For text responses, clone and read body in background
|
||||||
|
var clonedResponse = response.clone();
|
||||||
|
|
||||||
|
// Async: read body in background, don't block the response
|
||||||
|
clonedResponse
|
||||||
|
.text()
|
||||||
|
.then(function (text) {
|
||||||
|
if (text.length <= CONFIG.maxBodyLength) {
|
||||||
|
entry.response.body = sanitizeValue(tryParseJson(text));
|
||||||
|
} else {
|
||||||
|
entry.response.body = text.slice(0, CONFIG.maxBodyLength) + "...[truncated]";
|
||||||
|
}
|
||||||
|
})
|
||||||
|
.catch(function () {
|
||||||
|
entry.response.body = "[Unable to read body]";
|
||||||
|
})
|
||||||
|
.finally(function () {
|
||||||
|
store.networkRequests.push(entry);
|
||||||
|
pruneBuffer(store.networkRequests, CONFIG.bufferSize.network);
|
||||||
|
});
|
||||||
|
|
||||||
|
// Return response immediately, don't wait for body reading
|
||||||
|
return response;
|
||||||
|
})
|
||||||
|
.catch(function (error) {
|
||||||
|
entry.duration = Date.now() - startTime;
|
||||||
|
entry.error = { message: error.message, stack: error.stack };
|
||||||
|
|
||||||
|
store.networkRequests.push(entry);
|
||||||
|
pruneBuffer(store.networkRequests, CONFIG.bufferSize.network);
|
||||||
|
|
||||||
|
logUiEvent("network_error", {
|
||||||
|
kind: "fetch",
|
||||||
|
method: entry.method,
|
||||||
|
url: entry.url,
|
||||||
|
message: error.message,
|
||||||
|
});
|
||||||
|
|
||||||
|
throw error;
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
// ==========================================================================
|
||||||
|
// XHR Interception
|
||||||
|
// ==========================================================================
|
||||||
|
|
||||||
|
var originalXHROpen = XMLHttpRequest.prototype.open;
|
||||||
|
var originalXHRSend = XMLHttpRequest.prototype.send;
|
||||||
|
|
||||||
|
XMLHttpRequest.prototype.open = function (method, url) {
|
||||||
|
this._manusData = {
|
||||||
|
method: (method || "GET").toUpperCase(),
|
||||||
|
url: url,
|
||||||
|
startTime: null,
|
||||||
|
};
|
||||||
|
return originalXHROpen.apply(this, arguments);
|
||||||
|
};
|
||||||
|
|
||||||
|
XMLHttpRequest.prototype.send = function (body) {
|
||||||
|
var xhr = this;
|
||||||
|
|
||||||
|
if (
|
||||||
|
xhr._manusData &&
|
||||||
|
xhr._manusData.url &&
|
||||||
|
xhr._manusData.url.indexOf("/__manus__/") !== 0
|
||||||
|
) {
|
||||||
|
xhr._manusData.startTime = Date.now();
|
||||||
|
xhr._manusData.requestBody = body ? sanitizeValue(tryParseJson(body)) : null;
|
||||||
|
|
||||||
|
xhr.addEventListener("load", function () {
|
||||||
|
var contentType = (xhr.getResponseHeader("content-type") || "").toLowerCase();
|
||||||
|
var responseBody = null;
|
||||||
|
|
||||||
|
// Skip body capture for streaming responses
|
||||||
|
var isStreaming = contentType.indexOf("text/event-stream") !== -1 ||
|
||||||
|
contentType.indexOf("application/stream") !== -1 ||
|
||||||
|
contentType.indexOf("application/x-ndjson") !== -1;
|
||||||
|
|
||||||
|
// Skip body capture for binary content types
|
||||||
|
var isBinary = contentType.indexOf("image/") !== -1 ||
|
||||||
|
contentType.indexOf("video/") !== -1 ||
|
||||||
|
contentType.indexOf("audio/") !== -1 ||
|
||||||
|
contentType.indexOf("application/octet-stream") !== -1 ||
|
||||||
|
contentType.indexOf("application/pdf") !== -1 ||
|
||||||
|
contentType.indexOf("application/zip") !== -1;
|
||||||
|
|
||||||
|
if (isStreaming) {
|
||||||
|
responseBody = "[Streaming response - not captured]";
|
||||||
|
} else if (isBinary) {
|
||||||
|
responseBody = "[Binary content: " + contentType + "]";
|
||||||
|
} else {
|
||||||
|
// Safe to read responseText for text responses
|
||||||
|
try {
|
||||||
|
var text = xhr.responseText || "";
|
||||||
|
if (text.length > CONFIG.maxBodyLength) {
|
||||||
|
responseBody = text.slice(0, CONFIG.maxBodyLength) + "...[truncated]";
|
||||||
|
} else {
|
||||||
|
responseBody = sanitizeValue(tryParseJson(text));
|
||||||
|
}
|
||||||
|
} catch (e) {
|
||||||
|
// responseText may throw for non-text responses
|
||||||
|
responseBody = "[Unable to read response: " + e.message + "]";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
var entry = {
|
||||||
|
timestamp: xhr._manusData.startTime,
|
||||||
|
type: "xhr",
|
||||||
|
method: xhr._manusData.method,
|
||||||
|
url: xhr._manusData.url,
|
||||||
|
request: { body: xhr._manusData.requestBody },
|
||||||
|
response: {
|
||||||
|
status: xhr.status,
|
||||||
|
statusText: xhr.statusText,
|
||||||
|
body: responseBody,
|
||||||
|
},
|
||||||
|
duration: Date.now() - xhr._manusData.startTime,
|
||||||
|
error: null,
|
||||||
|
};
|
||||||
|
|
||||||
|
store.networkRequests.push(entry);
|
||||||
|
pruneBuffer(store.networkRequests, CONFIG.bufferSize.network);
|
||||||
|
|
||||||
|
if (entry.response && entry.response.status >= 400) {
|
||||||
|
logUiEvent("network_error", {
|
||||||
|
kind: "xhr",
|
||||||
|
method: entry.method,
|
||||||
|
url: entry.url,
|
||||||
|
status: entry.response.status,
|
||||||
|
statusText: entry.response.statusText,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
xhr.addEventListener("error", function () {
|
||||||
|
var entry = {
|
||||||
|
timestamp: xhr._manusData.startTime,
|
||||||
|
type: "xhr",
|
||||||
|
method: xhr._manusData.method,
|
||||||
|
url: xhr._manusData.url,
|
||||||
|
request: { body: xhr._manusData.requestBody },
|
||||||
|
response: null,
|
||||||
|
duration: Date.now() - xhr._manusData.startTime,
|
||||||
|
error: { message: "Network error" },
|
||||||
|
};
|
||||||
|
|
||||||
|
store.networkRequests.push(entry);
|
||||||
|
pruneBuffer(store.networkRequests, CONFIG.bufferSize.network);
|
||||||
|
|
||||||
|
logUiEvent("network_error", {
|
||||||
|
kind: "xhr",
|
||||||
|
method: entry.method,
|
||||||
|
url: entry.url,
|
||||||
|
message: "Network error",
|
||||||
|
});
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
return originalXHRSend.apply(this, arguments);
|
||||||
|
};
|
||||||
|
|
||||||
|
// ==========================================================================
|
||||||
|
// Data Reporting
|
||||||
|
// ==========================================================================
|
||||||
|
|
||||||
|
function reportLogs() {
|
||||||
|
var consoleLogs = store.consoleLogs.splice(0);
|
||||||
|
var networkRequests = store.networkRequests.splice(0);
|
||||||
|
var uiEvents = store.uiEvents.splice(0);
|
||||||
|
|
||||||
|
// Skip if no new data
|
||||||
|
if (
|
||||||
|
consoleLogs.length === 0 &&
|
||||||
|
networkRequests.length === 0 &&
|
||||||
|
uiEvents.length === 0
|
||||||
|
) {
|
||||||
|
return Promise.resolve();
|
||||||
|
}
|
||||||
|
|
||||||
|
var payload = {
|
||||||
|
timestamp: Date.now(),
|
||||||
|
consoleLogs: consoleLogs,
|
||||||
|
networkRequests: networkRequests,
|
||||||
|
// Mirror uiEvents to sessionEvents for sessionReplay.log
|
||||||
|
sessionEvents: uiEvents,
|
||||||
|
// agent-friendly semantic events
|
||||||
|
uiEvents: uiEvents,
|
||||||
|
};
|
||||||
|
|
||||||
|
return originalFetch(CONFIG.reportEndpoint, {
|
||||||
|
method: "POST",
|
||||||
|
headers: { "Content-Type": "application/json" },
|
||||||
|
body: JSON.stringify(payload),
|
||||||
|
}).catch(function () {
|
||||||
|
// Put data back on failure (but respect limits)
|
||||||
|
store.consoleLogs = consoleLogs.concat(store.consoleLogs);
|
||||||
|
store.networkRequests = networkRequests.concat(store.networkRequests);
|
||||||
|
store.uiEvents = uiEvents.concat(store.uiEvents);
|
||||||
|
|
||||||
|
pruneBuffer(store.consoleLogs, CONFIG.bufferSize.console);
|
||||||
|
pruneBuffer(store.networkRequests, CONFIG.bufferSize.network);
|
||||||
|
pruneBuffer(store.uiEvents, CONFIG.bufferSize.ui);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// Periodic reporting
|
||||||
|
setInterval(reportLogs, CONFIG.reportInterval);
|
||||||
|
|
||||||
|
// Report on page unload
|
||||||
|
window.addEventListener("beforeunload", function () {
|
||||||
|
var consoleLogs = store.consoleLogs;
|
||||||
|
var networkRequests = store.networkRequests;
|
||||||
|
var uiEvents = store.uiEvents;
|
||||||
|
|
||||||
|
if (
|
||||||
|
consoleLogs.length === 0 &&
|
||||||
|
networkRequests.length === 0 &&
|
||||||
|
uiEvents.length === 0
|
||||||
|
) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
var payload = {
|
||||||
|
timestamp: Date.now(),
|
||||||
|
consoleLogs: consoleLogs,
|
||||||
|
networkRequests: networkRequests,
|
||||||
|
// Mirror uiEvents to sessionEvents for sessionReplay.log
|
||||||
|
sessionEvents: uiEvents,
|
||||||
|
uiEvents: uiEvents,
|
||||||
|
};
|
||||||
|
|
||||||
|
if (navigator.sendBeacon) {
|
||||||
|
var payloadStr = JSON.stringify(payload);
|
||||||
|
// sendBeacon has ~64KB limit, truncate if too large
|
||||||
|
var MAX_BEACON_SIZE = 60000; // Leave some margin
|
||||||
|
if (payloadStr.length > MAX_BEACON_SIZE) {
|
||||||
|
// Prioritize: keep recent events, drop older logs
|
||||||
|
var truncatedPayload = {
|
||||||
|
timestamp: Date.now(),
|
||||||
|
consoleLogs: consoleLogs.slice(-50),
|
||||||
|
networkRequests: networkRequests.slice(-20),
|
||||||
|
sessionEvents: uiEvents.slice(-100),
|
||||||
|
uiEvents: uiEvents.slice(-100),
|
||||||
|
_truncated: true,
|
||||||
|
};
|
||||||
|
payloadStr = JSON.stringify(truncatedPayload);
|
||||||
|
}
|
||||||
|
navigator.sendBeacon(CONFIG.reportEndpoint, payloadStr);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
// ==========================================================================
|
||||||
|
// Initialization
|
||||||
|
// ==========================================================================
|
||||||
|
|
||||||
|
// Install semantic UI listeners ASAP
|
||||||
|
try {
|
||||||
|
installUiEventListeners();
|
||||||
|
} catch (e) {
|
||||||
|
console.warn("[Manus] Failed to install UI listeners:", e);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Mark as initialized
|
||||||
|
window.__MANUS_DEBUG_COLLECTOR__ = {
|
||||||
|
version: "2.0-no-rrweb",
|
||||||
|
store: store,
|
||||||
|
forceReport: reportLogs,
|
||||||
|
};
|
||||||
|
|
||||||
|
console.debug("[Manus] Debug collector initialized (no rrweb, UI events only)");
|
||||||
|
})();
|
||||||
|
|
@ -0,0 +1,46 @@
|
||||||
|
import { Toaster } from "@/components/ui/sonner";
|
||||||
|
import { TooltipProvider } from "@/components/ui/tooltip";
|
||||||
|
import NotFound from "@/pages/NotFound";
|
||||||
|
import { Route, Switch } from "wouter";
|
||||||
|
import ErrorBoundary from "./components/ErrorBoundary";
|
||||||
|
import { ThemeProvider } from "./contexts/ThemeContext";
|
||||||
|
import Home from "./pages/Home";
|
||||||
|
import Tutorial from "./pages/Tutorial";
|
||||||
|
import Admin from "./pages/Admin";
|
||||||
|
|
||||||
|
function Router() {
|
||||||
|
// make sure to consider if you need authentication for certain routes
|
||||||
|
return (
|
||||||
|
<Switch>
|
||||||
|
<Route path={"/"} component={Home} />
|
||||||
|
<Route path={"/tutorial"} component={Tutorial} />
|
||||||
|
<Route path={"/admin"} component={Admin} />
|
||||||
|
<Route path={"/404"} component={NotFound} />
|
||||||
|
{/* Final fallback route */}
|
||||||
|
<Route component={NotFound} />
|
||||||
|
</Switch>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// NOTE: About Theme
|
||||||
|
// - First choose a default theme according to your design style (dark or light bg), than change color palette in index.css
|
||||||
|
// to keep consistent foreground/background color across components
|
||||||
|
// - If you want to make theme switchable, pass `switchable` ThemeProvider and use `useTheme` hook
|
||||||
|
|
||||||
|
function App() {
|
||||||
|
return (
|
||||||
|
<ErrorBoundary>
|
||||||
|
<ThemeProvider
|
||||||
|
defaultTheme="dark"
|
||||||
|
// switchable
|
||||||
|
>
|
||||||
|
<TooltipProvider>
|
||||||
|
<Toaster />
|
||||||
|
<Router />
|
||||||
|
</TooltipProvider>
|
||||||
|
</ThemeProvider>
|
||||||
|
</ErrorBoundary>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export default App;
|
||||||
|
|
@ -0,0 +1,84 @@
|
||||||
|
import { getLoginUrl } from "@/const";
|
||||||
|
import { trpc } from "@/lib/trpc";
|
||||||
|
import { TRPCClientError } from "@trpc/client";
|
||||||
|
import { useCallback, useEffect, useMemo } from "react";
|
||||||
|
|
||||||
|
type UseAuthOptions = {
|
||||||
|
redirectOnUnauthenticated?: boolean;
|
||||||
|
redirectPath?: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
export function useAuth(options?: UseAuthOptions) {
|
||||||
|
const { redirectOnUnauthenticated = false, redirectPath = getLoginUrl() } =
|
||||||
|
options ?? {};
|
||||||
|
const utils = trpc.useUtils();
|
||||||
|
|
||||||
|
const meQuery = trpc.auth.me.useQuery(undefined, {
|
||||||
|
retry: false,
|
||||||
|
refetchOnWindowFocus: false,
|
||||||
|
});
|
||||||
|
|
||||||
|
const logoutMutation = trpc.auth.logout.useMutation({
|
||||||
|
onSuccess: () => {
|
||||||
|
utils.auth.me.setData(undefined, null);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const logout = useCallback(async () => {
|
||||||
|
try {
|
||||||
|
await logoutMutation.mutateAsync();
|
||||||
|
} catch (error: unknown) {
|
||||||
|
if (
|
||||||
|
error instanceof TRPCClientError &&
|
||||||
|
error.data?.code === "UNAUTHORIZED"
|
||||||
|
) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
throw error;
|
||||||
|
} finally {
|
||||||
|
utils.auth.me.setData(undefined, null);
|
||||||
|
await utils.auth.me.invalidate();
|
||||||
|
}
|
||||||
|
}, [logoutMutation, utils]);
|
||||||
|
|
||||||
|
const state = useMemo(() => {
|
||||||
|
localStorage.setItem(
|
||||||
|
"manus-runtime-user-info",
|
||||||
|
JSON.stringify(meQuery.data)
|
||||||
|
);
|
||||||
|
return {
|
||||||
|
user: meQuery.data ?? null,
|
||||||
|
loading: meQuery.isLoading || logoutMutation.isPending,
|
||||||
|
error: meQuery.error ?? logoutMutation.error ?? null,
|
||||||
|
isAuthenticated: Boolean(meQuery.data),
|
||||||
|
};
|
||||||
|
}, [
|
||||||
|
meQuery.data,
|
||||||
|
meQuery.error,
|
||||||
|
meQuery.isLoading,
|
||||||
|
logoutMutation.error,
|
||||||
|
logoutMutation.isPending,
|
||||||
|
]);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (!redirectOnUnauthenticated) return;
|
||||||
|
if (meQuery.isLoading || logoutMutation.isPending) return;
|
||||||
|
if (state.user) return;
|
||||||
|
if (typeof window === "undefined") return;
|
||||||
|
if (window.location.pathname === redirectPath) return;
|
||||||
|
|
||||||
|
window.location.href = redirectPath
|
||||||
|
}, [
|
||||||
|
redirectOnUnauthenticated,
|
||||||
|
redirectPath,
|
||||||
|
logoutMutation.isPending,
|
||||||
|
meQuery.isLoading,
|
||||||
|
state.user,
|
||||||
|
]);
|
||||||
|
|
||||||
|
return {
|
||||||
|
...state,
|
||||||
|
refresh: () => meQuery.refetch(),
|
||||||
|
logout,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,335 @@
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
import { Textarea } from "@/components/ui/textarea";
|
||||||
|
import { ScrollArea } from "@/components/ui/scroll-area";
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Loader2, Send, User, Sparkles } from "lucide-react";
|
||||||
|
import { useState, useEffect, useRef } from "react";
|
||||||
|
import { Streamdown } from "streamdown";
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Message type matching server-side LLM Message interface
|
||||||
|
*/
|
||||||
|
export type Message = {
|
||||||
|
role: "system" | "user" | "assistant";
|
||||||
|
content: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
export type AIChatBoxProps = {
|
||||||
|
/**
|
||||||
|
* Messages array to display in the chat.
|
||||||
|
* Should match the format used by invokeLLM on the server.
|
||||||
|
*/
|
||||||
|
messages: Message[];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Callback when user sends a message.
|
||||||
|
* Typically you'll call a tRPC mutation here to invoke the LLM.
|
||||||
|
*/
|
||||||
|
onSendMessage: (content: string) => void;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Whether the AI is currently generating a response
|
||||||
|
*/
|
||||||
|
isLoading?: boolean;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Placeholder text for the input field
|
||||||
|
*/
|
||||||
|
placeholder?: string;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Custom className for the container
|
||||||
|
*/
|
||||||
|
className?: string;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Height of the chat box (default: 600px)
|
||||||
|
*/
|
||||||
|
height?: string | number;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Empty state message to display when no messages
|
||||||
|
*/
|
||||||
|
emptyStateMessage?: string;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Suggested prompts to display in empty state
|
||||||
|
* Click to send directly
|
||||||
|
*/
|
||||||
|
suggestedPrompts?: string[];
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* A ready-to-use AI chat box component that integrates with the LLM system.
|
||||||
|
*
|
||||||
|
* Features:
|
||||||
|
* - Matches server-side Message interface for seamless integration
|
||||||
|
* - Markdown rendering with Streamdown
|
||||||
|
* - Auto-scrolls to latest message
|
||||||
|
* - Loading states
|
||||||
|
* - Uses global theme colors from index.css
|
||||||
|
*
|
||||||
|
* @example
|
||||||
|
* ```tsx
|
||||||
|
* const ChatPage = () => {
|
||||||
|
* const [messages, setMessages] = useState<Message[]>([
|
||||||
|
* { role: "system", content: "You are a helpful assistant." }
|
||||||
|
* ]);
|
||||||
|
*
|
||||||
|
* const chatMutation = trpc.ai.chat.useMutation({
|
||||||
|
* onSuccess: (response) => {
|
||||||
|
* // Assuming your tRPC endpoint returns the AI response as a string
|
||||||
|
* setMessages(prev => [...prev, {
|
||||||
|
* role: "assistant",
|
||||||
|
* content: response
|
||||||
|
* }]);
|
||||||
|
* },
|
||||||
|
* onError: (error) => {
|
||||||
|
* console.error("Chat error:", error);
|
||||||
|
* // Optionally show error message to user
|
||||||
|
* }
|
||||||
|
* });
|
||||||
|
*
|
||||||
|
* const handleSend = (content: string) => {
|
||||||
|
* const newMessages = [...messages, { role: "user", content }];
|
||||||
|
* setMessages(newMessages);
|
||||||
|
* chatMutation.mutate({ messages: newMessages });
|
||||||
|
* };
|
||||||
|
*
|
||||||
|
* return (
|
||||||
|
* <AIChatBox
|
||||||
|
* messages={messages}
|
||||||
|
* onSendMessage={handleSend}
|
||||||
|
* isLoading={chatMutation.isPending}
|
||||||
|
* suggestedPrompts={[
|
||||||
|
* "Explain quantum computing",
|
||||||
|
* "Write a hello world in Python"
|
||||||
|
* ]}
|
||||||
|
* />
|
||||||
|
* );
|
||||||
|
* };
|
||||||
|
* ```
|
||||||
|
*/
|
||||||
|
export function AIChatBox({
|
||||||
|
messages,
|
||||||
|
onSendMessage,
|
||||||
|
isLoading = false,
|
||||||
|
placeholder = "Type your message...",
|
||||||
|
className,
|
||||||
|
height = "600px",
|
||||||
|
emptyStateMessage = "Start a conversation with AI",
|
||||||
|
suggestedPrompts,
|
||||||
|
}: AIChatBoxProps) {
|
||||||
|
const [input, setInput] = useState("");
|
||||||
|
const scrollAreaRef = useRef<HTMLDivElement>(null);
|
||||||
|
const containerRef = useRef<HTMLDivElement>(null);
|
||||||
|
const inputAreaRef = useRef<HTMLFormElement>(null);
|
||||||
|
const textareaRef = useRef<HTMLTextAreaElement>(null);
|
||||||
|
|
||||||
|
// Filter out system messages
|
||||||
|
const displayMessages = messages.filter((msg) => msg.role !== "system");
|
||||||
|
|
||||||
|
// Calculate min-height for last assistant message to push user message to top
|
||||||
|
const [minHeightForLastMessage, setMinHeightForLastMessage] = useState(0);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (containerRef.current && inputAreaRef.current) {
|
||||||
|
const containerHeight = containerRef.current.offsetHeight;
|
||||||
|
const inputHeight = inputAreaRef.current.offsetHeight;
|
||||||
|
const scrollAreaHeight = containerHeight - inputHeight;
|
||||||
|
|
||||||
|
// Reserve space for:
|
||||||
|
// - padding (p-4 = 32px top+bottom)
|
||||||
|
// - user message: 40px (item height) + 16px (margin-top from space-y-4) = 56px
|
||||||
|
// Note: margin-bottom is not counted because it naturally pushes the assistant message down
|
||||||
|
const userMessageReservedHeight = 56;
|
||||||
|
const calculatedHeight = scrollAreaHeight - 32 - userMessageReservedHeight;
|
||||||
|
|
||||||
|
setMinHeightForLastMessage(Math.max(0, calculatedHeight));
|
||||||
|
}
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// Scroll to bottom helper function with smooth animation
|
||||||
|
const scrollToBottom = () => {
|
||||||
|
const viewport = scrollAreaRef.current?.querySelector(
|
||||||
|
'[data-radix-scroll-area-viewport]'
|
||||||
|
) as HTMLDivElement;
|
||||||
|
|
||||||
|
if (viewport) {
|
||||||
|
requestAnimationFrame(() => {
|
||||||
|
viewport.scrollTo({
|
||||||
|
top: viewport.scrollHeight,
|
||||||
|
behavior: 'smooth'
|
||||||
|
});
|
||||||
|
});
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleSubmit = (e: React.FormEvent) => {
|
||||||
|
e.preventDefault();
|
||||||
|
const trimmedInput = input.trim();
|
||||||
|
if (!trimmedInput || isLoading) return;
|
||||||
|
|
||||||
|
onSendMessage(trimmedInput);
|
||||||
|
setInput("");
|
||||||
|
|
||||||
|
// Scroll immediately after sending
|
||||||
|
scrollToBottom();
|
||||||
|
|
||||||
|
// Keep focus on input
|
||||||
|
textareaRef.current?.focus();
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleKeyDown = (e: React.KeyboardEvent<HTMLTextAreaElement>) => {
|
||||||
|
if (e.key === "Enter" && !e.shiftKey) {
|
||||||
|
e.preventDefault();
|
||||||
|
handleSubmit(e);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
ref={containerRef}
|
||||||
|
className={cn(
|
||||||
|
"flex flex-col bg-card text-card-foreground rounded-lg border shadow-sm",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
style={{ height }}
|
||||||
|
>
|
||||||
|
{/* Messages Area */}
|
||||||
|
<div ref={scrollAreaRef} className="flex-1 overflow-hidden">
|
||||||
|
{displayMessages.length === 0 ? (
|
||||||
|
<div className="flex h-full flex-col p-4">
|
||||||
|
<div className="flex flex-1 flex-col items-center justify-center gap-6 text-muted-foreground">
|
||||||
|
<div className="flex flex-col items-center gap-3">
|
||||||
|
<Sparkles className="size-12 opacity-20" />
|
||||||
|
<p className="text-sm">{emptyStateMessage}</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{suggestedPrompts && suggestedPrompts.length > 0 && (
|
||||||
|
<div className="flex max-w-2xl flex-wrap justify-center gap-2">
|
||||||
|
{suggestedPrompts.map((prompt, index) => (
|
||||||
|
<button
|
||||||
|
key={index}
|
||||||
|
onClick={() => onSendMessage(prompt)}
|
||||||
|
disabled={isLoading}
|
||||||
|
className="rounded-lg border border-border bg-card px-4 py-2 text-sm transition-colors hover:bg-accent disabled:cursor-not-allowed disabled:opacity-50"
|
||||||
|
>
|
||||||
|
{prompt}
|
||||||
|
</button>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
<ScrollArea className="h-full">
|
||||||
|
<div className="flex flex-col space-y-4 p-4">
|
||||||
|
{displayMessages.map((message, index) => {
|
||||||
|
// Apply min-height to last message only if NOT loading (when loading, the loading indicator gets it)
|
||||||
|
const isLastMessage = index === displayMessages.length - 1;
|
||||||
|
const shouldApplyMinHeight =
|
||||||
|
isLastMessage && !isLoading && minHeightForLastMessage > 0;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
key={index}
|
||||||
|
className={cn(
|
||||||
|
"flex gap-3",
|
||||||
|
message.role === "user"
|
||||||
|
? "justify-end items-start"
|
||||||
|
: "justify-start items-start"
|
||||||
|
)}
|
||||||
|
style={
|
||||||
|
shouldApplyMinHeight
|
||||||
|
? { minHeight: `${minHeightForLastMessage}px` }
|
||||||
|
: undefined
|
||||||
|
}
|
||||||
|
>
|
||||||
|
{message.role === "assistant" && (
|
||||||
|
<div className="size-8 shrink-0 mt-1 rounded-full bg-primary/10 flex items-center justify-center">
|
||||||
|
<Sparkles className="size-4 text-primary" />
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
<div
|
||||||
|
className={cn(
|
||||||
|
"max-w-[80%] rounded-lg px-4 py-2.5",
|
||||||
|
message.role === "user"
|
||||||
|
? "bg-primary text-primary-foreground"
|
||||||
|
: "bg-muted text-foreground"
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
{message.role === "assistant" ? (
|
||||||
|
<div className="prose prose-sm dark:prose-invert max-w-none">
|
||||||
|
<Streamdown>{message.content}</Streamdown>
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
<p className="whitespace-pre-wrap text-sm">
|
||||||
|
{message.content}
|
||||||
|
</p>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{message.role === "user" && (
|
||||||
|
<div className="size-8 shrink-0 mt-1 rounded-full bg-secondary flex items-center justify-center">
|
||||||
|
<User className="size-4 text-secondary-foreground" />
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
|
||||||
|
{isLoading && (
|
||||||
|
<div
|
||||||
|
className="flex items-start gap-3"
|
||||||
|
style={
|
||||||
|
minHeightForLastMessage > 0
|
||||||
|
? { minHeight: `${minHeightForLastMessage}px` }
|
||||||
|
: undefined
|
||||||
|
}
|
||||||
|
>
|
||||||
|
<div className="size-8 shrink-0 mt-1 rounded-full bg-primary/10 flex items-center justify-center">
|
||||||
|
<Sparkles className="size-4 text-primary" />
|
||||||
|
</div>
|
||||||
|
<div className="rounded-lg bg-muted px-4 py-2.5">
|
||||||
|
<Loader2 className="size-4 animate-spin text-muted-foreground" />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</ScrollArea>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Input Area */}
|
||||||
|
<form
|
||||||
|
ref={inputAreaRef}
|
||||||
|
onSubmit={handleSubmit}
|
||||||
|
className="flex gap-2 p-4 border-t bg-background/50 items-end"
|
||||||
|
>
|
||||||
|
<Textarea
|
||||||
|
ref={textareaRef}
|
||||||
|
value={input}
|
||||||
|
onChange={(e) => setInput(e.target.value)}
|
||||||
|
onKeyDown={handleKeyDown}
|
||||||
|
placeholder={placeholder}
|
||||||
|
className="flex-1 max-h-32 resize-none min-h-9"
|
||||||
|
rows={1}
|
||||||
|
/>
|
||||||
|
<Button
|
||||||
|
type="submit"
|
||||||
|
size="icon"
|
||||||
|
disabled={!input.trim() || isLoading}
|
||||||
|
className="shrink-0 h-[38px] w-[38px]"
|
||||||
|
>
|
||||||
|
{isLoading ? (
|
||||||
|
<Loader2 className="size-4 animate-spin" />
|
||||||
|
) : (
|
||||||
|
<Send className="size-4" />
|
||||||
|
)}
|
||||||
|
</Button>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,264 @@
|
||||||
|
import { useAuth } from "@/_core/hooks/useAuth";
|
||||||
|
import { Avatar, AvatarFallback } from "@/components/ui/avatar";
|
||||||
|
import {
|
||||||
|
DropdownMenu,
|
||||||
|
DropdownMenuContent,
|
||||||
|
DropdownMenuItem,
|
||||||
|
DropdownMenuTrigger,
|
||||||
|
} from "@/components/ui/dropdown-menu";
|
||||||
|
import {
|
||||||
|
Sidebar,
|
||||||
|
SidebarContent,
|
||||||
|
SidebarFooter,
|
||||||
|
SidebarHeader,
|
||||||
|
SidebarInset,
|
||||||
|
SidebarMenu,
|
||||||
|
SidebarMenuButton,
|
||||||
|
SidebarMenuItem,
|
||||||
|
SidebarProvider,
|
||||||
|
SidebarTrigger,
|
||||||
|
useSidebar,
|
||||||
|
} from "@/components/ui/sidebar";
|
||||||
|
import { getLoginUrl } from "@/const";
|
||||||
|
import { useIsMobile } from "@/hooks/useMobile";
|
||||||
|
import { LayoutDashboard, LogOut, PanelLeft, Users } from "lucide-react";
|
||||||
|
import { CSSProperties, useEffect, useRef, useState } from "react";
|
||||||
|
import { useLocation } from "wouter";
|
||||||
|
import { DashboardLayoutSkeleton } from './DashboardLayoutSkeleton';
|
||||||
|
import { Button } from "./ui/button";
|
||||||
|
|
||||||
|
const menuItems = [
|
||||||
|
{ icon: LayoutDashboard, label: "Page 1", path: "/" },
|
||||||
|
{ icon: Users, label: "Page 2", path: "/some-path" },
|
||||||
|
];
|
||||||
|
|
||||||
|
const SIDEBAR_WIDTH_KEY = "sidebar-width";
|
||||||
|
const DEFAULT_WIDTH = 280;
|
||||||
|
const MIN_WIDTH = 200;
|
||||||
|
const MAX_WIDTH = 480;
|
||||||
|
|
||||||
|
export default function DashboardLayout({
|
||||||
|
children,
|
||||||
|
}: {
|
||||||
|
children: React.ReactNode;
|
||||||
|
}) {
|
||||||
|
const [sidebarWidth, setSidebarWidth] = useState(() => {
|
||||||
|
const saved = localStorage.getItem(SIDEBAR_WIDTH_KEY);
|
||||||
|
return saved ? parseInt(saved, 10) : DEFAULT_WIDTH;
|
||||||
|
});
|
||||||
|
const { loading, user } = useAuth();
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
localStorage.setItem(SIDEBAR_WIDTH_KEY, sidebarWidth.toString());
|
||||||
|
}, [sidebarWidth]);
|
||||||
|
|
||||||
|
if (loading) {
|
||||||
|
return <DashboardLayoutSkeleton />
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!user) {
|
||||||
|
return (
|
||||||
|
<div className="flex items-center justify-center min-h-screen">
|
||||||
|
<div className="flex flex-col items-center gap-8 p-8 max-w-md w-full">
|
||||||
|
<div className="flex flex-col items-center gap-6">
|
||||||
|
<h1 className="text-2xl font-semibold tracking-tight text-center">
|
||||||
|
Sign in to continue
|
||||||
|
</h1>
|
||||||
|
<p className="text-sm text-muted-foreground text-center max-w-sm">
|
||||||
|
Access to this dashboard requires authentication. Continue to launch the login flow.
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<Button
|
||||||
|
onClick={() => {
|
||||||
|
window.location.href = getLoginUrl();
|
||||||
|
}}
|
||||||
|
size="lg"
|
||||||
|
className="w-full shadow-lg hover:shadow-xl transition-all"
|
||||||
|
>
|
||||||
|
Sign in
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<SidebarProvider
|
||||||
|
style={
|
||||||
|
{
|
||||||
|
"--sidebar-width": `${sidebarWidth}px`,
|
||||||
|
} as CSSProperties
|
||||||
|
}
|
||||||
|
>
|
||||||
|
<DashboardLayoutContent setSidebarWidth={setSidebarWidth}>
|
||||||
|
{children}
|
||||||
|
</DashboardLayoutContent>
|
||||||
|
</SidebarProvider>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
type DashboardLayoutContentProps = {
|
||||||
|
children: React.ReactNode;
|
||||||
|
setSidebarWidth: (width: number) => void;
|
||||||
|
};
|
||||||
|
|
||||||
|
function DashboardLayoutContent({
|
||||||
|
children,
|
||||||
|
setSidebarWidth,
|
||||||
|
}: DashboardLayoutContentProps) {
|
||||||
|
const { user, logout } = useAuth();
|
||||||
|
const [location, setLocation] = useLocation();
|
||||||
|
const { state, toggleSidebar } = useSidebar();
|
||||||
|
const isCollapsed = state === "collapsed";
|
||||||
|
const [isResizing, setIsResizing] = useState(false);
|
||||||
|
const sidebarRef = useRef<HTMLDivElement>(null);
|
||||||
|
const activeMenuItem = menuItems.find(item => item.path === location);
|
||||||
|
const isMobile = useIsMobile();
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (isCollapsed) {
|
||||||
|
setIsResizing(false);
|
||||||
|
}
|
||||||
|
}, [isCollapsed]);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
const handleMouseMove = (e: MouseEvent) => {
|
||||||
|
if (!isResizing) return;
|
||||||
|
|
||||||
|
const sidebarLeft = sidebarRef.current?.getBoundingClientRect().left ?? 0;
|
||||||
|
const newWidth = e.clientX - sidebarLeft;
|
||||||
|
if (newWidth >= MIN_WIDTH && newWidth <= MAX_WIDTH) {
|
||||||
|
setSidebarWidth(newWidth);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleMouseUp = () => {
|
||||||
|
setIsResizing(false);
|
||||||
|
};
|
||||||
|
|
||||||
|
if (isResizing) {
|
||||||
|
document.addEventListener("mousemove", handleMouseMove);
|
||||||
|
document.addEventListener("mouseup", handleMouseUp);
|
||||||
|
document.body.style.cursor = "col-resize";
|
||||||
|
document.body.style.userSelect = "none";
|
||||||
|
}
|
||||||
|
|
||||||
|
return () => {
|
||||||
|
document.removeEventListener("mousemove", handleMouseMove);
|
||||||
|
document.removeEventListener("mouseup", handleMouseUp);
|
||||||
|
document.body.style.cursor = "";
|
||||||
|
document.body.style.userSelect = "";
|
||||||
|
};
|
||||||
|
}, [isResizing, setSidebarWidth]);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<>
|
||||||
|
<div className="relative" ref={sidebarRef}>
|
||||||
|
<Sidebar
|
||||||
|
collapsible="icon"
|
||||||
|
className="border-r-0"
|
||||||
|
disableTransition={isResizing}
|
||||||
|
>
|
||||||
|
<SidebarHeader className="h-16 justify-center">
|
||||||
|
<div className="flex items-center gap-3 px-2 transition-all w-full">
|
||||||
|
<button
|
||||||
|
onClick={toggleSidebar}
|
||||||
|
className="h-8 w-8 flex items-center justify-center hover:bg-accent rounded-lg transition-colors focus:outline-none focus-visible:ring-2 focus-visible:ring-ring shrink-0"
|
||||||
|
aria-label="Toggle navigation"
|
||||||
|
>
|
||||||
|
<PanelLeft className="h-4 w-4 text-muted-foreground" />
|
||||||
|
</button>
|
||||||
|
{!isCollapsed ? (
|
||||||
|
<div className="flex items-center gap-2 min-w-0">
|
||||||
|
<span className="font-semibold tracking-tight truncate">
|
||||||
|
Navigation
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
) : null}
|
||||||
|
</div>
|
||||||
|
</SidebarHeader>
|
||||||
|
|
||||||
|
<SidebarContent className="gap-0">
|
||||||
|
<SidebarMenu className="px-2 py-1">
|
||||||
|
{menuItems.map(item => {
|
||||||
|
const isActive = location === item.path;
|
||||||
|
return (
|
||||||
|
<SidebarMenuItem key={item.path}>
|
||||||
|
<SidebarMenuButton
|
||||||
|
isActive={isActive}
|
||||||
|
onClick={() => setLocation(item.path)}
|
||||||
|
tooltip={item.label}
|
||||||
|
className={`h-10 transition-all font-normal`}
|
||||||
|
>
|
||||||
|
<item.icon
|
||||||
|
className={`h-4 w-4 ${isActive ? "text-primary" : ""}`}
|
||||||
|
/>
|
||||||
|
<span>{item.label}</span>
|
||||||
|
</SidebarMenuButton>
|
||||||
|
</SidebarMenuItem>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</SidebarMenu>
|
||||||
|
</SidebarContent>
|
||||||
|
|
||||||
|
<SidebarFooter className="p-3">
|
||||||
|
<DropdownMenu>
|
||||||
|
<DropdownMenuTrigger asChild>
|
||||||
|
<button className="flex items-center gap-3 rounded-lg px-1 py-1 hover:bg-accent/50 transition-colors w-full text-left group-data-[collapsible=icon]:justify-center focus:outline-none focus-visible:ring-2 focus-visible:ring-ring">
|
||||||
|
<Avatar className="h-9 w-9 border shrink-0">
|
||||||
|
<AvatarFallback className="text-xs font-medium">
|
||||||
|
{user?.name?.charAt(0).toUpperCase()}
|
||||||
|
</AvatarFallback>
|
||||||
|
</Avatar>
|
||||||
|
<div className="flex-1 min-w-0 group-data-[collapsible=icon]:hidden">
|
||||||
|
<p className="text-sm font-medium truncate leading-none">
|
||||||
|
{user?.name || "-"}
|
||||||
|
</p>
|
||||||
|
<p className="text-xs text-muted-foreground truncate mt-1.5">
|
||||||
|
{user?.email || "-"}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</button>
|
||||||
|
</DropdownMenuTrigger>
|
||||||
|
<DropdownMenuContent align="end" className="w-48">
|
||||||
|
<DropdownMenuItem
|
||||||
|
onClick={logout}
|
||||||
|
className="cursor-pointer text-destructive focus:text-destructive"
|
||||||
|
>
|
||||||
|
<LogOut className="mr-2 h-4 w-4" />
|
||||||
|
<span>Sign out</span>
|
||||||
|
</DropdownMenuItem>
|
||||||
|
</DropdownMenuContent>
|
||||||
|
</DropdownMenu>
|
||||||
|
</SidebarFooter>
|
||||||
|
</Sidebar>
|
||||||
|
<div
|
||||||
|
className={`absolute top-0 right-0 w-1 h-full cursor-col-resize hover:bg-primary/20 transition-colors ${isCollapsed ? "hidden" : ""}`}
|
||||||
|
onMouseDown={() => {
|
||||||
|
if (isCollapsed) return;
|
||||||
|
setIsResizing(true);
|
||||||
|
}}
|
||||||
|
style={{ zIndex: 50 }}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<SidebarInset>
|
||||||
|
{isMobile && (
|
||||||
|
<div className="flex border-b h-14 items-center justify-between bg-background/95 px-2 backdrop-blur supports-[backdrop-filter]:backdrop-blur sticky top-0 z-40">
|
||||||
|
<div className="flex items-center gap-2">
|
||||||
|
<SidebarTrigger className="h-9 w-9 rounded-lg bg-background" />
|
||||||
|
<div className="flex items-center gap-3">
|
||||||
|
<div className="flex flex-col gap-1">
|
||||||
|
<span className="tracking-tight text-foreground">
|
||||||
|
{activeMenuItem?.label ?? "Menu"}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
<main className="flex-1 p-4">{children}</main>
|
||||||
|
</SidebarInset>
|
||||||
|
</>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,46 @@
|
||||||
|
import { Skeleton } from './ui/skeleton';
|
||||||
|
|
||||||
|
export function DashboardLayoutSkeleton() {
|
||||||
|
return (
|
||||||
|
<div className="flex min-h-screen bg-background">
|
||||||
|
{/* Sidebar skeleton */}
|
||||||
|
<div className="w-[280px] border-r border-border bg-background p-4 space-y-6">
|
||||||
|
{/* Logo area */}
|
||||||
|
<div className="flex items-center gap-3 px-2">
|
||||||
|
<Skeleton className="h-8 w-8 rounded-md" />
|
||||||
|
<Skeleton className="h-4 w-24" />
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Menu items */}
|
||||||
|
<div className="space-y-2 px-2">
|
||||||
|
<Skeleton className="h-10 w-full rounded-lg" />
|
||||||
|
<Skeleton className="h-10 w-full rounded-lg" />
|
||||||
|
<Skeleton className="h-10 w-full rounded-lg" />
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* User profile area at bottom */}
|
||||||
|
<div className="absolute bottom-4 left-4 right-4">
|
||||||
|
<div className="flex items-center gap-3 px-1">
|
||||||
|
<Skeleton className="h-9 w-9 rounded-full" />
|
||||||
|
<div className="flex-1 space-y-2">
|
||||||
|
<Skeleton className="h-3 w-20" />
|
||||||
|
<Skeleton className="h-2 w-32" />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Main content skeleton */}
|
||||||
|
<div className="flex-1 p-4 space-y-4">
|
||||||
|
{/* Content blocks */}
|
||||||
|
<Skeleton className="h-12 w-48 rounded-lg" />
|
||||||
|
<div className="grid gap-4 md:grid-cols-2 lg:grid-cols-3">
|
||||||
|
<Skeleton className="h-32 rounded-xl" />
|
||||||
|
<Skeleton className="h-32 rounded-xl" />
|
||||||
|
<Skeleton className="h-32 rounded-xl" />
|
||||||
|
</div>
|
||||||
|
<Skeleton className="h-64 rounded-xl" />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,62 @@
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { AlertTriangle, RotateCcw } from "lucide-react";
|
||||||
|
import { Component, ReactNode } from "react";
|
||||||
|
|
||||||
|
interface Props {
|
||||||
|
children: ReactNode;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface State {
|
||||||
|
hasError: boolean;
|
||||||
|
error: Error | null;
|
||||||
|
}
|
||||||
|
|
||||||
|
class ErrorBoundary extends Component<Props, State> {
|
||||||
|
constructor(props: Props) {
|
||||||
|
super(props);
|
||||||
|
this.state = { hasError: false, error: null };
|
||||||
|
}
|
||||||
|
|
||||||
|
static getDerivedStateFromError(error: Error): State {
|
||||||
|
return { hasError: true, error };
|
||||||
|
}
|
||||||
|
|
||||||
|
render() {
|
||||||
|
if (this.state.hasError) {
|
||||||
|
return (
|
||||||
|
<div className="flex items-center justify-center min-h-screen p-8 bg-background">
|
||||||
|
<div className="flex flex-col items-center w-full max-w-2xl p-8">
|
||||||
|
<AlertTriangle
|
||||||
|
size={48}
|
||||||
|
className="text-destructive mb-6 flex-shrink-0"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<h2 className="text-xl mb-4">An unexpected error occurred.</h2>
|
||||||
|
|
||||||
|
<div className="p-4 w-full rounded bg-muted overflow-auto mb-6">
|
||||||
|
<pre className="text-sm text-muted-foreground whitespace-break-spaces">
|
||||||
|
{this.state.error?.stack}
|
||||||
|
</pre>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<button
|
||||||
|
onClick={() => window.location.reload()}
|
||||||
|
className={cn(
|
||||||
|
"flex items-center gap-2 px-4 py-2 rounded-lg",
|
||||||
|
"bg-primary text-primary-foreground",
|
||||||
|
"hover:opacity-90 cursor-pointer"
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
<RotateCcw size={16} />
|
||||||
|
Reload Page
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return this.props.children;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export default ErrorBoundary;
|
||||||
|
|
@ -0,0 +1,89 @@
|
||||||
|
import { useEffect, useState } from "react";
|
||||||
|
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
import {
|
||||||
|
Dialog,
|
||||||
|
DialogContent,
|
||||||
|
DialogDescription,
|
||||||
|
DialogFooter,
|
||||||
|
DialogTitle,
|
||||||
|
} from "@/components/ui/dialog";
|
||||||
|
|
||||||
|
interface ManusDialogProps {
|
||||||
|
title?: string;
|
||||||
|
logo?: string;
|
||||||
|
open?: boolean;
|
||||||
|
onLogin: () => void;
|
||||||
|
onOpenChange?: (open: boolean) => void;
|
||||||
|
onClose?: () => void;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function ManusDialog({
|
||||||
|
title,
|
||||||
|
logo,
|
||||||
|
open = false,
|
||||||
|
onLogin,
|
||||||
|
onOpenChange,
|
||||||
|
onClose,
|
||||||
|
}: ManusDialogProps) {
|
||||||
|
const [internalOpen, setInternalOpen] = useState(open);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (!onOpenChange) {
|
||||||
|
setInternalOpen(open);
|
||||||
|
}
|
||||||
|
}, [open, onOpenChange]);
|
||||||
|
|
||||||
|
const handleOpenChange = (nextOpen: boolean) => {
|
||||||
|
if (onOpenChange) {
|
||||||
|
onOpenChange(nextOpen);
|
||||||
|
} else {
|
||||||
|
setInternalOpen(nextOpen);
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!nextOpen) {
|
||||||
|
onClose?.();
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Dialog
|
||||||
|
open={onOpenChange ? open : internalOpen}
|
||||||
|
onOpenChange={handleOpenChange}
|
||||||
|
>
|
||||||
|
<DialogContent className="py-5 bg-[#f8f8f7] rounded-[20px] w-[400px] shadow-[0px_4px_11px_0px_rgba(0,0,0,0.08)] border border-[rgba(0,0,0,0.08)] backdrop-blur-2xl p-0 gap-0 text-center">
|
||||||
|
<div className="flex flex-col items-center gap-2 p-5 pt-12">
|
||||||
|
{logo ? (
|
||||||
|
<div className="w-16 h-16 bg-white rounded-xl border border-[rgba(0,0,0,0.08)] flex items-center justify-center">
|
||||||
|
<img
|
||||||
|
src={logo}
|
||||||
|
alt="Dialog graphic"
|
||||||
|
className="w-10 h-10 rounded-md"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
) : null}
|
||||||
|
|
||||||
|
{/* Title and subtitle */}
|
||||||
|
{title ? (
|
||||||
|
<DialogTitle className="text-xl font-semibold text-[#34322d] leading-[26px] tracking-[-0.44px]">
|
||||||
|
{title}
|
||||||
|
</DialogTitle>
|
||||||
|
) : null}
|
||||||
|
<DialogDescription className="text-sm text-[#858481] leading-5 tracking-[-0.154px]">
|
||||||
|
Please login with Manus to continue
|
||||||
|
</DialogDescription>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<DialogFooter className="px-5 py-5">
|
||||||
|
{/* Login button */}
|
||||||
|
<Button
|
||||||
|
onClick={onLogin}
|
||||||
|
className="w-full h-10 bg-[#1a1a19] hover:bg-[#1a1a19]/90 text-white rounded-[10px] text-sm font-medium leading-5 tracking-[-0.154px]"
|
||||||
|
>
|
||||||
|
Login with Manus
|
||||||
|
</Button>
|
||||||
|
</DialogFooter>
|
||||||
|
</DialogContent>
|
||||||
|
</Dialog>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,155 @@
|
||||||
|
/**
|
||||||
|
* GOOGLE MAPS FRONTEND INTEGRATION - ESSENTIAL GUIDE
|
||||||
|
*
|
||||||
|
* USAGE FROM PARENT COMPONENT:
|
||||||
|
* ======
|
||||||
|
*
|
||||||
|
* const mapRef = useRef<google.maps.Map | null>(null);
|
||||||
|
*
|
||||||
|
* <MapView
|
||||||
|
* initialCenter={{ lat: 40.7128, lng: -74.0060 }}
|
||||||
|
* initialZoom={15}
|
||||||
|
* onMapReady={(map) => {
|
||||||
|
* mapRef.current = map; // Store to control map from parent anytime, google map itself is in charge of the re-rendering, not react state.
|
||||||
|
* </MapView>
|
||||||
|
*
|
||||||
|
* ======
|
||||||
|
* Available Libraries and Core Features:
|
||||||
|
* -------------------------------
|
||||||
|
* 📍 MARKER (from `marker` library)
|
||||||
|
* - Attaches to map using { map, position }
|
||||||
|
* new google.maps.marker.AdvancedMarkerElement({
|
||||||
|
* map,
|
||||||
|
* position: { lat: 37.7749, lng: -122.4194 },
|
||||||
|
* title: "San Francisco",
|
||||||
|
* });
|
||||||
|
*
|
||||||
|
* -------------------------------
|
||||||
|
* 🏢 PLACES (from `places` library)
|
||||||
|
* - Does not attach directly to map; use data with your map manually.
|
||||||
|
* const place = new google.maps.places.Place({ id: PLACE_ID });
|
||||||
|
* await place.fetchFields({ fields: ["displayName", "location"] });
|
||||||
|
* map.setCenter(place.location);
|
||||||
|
* new google.maps.marker.AdvancedMarkerElement({ map, position: place.location });
|
||||||
|
*
|
||||||
|
* -------------------------------
|
||||||
|
* 🧭 GEOCODER (from `geocoding` library)
|
||||||
|
* - Standalone service; manually apply results to map.
|
||||||
|
* const geocoder = new google.maps.Geocoder();
|
||||||
|
* geocoder.geocode({ address: "New York" }, (results, status) => {
|
||||||
|
* if (status === "OK" && results[0]) {
|
||||||
|
* map.setCenter(results[0].geometry.location);
|
||||||
|
* new google.maps.marker.AdvancedMarkerElement({
|
||||||
|
* map,
|
||||||
|
* position: results[0].geometry.location,
|
||||||
|
* });
|
||||||
|
* }
|
||||||
|
* });
|
||||||
|
*
|
||||||
|
* -------------------------------
|
||||||
|
* 📐 GEOMETRY (from `geometry` library)
|
||||||
|
* - Pure utility functions; not attached to map.
|
||||||
|
* const dist = google.maps.geometry.spherical.computeDistanceBetween(p1, p2);
|
||||||
|
*
|
||||||
|
* -------------------------------
|
||||||
|
* 🛣️ ROUTES (from `routes` library)
|
||||||
|
* - Combines DirectionsService (standalone) + DirectionsRenderer (map-attached)
|
||||||
|
* const directionsService = new google.maps.DirectionsService();
|
||||||
|
* const directionsRenderer = new google.maps.DirectionsRenderer({ map });
|
||||||
|
* directionsService.route(
|
||||||
|
* { origin, destination, travelMode: "DRIVING" },
|
||||||
|
* (res, status) => status === "OK" && directionsRenderer.setDirections(res)
|
||||||
|
* );
|
||||||
|
*
|
||||||
|
* -------------------------------
|
||||||
|
* 🌦️ MAP LAYERS (attach directly to map)
|
||||||
|
* - new google.maps.TrafficLayer().setMap(map);
|
||||||
|
* - new google.maps.TransitLayer().setMap(map);
|
||||||
|
* - new google.maps.BicyclingLayer().setMap(map);
|
||||||
|
*
|
||||||
|
* -------------------------------
|
||||||
|
* ✅ SUMMARY
|
||||||
|
* - “map-attached” → AdvancedMarkerElement, DirectionsRenderer, Layers.
|
||||||
|
* - “standalone” → Geocoder, DirectionsService, DistanceMatrixService, ElevationService.
|
||||||
|
* - “data-only” → Place, Geometry utilities.
|
||||||
|
*/
|
||||||
|
|
||||||
|
/// <reference types="@types/google.maps" />
|
||||||
|
|
||||||
|
import { useEffect, useRef } from "react";
|
||||||
|
import { usePersistFn } from "@/hooks/usePersistFn";
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
declare global {
|
||||||
|
interface Window {
|
||||||
|
google?: typeof google;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const API_KEY = import.meta.env.VITE_FRONTEND_FORGE_API_KEY;
|
||||||
|
const FORGE_BASE_URL =
|
||||||
|
import.meta.env.VITE_FRONTEND_FORGE_API_URL ||
|
||||||
|
"https://forge.butterfly-effect.dev";
|
||||||
|
const MAPS_PROXY_URL = `${FORGE_BASE_URL}/v1/maps/proxy`;
|
||||||
|
|
||||||
|
function loadMapScript() {
|
||||||
|
return new Promise(resolve => {
|
||||||
|
const script = document.createElement("script");
|
||||||
|
script.src = `${MAPS_PROXY_URL}/maps/api/js?key=${API_KEY}&v=weekly&libraries=marker,places,geocoding,geometry`;
|
||||||
|
script.async = true;
|
||||||
|
script.crossOrigin = "anonymous";
|
||||||
|
script.onload = () => {
|
||||||
|
resolve(null);
|
||||||
|
script.remove(); // Clean up immediately
|
||||||
|
};
|
||||||
|
script.onerror = () => {
|
||||||
|
console.error("Failed to load Google Maps script");
|
||||||
|
};
|
||||||
|
document.head.appendChild(script);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
interface MapViewProps {
|
||||||
|
className?: string;
|
||||||
|
initialCenter?: google.maps.LatLngLiteral;
|
||||||
|
initialZoom?: number;
|
||||||
|
onMapReady?: (map: google.maps.Map) => void;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function MapView({
|
||||||
|
className,
|
||||||
|
initialCenter = { lat: 37.7749, lng: -122.4194 },
|
||||||
|
initialZoom = 12,
|
||||||
|
onMapReady,
|
||||||
|
}: MapViewProps) {
|
||||||
|
const mapContainer = useRef<HTMLDivElement>(null);
|
||||||
|
const map = useRef<google.maps.Map | null>(null);
|
||||||
|
|
||||||
|
const init = usePersistFn(async () => {
|
||||||
|
await loadMapScript();
|
||||||
|
if (!mapContainer.current) {
|
||||||
|
console.error("Map container not found");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
map.current = new window.google.maps.Map(mapContainer.current, {
|
||||||
|
zoom: initialZoom,
|
||||||
|
center: initialCenter,
|
||||||
|
mapTypeControl: true,
|
||||||
|
fullscreenControl: true,
|
||||||
|
zoomControl: true,
|
||||||
|
streetViewControl: true,
|
||||||
|
mapId: "DEMO_MAP_ID",
|
||||||
|
});
|
||||||
|
if (onMapReady) {
|
||||||
|
onMapReady(map.current);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
init();
|
||||||
|
}, [init]);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div ref={mapContainer} className={cn("w-full h-[500px]", className)} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,739 @@
|
||||||
|
// NAC XIC Presale — Wallet Selector Component
|
||||||
|
// Detects installed EVM wallets and shows connect/install buttons for each
|
||||||
|
// v3: added mobile detection, DeepLink support for MetaMask/Trust/OKX App
|
||||||
|
|
||||||
|
import { useState, useEffect, useCallback } from "react";
|
||||||
|
|
||||||
|
type Lang = "zh" | "en";
|
||||||
|
|
||||||
|
interface WalletInfo {
|
||||||
|
id: string;
|
||||||
|
name: string;
|
||||||
|
icon: React.ReactNode;
|
||||||
|
installUrl: string;
|
||||||
|
mobileDeepLink?: string; // DeepLink to open current page in wallet's in-app browser
|
||||||
|
isInstalled: () => boolean;
|
||||||
|
connect: () => Promise<string | null>;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface WalletSelectorProps {
|
||||||
|
lang: Lang;
|
||||||
|
onAddressDetected: (address: string) => void;
|
||||||
|
connectedAddress?: string;
|
||||||
|
compact?: boolean; // compact mode for BSC/ETH panel
|
||||||
|
}
|
||||||
|
|
||||||
|
// ── Wallet Icons ──────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
|
const MetaMaskIcon = () => (
|
||||||
|
<svg width="24" height="24" viewBox="0 0 35 33" fill="none">
|
||||||
|
<path d="M32.96 1L19.4 10.7l2.5-5.9L32.96 1z" fill="#E17726" stroke="#E17726" strokeWidth="0.25" strokeLinecap="round" strokeLinejoin="round"/>
|
||||||
|
<path d="M2.04 1l13.46 9.8-2.38-5.99L2.04 1z" fill="#E27625" stroke="#E27625" strokeWidth="0.25" strokeLinecap="round" strokeLinejoin="round"/>
|
||||||
|
<path d="M28.22 23.53l-3.61 5.53 7.73 2.13 2.22-7.54-6.34-.12z" fill="#E27625" stroke="#E27625" strokeWidth="0.25" strokeLinecap="round" strokeLinejoin="round"/>
|
||||||
|
<path d="M.44 23.65l2.2 7.54 7.72-2.13-3.6-5.53-6.32.12z" fill="#E27625" stroke="#E27625" strokeWidth="0.25" strokeLinecap="round" strokeLinejoin="round"/>
|
||||||
|
<path d="M9.97 14.46l-2.16 3.26 7.69.35-.26-8.27-5.27 4.66z" fill="#E27625" stroke="#E27625" strokeWidth="0.25" strokeLinecap="round" strokeLinejoin="round"/>
|
||||||
|
<path d="M25.03 14.46l-5.35-4.75-.17 8.36 7.68-.35-2.16-3.26z" fill="#E27625" stroke="#E27625" strokeWidth="0.25" strokeLinecap="round" strokeLinejoin="round"/>
|
||||||
|
<path d="M10.36 29.06l4.63-2.24-3.99-3.11-.64 5.35z" fill="#E27625" stroke="#E27625" strokeWidth="0.25" strokeLinecap="round" strokeLinejoin="round"/>
|
||||||
|
<path d="M20.01 26.82l4.63 2.24-.64-5.35-3.99 3.11z" fill="#E27625" stroke="#E27625" strokeWidth="0.25" strokeLinecap="round" strokeLinejoin="round"/>
|
||||||
|
</svg>
|
||||||
|
);
|
||||||
|
|
||||||
|
const TrustWalletIcon = () => (
|
||||||
|
<svg width="24" height="24" viewBox="0 0 24 24" fill="none">
|
||||||
|
<circle cx="12" cy="12" r="12" fill="#3375BB"/>
|
||||||
|
<path d="M12 4.5L6 7.5v5c0 3.31 2.57 6.41 6 7.5 3.43-1.09 6-4.19 6-7.5v-5L12 4.5z" fill="white" fillOpacity="0.9"/>
|
||||||
|
<path d="M10.5 12.5l1.5 1.5 3-3" stroke="#3375BB" strokeWidth="1.5" strokeLinecap="round" strokeLinejoin="round"/>
|
||||||
|
</svg>
|
||||||
|
);
|
||||||
|
|
||||||
|
const OKXIcon = () => (
|
||||||
|
<svg width="24" height="24" viewBox="0 0 24 24" fill="none">
|
||||||
|
<rect width="24" height="24" rx="6" fill="#000"/>
|
||||||
|
<rect x="4" y="4" width="6" height="6" rx="1" fill="white"/>
|
||||||
|
<rect x="14" y="4" width="6" height="6" rx="1" fill="white"/>
|
||||||
|
<rect x="4" y="14" width="6" height="6" rx="1" fill="white"/>
|
||||||
|
<rect x="14" y="14" width="6" height="6" rx="1" fill="white"/>
|
||||||
|
<rect x="9" y="9" width="6" height="6" rx="1" fill="white"/>
|
||||||
|
</svg>
|
||||||
|
);
|
||||||
|
|
||||||
|
const CoinbaseIcon = () => (
|
||||||
|
<svg width="24" height="24" viewBox="0 0 24 24" fill="none">
|
||||||
|
<circle cx="12" cy="12" r="12" fill="#0052FF"/>
|
||||||
|
<circle cx="12" cy="12" r="7" fill="white"/>
|
||||||
|
<rect x="9" y="10.5" width="6" height="3" rx="1.5" fill="#0052FF"/>
|
||||||
|
</svg>
|
||||||
|
);
|
||||||
|
|
||||||
|
const TokenPocketIcon = () => (
|
||||||
|
<svg width="24" height="24" viewBox="0 0 24 24" fill="none">
|
||||||
|
<rect width="24" height="24" rx="6" fill="#2980FE"/>
|
||||||
|
<path d="M7 8h5a3 3 0 0 1 0 6H7V8z" fill="white"/>
|
||||||
|
<rect x="7" y="15" width="2.5" height="3" rx="1" fill="white"/>
|
||||||
|
</svg>
|
||||||
|
);
|
||||||
|
|
||||||
|
const BitgetIcon = () => (
|
||||||
|
<svg width="24" height="24" viewBox="0 0 24 24" fill="none">
|
||||||
|
<rect width="24" height="24" rx="6" fill="#00F0FF"/>
|
||||||
|
<path d="M7 8h5a3 3 0 0 1 0 6H7V8z" fill="#000"/>
|
||||||
|
<path d="M12 14h2a3 3 0 0 1 0 6h-2v-6z" fill="#000"/>
|
||||||
|
</svg>
|
||||||
|
);
|
||||||
|
|
||||||
|
// ── Mobile detection ──────────────────────────────────────────────────────────
|
||||||
|
|
||||||
|
function isMobileBrowser(): boolean {
|
||||||
|
if (typeof window === "undefined") return false;
|
||||||
|
return /Android|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Check if running inside a wallet's in-app browser
|
||||||
|
function isInWalletBrowser(): boolean {
|
||||||
|
if (typeof window === "undefined") return false;
|
||||||
|
const ua = navigator.userAgent.toLowerCase();
|
||||||
|
const w = window as unknown as Record<string, unknown>;
|
||||||
|
const eth = w.ethereum as { isMetaMask?: boolean; isTrust?: boolean; isTrustWallet?: boolean; isOKExWallet?: boolean; isOkxWallet?: boolean } | undefined;
|
||||||
|
return !!(
|
||||||
|
eth?.isMetaMask ||
|
||||||
|
eth?.isTrust ||
|
||||||
|
eth?.isTrustWallet ||
|
||||||
|
eth?.isOKExWallet ||
|
||||||
|
eth?.isOkxWallet ||
|
||||||
|
ua.includes("metamask") ||
|
||||||
|
ua.includes("trust") ||
|
||||||
|
ua.includes("okex") ||
|
||||||
|
ua.includes("tokenpocket") ||
|
||||||
|
ua.includes("bitkeep")
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Build DeepLink URL for opening current page in wallet's in-app browser
|
||||||
|
function buildDeepLink(walletScheme: string): string {
|
||||||
|
const currentUrl = typeof window !== "undefined" ? window.location.href : "https://pre-sale.newassetchain.io";
|
||||||
|
// Remove protocol from URL for deeplink
|
||||||
|
const urlWithoutProtocol = currentUrl.replace(/^https?:\/\//, "");
|
||||||
|
return `${walletScheme}${urlWithoutProtocol}`;
|
||||||
|
}
|
||||||
|
|
||||||
|
// ── Provider detection helpers ────────────────────────────────────────────────
|
||||||
|
|
||||||
|
type EthProvider = {
|
||||||
|
isMetaMask?: boolean;
|
||||||
|
isTrust?: boolean;
|
||||||
|
isTrustWallet?: boolean;
|
||||||
|
isOKExWallet?: boolean;
|
||||||
|
isOkxWallet?: boolean;
|
||||||
|
isCoinbaseWallet?: boolean;
|
||||||
|
isTokenPocket?: boolean;
|
||||||
|
isBitkeep?: boolean;
|
||||||
|
isBitgetWallet?: boolean;
|
||||||
|
providers?: EthProvider[];
|
||||||
|
request: (args: { method: string; params?: unknown[] }) => Promise<unknown>;
|
||||||
|
};
|
||||||
|
|
||||||
|
function getEth(): EthProvider | null {
|
||||||
|
if (typeof window === "undefined") return null;
|
||||||
|
return (window as unknown as { ethereum?: EthProvider }).ethereum ?? null;
|
||||||
|
}
|
||||||
|
|
||||||
|
function getOKX(): EthProvider | null {
|
||||||
|
if (typeof window === "undefined") return null;
|
||||||
|
return (window as unknown as { okxwallet?: EthProvider }).okxwallet ?? null;
|
||||||
|
}
|
||||||
|
|
||||||
|
function getBitget(): EthProvider | null {
|
||||||
|
if (typeof window === "undefined") return null;
|
||||||
|
const w = window as unknown as { bitkeep?: { ethereum?: EthProvider } };
|
||||||
|
return w.bitkeep?.ethereum ?? null;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Find a specific provider from the providers array or direct injection
|
||||||
|
function findProvider(predicate: (p: EthProvider) => boolean): EthProvider | null {
|
||||||
|
const eth = getEth();
|
||||||
|
if (!eth) return null;
|
||||||
|
if (eth.providers && Array.isArray(eth.providers)) {
|
||||||
|
return eth.providers.find(predicate) ?? null;
|
||||||
|
}
|
||||||
|
return predicate(eth) ? eth : null;
|
||||||
|
}
|
||||||
|
|
||||||
|
async function requestAccounts(provider: EthProvider): Promise<string | null> {
|
||||||
|
try {
|
||||||
|
const accounts = await provider.request({ method: "eth_requestAccounts" }) as string[];
|
||||||
|
return accounts?.[0] ?? null;
|
||||||
|
} catch (err: unknown) {
|
||||||
|
const error = err as { code?: number; message?: string };
|
||||||
|
// User rejected
|
||||||
|
if (error?.code === 4001) throw new Error("user_rejected");
|
||||||
|
// MetaMask not initialized / locked
|
||||||
|
if (error?.code === -32002) throw new Error("wallet_pending");
|
||||||
|
throw err;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ── Wallet definitions ────────────────────────────────────────────────────────
|
||||||
|
|
||||||
|
function buildWallets(): WalletInfo[] {
|
||||||
|
return [
|
||||||
|
{
|
||||||
|
id: "metamask",
|
||||||
|
name: "MetaMask",
|
||||||
|
icon: <MetaMaskIcon />,
|
||||||
|
installUrl: "https://metamask.io/download/",
|
||||||
|
mobileDeepLink: buildDeepLink("https://metamask.app.link/dapp/"),
|
||||||
|
isInstalled: () => !!findProvider(p => !!p.isMetaMask),
|
||||||
|
connect: async () => {
|
||||||
|
const p = findProvider(p => !!p.isMetaMask) ?? getEth();
|
||||||
|
return p ? requestAccounts(p) : null;
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "trust",
|
||||||
|
name: "Trust Wallet",
|
||||||
|
icon: <TrustWalletIcon />,
|
||||||
|
installUrl: "https://trustwallet.com/download",
|
||||||
|
mobileDeepLink: buildDeepLink("https://link.trustwallet.com/open_url?coin_id=60&url=https://"),
|
||||||
|
isInstalled: () => !!findProvider(p => !!(p.isTrust || p.isTrustWallet)),
|
||||||
|
connect: async () => {
|
||||||
|
const p = findProvider(p => !!(p.isTrust || p.isTrustWallet)) ?? getEth();
|
||||||
|
return p ? requestAccounts(p) : null;
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "okx",
|
||||||
|
name: "OKX Wallet",
|
||||||
|
icon: <OKXIcon />,
|
||||||
|
installUrl: "https://www.okx.com/web3",
|
||||||
|
mobileDeepLink: buildDeepLink("okx://wallet/dapp/url?dappUrl=https://"),
|
||||||
|
isInstalled: () => !!(getOKX() || findProvider(p => !!(p.isOKExWallet || p.isOkxWallet))),
|
||||||
|
connect: async () => {
|
||||||
|
const p = getOKX() ?? findProvider(p => !!(p.isOKExWallet || p.isOkxWallet));
|
||||||
|
return p ? requestAccounts(p) : null;
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "coinbase",
|
||||||
|
name: "Coinbase Wallet",
|
||||||
|
icon: <CoinbaseIcon />,
|
||||||
|
installUrl: "https://www.coinbase.com/wallet/downloads",
|
||||||
|
isInstalled: () => !!findProvider(p => !!p.isCoinbaseWallet),
|
||||||
|
connect: async () => {
|
||||||
|
const p = findProvider(p => !!p.isCoinbaseWallet) ?? getEth();
|
||||||
|
return p ? requestAccounts(p) : null;
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "tokenpocket",
|
||||||
|
name: "TokenPocket",
|
||||||
|
icon: <TokenPocketIcon />,
|
||||||
|
installUrl: "https://www.tokenpocket.pro/en/download/app",
|
||||||
|
isInstalled: () => !!findProvider(p => !!p.isTokenPocket),
|
||||||
|
connect: async () => {
|
||||||
|
const p = findProvider(p => !!p.isTokenPocket) ?? getEth();
|
||||||
|
return p ? requestAccounts(p) : null;
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "bitget",
|
||||||
|
name: "Bitget Wallet",
|
||||||
|
icon: <BitgetIcon />,
|
||||||
|
installUrl: "https://web3.bitget.com/en/wallet-download",
|
||||||
|
isInstalled: () => !!(getBitget() || findProvider(p => !!(p.isBitkeep || p.isBitgetWallet))),
|
||||||
|
connect: async () => {
|
||||||
|
const p = getBitget() ?? findProvider(p => !!(p.isBitkeep || p.isBitgetWallet));
|
||||||
|
return p ? requestAccounts(p) : null;
|
||||||
|
},
|
||||||
|
},
|
||||||
|
];
|
||||||
|
}
|
||||||
|
|
||||||
|
// Validate Ethereum address format
|
||||||
|
function isValidEthAddress(addr: string): boolean {
|
||||||
|
return /^0x[0-9a-fA-F]{40}$/.test(addr);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ── Mobile DeepLink Panel ─────────────────────────────────────────────────────
|
||||||
|
|
||||||
|
function MobileDeepLinkPanel({ lang }: { lang: Lang }) {
|
||||||
|
const currentUrl = typeof window !== "undefined" ? window.location.href : "https://pre-sale.newassetchain.io";
|
||||||
|
const urlWithoutProtocol = currentUrl.replace(/^https?:\/\//, "");
|
||||||
|
|
||||||
|
const mobileWallets = [
|
||||||
|
{
|
||||||
|
id: "metamask",
|
||||||
|
name: "MetaMask",
|
||||||
|
icon: <MetaMaskIcon />,
|
||||||
|
deepLink: `https://metamask.app.link/dapp/${urlWithoutProtocol}`,
|
||||||
|
installUrl: "https://metamask.io/download/",
|
||||||
|
color: "#E27625",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "trust",
|
||||||
|
name: "Trust Wallet",
|
||||||
|
icon: <TrustWalletIcon />,
|
||||||
|
deepLink: `https://link.trustwallet.com/open_url?coin_id=60&url=${encodeURIComponent(currentUrl)}`,
|
||||||
|
installUrl: "https://trustwallet.com/download",
|
||||||
|
color: "#3375BB",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "okx",
|
||||||
|
name: "OKX Wallet",
|
||||||
|
icon: <OKXIcon />,
|
||||||
|
deepLink: `okx://wallet/dapp/url?dappUrl=${encodeURIComponent(currentUrl)}`,
|
||||||
|
installUrl: "https://www.okx.com/web3",
|
||||||
|
color: "#00F0FF",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "tokenpocket",
|
||||||
|
name: "TokenPocket",
|
||||||
|
icon: <TokenPocketIcon />,
|
||||||
|
deepLink: `tpoutside://pull?param=${encodeURIComponent(JSON.stringify({ url: currentUrl }))}`,
|
||||||
|
installUrl: "https://www.tokenpocket.pro/en/download/app",
|
||||||
|
color: "#2980FE",
|
||||||
|
},
|
||||||
|
];
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="space-y-3">
|
||||||
|
{/* Mobile guidance header */}
|
||||||
|
<div
|
||||||
|
className="rounded-xl p-4"
|
||||||
|
style={{ background: "rgba(240,180,41,0.08)", border: "1px solid rgba(240,180,41,0.25)" }}
|
||||||
|
>
|
||||||
|
<div className="flex items-start gap-3">
|
||||||
|
<span className="text-xl flex-shrink-0">📱</span>
|
||||||
|
<div>
|
||||||
|
<p className="text-sm font-semibold text-amber-300 mb-1">
|
||||||
|
{lang === "zh" ? "手机端连接钱包" : "Connect Wallet on Mobile"}
|
||||||
|
</p>
|
||||||
|
<p className="text-xs text-white/50 leading-relaxed">
|
||||||
|
{lang === "zh"
|
||||||
|
? "手机浏览器不支持钱包扩展。请选择以下任一钱包 App,在其内置浏览器中打开本页面即可连接钱包。"
|
||||||
|
: "Mobile browsers don't support wallet extensions. Open this page in a wallet app's built-in browser to connect."}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Wallet DeepLink buttons */}
|
||||||
|
<div className="space-y-2">
|
||||||
|
<p className="text-xs text-white/40 text-center">
|
||||||
|
{lang === "zh" ? "选择钱包 App 打开本页面" : "Choose a wallet app to open this page"}
|
||||||
|
</p>
|
||||||
|
{mobileWallets.map(wallet => (
|
||||||
|
<a
|
||||||
|
key={wallet.id}
|
||||||
|
href={wallet.deepLink}
|
||||||
|
className="w-full flex items-center gap-3 px-4 py-3 rounded-xl transition-all hover:opacity-90 active:scale-[0.98] block"
|
||||||
|
style={{
|
||||||
|
background: "rgba(0,212,255,0.06)",
|
||||||
|
border: "1px solid rgba(0,212,255,0.2)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<span className="flex-shrink-0">{wallet.icon}</span>
|
||||||
|
<span className="flex-1 text-sm font-semibold text-white">{wallet.name}</span>
|
||||||
|
<span
|
||||||
|
className="text-xs px-2 py-0.5 rounded-full font-medium flex-shrink-0"
|
||||||
|
style={{ background: "rgba(0,212,255,0.15)", color: "#00d4ff" }}
|
||||||
|
>
|
||||||
|
{lang === "zh" ? "在 App 中打开" : "Open in App"}
|
||||||
|
</span>
|
||||||
|
<svg width="14" height="14" viewBox="0 0 24 24" fill="none" stroke="rgba(0,212,255,0.6)" strokeWidth="2" className="flex-shrink-0">
|
||||||
|
<path d="M18 13v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h6"/>
|
||||||
|
<polyline points="15 3 21 3 21 9"/>
|
||||||
|
<line x1="10" y1="14" x2="21" y2="3"/>
|
||||||
|
</svg>
|
||||||
|
</a>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Step guide */}
|
||||||
|
<div
|
||||||
|
className="rounded-xl p-3 space-y-2"
|
||||||
|
style={{ background: "rgba(255,255,255,0.03)", border: "1px solid rgba(255,255,255,0.08)" }}
|
||||||
|
>
|
||||||
|
<p className="text-xs font-semibold text-white/50 mb-2">
|
||||||
|
{lang === "zh" ? "操作步骤" : "How it works"}
|
||||||
|
</p>
|
||||||
|
{[
|
||||||
|
lang === "zh" ? "1. 点击上方任一钱包 App 按钮" : "1. Tap any wallet app button above",
|
||||||
|
lang === "zh" ? "2. 在钱包 App 的内置浏览器中打开本页面" : "2. Page opens in the wallet app's browser",
|
||||||
|
lang === "zh" ? "3. 点击「连接钱包」即可自动连接" : "3. Tap 'Connect Wallet' to connect automatically",
|
||||||
|
].map((step, i) => (
|
||||||
|
<p key={i} className="text-xs text-white/35 leading-relaxed">{step}</p>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ── WalletSelector Component ──────────────────────────────────────────────────
|
||||||
|
|
||||||
|
export function WalletSelector({ lang, onAddressDetected, connectedAddress, compact = false }: WalletSelectorProps) {
|
||||||
|
const [wallets, setWallets] = useState<WalletInfo[]>([]);
|
||||||
|
const [connecting, setConnecting] = useState<string | null>(null);
|
||||||
|
const [error, setError] = useState<string | null>(null);
|
||||||
|
const [detecting, setDetecting] = useState(true);
|
||||||
|
const [showManual, setShowManual] = useState(false);
|
||||||
|
const [manualAddress, setManualAddress] = useState("");
|
||||||
|
const [manualError, setManualError] = useState<string | null>(null);
|
||||||
|
const [isMobile] = useState(() => isMobileBrowser());
|
||||||
|
const [inWalletBrowser] = useState(() => isInWalletBrowser());
|
||||||
|
|
||||||
|
const detectWallets = useCallback(() => {
|
||||||
|
setDetecting(true);
|
||||||
|
setError(null);
|
||||||
|
// Wait for wallet extensions to fully inject (up to 1500ms)
|
||||||
|
const timer = setTimeout(() => {
|
||||||
|
setWallets(buildWallets());
|
||||||
|
setDetecting(false);
|
||||||
|
}, 1500);
|
||||||
|
return () => clearTimeout(timer);
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
const cleanup = detectWallets();
|
||||||
|
return cleanup;
|
||||||
|
}, [detectWallets]);
|
||||||
|
|
||||||
|
const handleConnect = async (wallet: WalletInfo) => {
|
||||||
|
setConnecting(wallet.id);
|
||||||
|
setError(null);
|
||||||
|
try {
|
||||||
|
const address = await wallet.connect();
|
||||||
|
if (address) {
|
||||||
|
onAddressDetected(address);
|
||||||
|
} else {
|
||||||
|
setError(lang === "zh" ? "未获取到地址,请重试" : "No address returned, please try again");
|
||||||
|
}
|
||||||
|
} catch (err: unknown) {
|
||||||
|
const error = err as Error;
|
||||||
|
if (error.message === "user_rejected") {
|
||||||
|
setError(lang === "zh" ? "已取消连接" : "Connection cancelled");
|
||||||
|
} else if (error.message === "wallet_pending") {
|
||||||
|
setError(lang === "zh" ? "钱包请求处理中,请检查钱包弹窗" : "Wallet request pending, please check your wallet popup");
|
||||||
|
} else if (error.message?.includes("not initialized") || error.message?.includes("setup")) {
|
||||||
|
setError(lang === "zh"
|
||||||
|
? "请先完成钱包初始化设置,然后刷新页面重试"
|
||||||
|
: "Please complete wallet setup first, then refresh the page");
|
||||||
|
} else {
|
||||||
|
setError(lang === "zh" ? "连接失败,请重试" : "Connection failed, please try again");
|
||||||
|
}
|
||||||
|
} finally {
|
||||||
|
setConnecting(null);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleManualSubmit = () => {
|
||||||
|
const addr = manualAddress.trim();
|
||||||
|
if (!addr) {
|
||||||
|
setManualError(lang === "zh" ? "请输入钱包地址" : "Please enter wallet address");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (!isValidEthAddress(addr)) {
|
||||||
|
setManualError(lang === "zh" ? "地址格式无效,请输入正确的以太坊地址(0x开头,42位)" : "Invalid address format. Must be 0x followed by 40 hex characters");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
setManualError(null);
|
||||||
|
onAddressDetected(addr);
|
||||||
|
};
|
||||||
|
|
||||||
|
const installedWallets = wallets.filter(w => w.isInstalled());
|
||||||
|
const notInstalledWallets = wallets.filter(w => !w.isInstalled());
|
||||||
|
|
||||||
|
// If connected address is already set, show compact confirmation
|
||||||
|
if (connectedAddress) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
className="rounded-xl p-3 flex items-center gap-3"
|
||||||
|
style={{ background: "rgba(0,230,118,0.08)", border: "1px solid rgba(0,230,118,0.25)" }}
|
||||||
|
>
|
||||||
|
<div className="w-2 h-2 rounded-full bg-green-400 flex-shrink-0" />
|
||||||
|
<div className="flex-1 min-w-0">
|
||||||
|
<p className="text-xs text-green-400 font-semibold">
|
||||||
|
{lang === "zh" ? "钱包已连接" : "Wallet Connected"}
|
||||||
|
</p>
|
||||||
|
<p className="text-xs text-white/50 font-mono truncate">{connectedAddress}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ── Mobile browser (not in wallet app) — show DeepLink guide ──────────────
|
||||||
|
if (isMobile && !inWalletBrowser && !detecting) {
|
||||||
|
const hasInstalledWallet = installedWallets.length > 0;
|
||||||
|
|
||||||
|
if (!hasInstalledWallet) {
|
||||||
|
return (
|
||||||
|
<div className="space-y-3">
|
||||||
|
<MobileDeepLinkPanel lang={lang} />
|
||||||
|
|
||||||
|
{/* Manual address fallback */}
|
||||||
|
<div className="pt-1">
|
||||||
|
<button
|
||||||
|
onClick={() => { setShowManual(!showManual); setManualError(null); }}
|
||||||
|
className="w-full text-xs text-white/30 hover:text-white/50 transition-colors py-1 flex items-center justify-center gap-1"
|
||||||
|
>
|
||||||
|
<svg width="12" height="12" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2">
|
||||||
|
<path d="M11 4H4a2 2 0 0 0-2 2v14a2 2 0 0 0 2 2h14a2 2 0 0 0 2-2v-7"/>
|
||||||
|
<path d="M18.5 2.5a2.121 2.121 0 0 1 3 3L12 15l-4 1 1-4 9.5-9.5z"/>
|
||||||
|
</svg>
|
||||||
|
{showManual
|
||||||
|
? (lang === "zh" ? "收起手动输入" : "Hide manual input")
|
||||||
|
: (lang === "zh" ? "手动输入钱包地址" : "Enter address manually")}
|
||||||
|
</button>
|
||||||
|
|
||||||
|
{showManual && (
|
||||||
|
<div className="mt-2 space-y-2">
|
||||||
|
<p className="text-xs text-white/40 text-center">
|
||||||
|
{lang === "zh"
|
||||||
|
? "直接输入您的 EVM 钱包地址(0x 开头)"
|
||||||
|
: "Enter your EVM wallet address (starts with 0x)"}
|
||||||
|
</p>
|
||||||
|
<div className="flex gap-2">
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
value={manualAddress}
|
||||||
|
onChange={e => { setManualAddress(e.target.value); setManualError(null); }}
|
||||||
|
placeholder={lang === "zh" ? "0x..." : "0x..."}
|
||||||
|
className="flex-1 px-3 py-2 rounded-lg text-xs font-mono text-white/80 outline-none focus:ring-1"
|
||||||
|
style={{
|
||||||
|
background: "rgba(255,255,255,0.06)",
|
||||||
|
border: manualError ? "1px solid rgba(255,80,80,0.5)" : "1px solid rgba(255,255,255,0.12)",
|
||||||
|
}}
|
||||||
|
onKeyDown={e => e.key === "Enter" && handleManualSubmit()}
|
||||||
|
/>
|
||||||
|
<button
|
||||||
|
onClick={handleManualSubmit}
|
||||||
|
className="px-3 py-2 rounded-lg text-xs font-semibold transition-all hover:opacity-90 active:scale-95 whitespace-nowrap"
|
||||||
|
style={{ background: "rgba(0,212,255,0.15)", color: "#00d4ff", border: "1px solid rgba(0,212,255,0.3)" }}
|
||||||
|
>
|
||||||
|
{lang === "zh" ? "确认" : "Confirm"}
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
{manualError && (
|
||||||
|
<p className="text-xs text-red-400">{manualError}</p>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ── Loading state ─────────────────────────────────────────────────────────
|
||||||
|
if (detecting) {
|
||||||
|
return (
|
||||||
|
<div className="space-y-3">
|
||||||
|
<div className="flex items-center justify-between">
|
||||||
|
<p className="text-xs font-semibold text-white/60 uppercase tracking-wider">
|
||||||
|
{lang === "zh" ? "选择钱包自动填充地址" : "Select wallet to auto-fill address"}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div className="flex items-center justify-center py-4 gap-2">
|
||||||
|
<svg className="animate-spin w-4 h-4 text-white/40" fill="none" viewBox="0 0 24 24">
|
||||||
|
<circle className="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" strokeWidth="4"/>
|
||||||
|
<path className="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4z"/>
|
||||||
|
</svg>
|
||||||
|
<span className="text-xs text-white/40">
|
||||||
|
{lang === "zh" ? "正在检测钱包..." : "Detecting wallets..."}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="space-y-3">
|
||||||
|
<div className="flex items-center justify-between">
|
||||||
|
<p className="text-xs font-semibold text-white/60 uppercase tracking-wider">
|
||||||
|
{lang === "zh" ? "选择钱包自动填充地址" : "Select wallet to auto-fill address"}
|
||||||
|
</p>
|
||||||
|
{/* Refresh detection button */}
|
||||||
|
<button
|
||||||
|
onClick={detectWallets}
|
||||||
|
disabled={detecting}
|
||||||
|
className="flex items-center gap-1 text-xs px-2 py-1 rounded-lg transition-all hover:opacity-80"
|
||||||
|
style={{ background: "rgba(0,212,255,0.1)", color: "rgba(0,212,255,0.7)", border: "1px solid rgba(0,212,255,0.2)" }}
|
||||||
|
title={lang === "zh" ? "重新检测钱包" : "Re-detect wallets"}
|
||||||
|
>
|
||||||
|
<svg
|
||||||
|
width="12" height="12" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2"
|
||||||
|
className={detecting ? "animate-spin" : ""}
|
||||||
|
>
|
||||||
|
<path d="M23 4v6h-6M1 20v-6h6"/>
|
||||||
|
<path d="M3.51 9a9 9 0 0 1 14.85-3.36L23 10M1 14l4.64 4.36A9 9 0 0 0 20.49 15"/>
|
||||||
|
</svg>
|
||||||
|
{detecting
|
||||||
|
? (lang === "zh" ? "检测中..." : "Detecting...")
|
||||||
|
: (lang === "zh" ? "刷新" : "Refresh")}
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Installed wallets */}
|
||||||
|
{installedWallets.length > 0 && (
|
||||||
|
<div className="space-y-2">
|
||||||
|
{installedWallets.map(wallet => (
|
||||||
|
<button
|
||||||
|
key={wallet.id}
|
||||||
|
onClick={() => handleConnect(wallet)}
|
||||||
|
disabled={connecting === wallet.id}
|
||||||
|
className="w-full flex items-center gap-3 px-4 py-3 rounded-xl transition-all hover:opacity-90 active:scale-[0.98]"
|
||||||
|
style={{
|
||||||
|
background: "rgba(0,212,255,0.08)",
|
||||||
|
border: "1px solid rgba(0,212,255,0.3)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<span className="flex-shrink-0">{wallet.icon}</span>
|
||||||
|
<span className="flex-1 text-left text-sm font-semibold text-white">{wallet.name}</span>
|
||||||
|
<span
|
||||||
|
className="text-xs px-2 py-0.5 rounded-full font-medium"
|
||||||
|
style={{ background: "rgba(0,212,255,0.15)", color: "#00d4ff" }}
|
||||||
|
>
|
||||||
|
{lang === "zh" ? "已安装" : "Installed"}
|
||||||
|
</span>
|
||||||
|
{connecting === wallet.id ? (
|
||||||
|
<svg className="animate-spin w-4 h-4 text-white/60 flex-shrink-0" fill="none" viewBox="0 0 24 24">
|
||||||
|
<circle className="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" strokeWidth="4"/>
|
||||||
|
<path className="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4z"/>
|
||||||
|
</svg>
|
||||||
|
) : (
|
||||||
|
<svg width="16" height="16" viewBox="0 0 24 24" fill="none" stroke="rgba(0,212,255,0.7)" strokeWidth="2" className="flex-shrink-0">
|
||||||
|
<path d="M5 12h14M12 5l7 7-7 7"/>
|
||||||
|
</svg>
|
||||||
|
)}
|
||||||
|
</button>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* No wallets installed — desktop */}
|
||||||
|
{installedWallets.length === 0 && (
|
||||||
|
<div
|
||||||
|
className="rounded-xl p-4 text-center"
|
||||||
|
style={{ background: "rgba(255,255,255,0.04)", border: "1px dashed rgba(255,255,255,0.15)" }}
|
||||||
|
>
|
||||||
|
<p className="text-sm text-white/50 mb-1">
|
||||||
|
{lang === "zh" ? "未检测到 EVM 钱包" : "No EVM wallet detected"}
|
||||||
|
</p>
|
||||||
|
<p className="text-xs text-white/30 mb-3">
|
||||||
|
{lang === "zh"
|
||||||
|
? "请安装以下任一钱包,完成设置后点击上方「刷新」按钮"
|
||||||
|
: "Install any wallet below, then click Refresh above after setup"}
|
||||||
|
</p>
|
||||||
|
<p className="text-xs text-amber-400/70">
|
||||||
|
{lang === "zh"
|
||||||
|
? "💡 已安装MetaMask?请先完成钱包初始化(创建或导入钱包),再点击刷新"
|
||||||
|
: "💡 Have MetaMask? Complete wallet setup (create or import) first, then click Refresh"}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* Not-installed wallets — show install links */}
|
||||||
|
{!compact && notInstalledWallets.length > 0 && (
|
||||||
|
<div className="space-y-1">
|
||||||
|
<p className="text-xs text-white/30 mt-2">
|
||||||
|
{lang === "zh" ? "未安装(点击安装)" : "Not installed (click to install)"}
|
||||||
|
</p>
|
||||||
|
<div className="grid grid-cols-3 gap-2">
|
||||||
|
{notInstalledWallets.map(wallet => (
|
||||||
|
<a
|
||||||
|
key={wallet.id}
|
||||||
|
href={wallet.installUrl}
|
||||||
|
target="_blank"
|
||||||
|
rel="noopener noreferrer"
|
||||||
|
className="flex flex-col items-center gap-1.5 p-2.5 rounded-xl transition-all hover:opacity-80"
|
||||||
|
style={{
|
||||||
|
background: "rgba(255,255,255,0.04)",
|
||||||
|
border: "1px solid rgba(255,255,255,0.08)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<span className="opacity-40">{wallet.icon}</span>
|
||||||
|
<span className="text-xs text-white/30 text-center leading-tight">{wallet.name}</span>
|
||||||
|
</a>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* In compact mode, show install links inline */}
|
||||||
|
{compact && notInstalledWallets.length > 0 && installedWallets.length === 0 && (
|
||||||
|
<div className="flex flex-wrap gap-2">
|
||||||
|
{notInstalledWallets.slice(0, 4).map(wallet => (
|
||||||
|
<a
|
||||||
|
key={wallet.id}
|
||||||
|
href={wallet.installUrl}
|
||||||
|
target="_blank"
|
||||||
|
rel="noopener noreferrer"
|
||||||
|
className="flex items-center gap-1.5 px-3 py-1.5 rounded-lg text-xs transition-all hover:opacity-80"
|
||||||
|
style={{
|
||||||
|
background: "rgba(255,255,255,0.05)",
|
||||||
|
border: "1px solid rgba(255,255,255,0.1)",
|
||||||
|
color: "rgba(255,255,255,0.4)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<span className="opacity-50">{wallet.icon}</span>
|
||||||
|
{lang === "zh" ? `安装 ${wallet.name}` : `Install ${wallet.name}`}
|
||||||
|
</a>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{error && (
|
||||||
|
<p className="text-xs text-red-400 text-center">{error}</p>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* Manual address input — divider */}
|
||||||
|
<div className="pt-1">
|
||||||
|
<button
|
||||||
|
onClick={() => { setShowManual(!showManual); setManualError(null); }}
|
||||||
|
className="w-full text-xs text-white/30 hover:text-white/50 transition-colors py-1 flex items-center justify-center gap-1"
|
||||||
|
>
|
||||||
|
<svg width="12" height="12" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2">
|
||||||
|
<path d="M11 4H4a2 2 0 0 0-2 2v14a2 2 0 0 0 2 2h14a2 2 0 0 0 2-2v-7"/>
|
||||||
|
<path d="M18.5 2.5a2.121 2.121 0 0 1 3 3L12 15l-4 1 1-4 9.5-9.5z"/>
|
||||||
|
</svg>
|
||||||
|
{showManual
|
||||||
|
? (lang === "zh" ? "收起手动输入" : "Hide manual input")
|
||||||
|
: (lang === "zh" ? "手动输入钱包地址" : "Enter address manually")}
|
||||||
|
</button>
|
||||||
|
|
||||||
|
{showManual && (
|
||||||
|
<div className="mt-2 space-y-2">
|
||||||
|
<p className="text-xs text-white/40 text-center">
|
||||||
|
{lang === "zh"
|
||||||
|
? "直接输入您的 EVM 钱包地址(0x 开头)"
|
||||||
|
: "Enter your EVM wallet address (starts with 0x)"}
|
||||||
|
</p>
|
||||||
|
<div className="flex gap-2">
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
value={manualAddress}
|
||||||
|
onChange={e => { setManualAddress(e.target.value); setManualError(null); }}
|
||||||
|
placeholder={lang === "zh" ? "0x..." : "0x..."}
|
||||||
|
className="flex-1 px-3 py-2 rounded-lg text-xs font-mono text-white/80 outline-none focus:ring-1"
|
||||||
|
style={{
|
||||||
|
background: "rgba(255,255,255,0.06)",
|
||||||
|
border: manualError ? "1px solid rgba(255,80,80,0.5)" : "1px solid rgba(255,255,255,0.12)",
|
||||||
|
}}
|
||||||
|
onKeyDown={e => e.key === "Enter" && handleManualSubmit()}
|
||||||
|
/>
|
||||||
|
<button
|
||||||
|
onClick={handleManualSubmit}
|
||||||
|
className="px-3 py-2 rounded-lg text-xs font-semibold transition-all hover:opacity-90 active:scale-95 whitespace-nowrap"
|
||||||
|
style={{ background: "rgba(0,212,255,0.15)", color: "#00d4ff", border: "1px solid rgba(0,212,255,0.3)" }}
|
||||||
|
>
|
||||||
|
{lang === "zh" ? "确认" : "Confirm"}
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
{manualError && (
|
||||||
|
<p className="text-xs text-red-400">{manualError}</p>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,64 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as AccordionPrimitive from "@radix-ui/react-accordion";
|
||||||
|
import { ChevronDownIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Accordion({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AccordionPrimitive.Root>) {
|
||||||
|
return <AccordionPrimitive.Root data-slot="accordion" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function AccordionItem({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AccordionPrimitive.Item>) {
|
||||||
|
return (
|
||||||
|
<AccordionPrimitive.Item
|
||||||
|
data-slot="accordion-item"
|
||||||
|
className={cn("border-b last:border-b-0", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AccordionTrigger({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AccordionPrimitive.Trigger>) {
|
||||||
|
return (
|
||||||
|
<AccordionPrimitive.Header className="flex">
|
||||||
|
<AccordionPrimitive.Trigger
|
||||||
|
data-slot="accordion-trigger"
|
||||||
|
className={cn(
|
||||||
|
"focus-visible:border-ring focus-visible:ring-ring/50 flex flex-1 items-start justify-between gap-4 rounded-md py-4 text-left text-sm font-medium transition-all outline-none hover:underline focus-visible:ring-[3px] disabled:pointer-events-none disabled:opacity-50 [&[data-state=open]>svg]:rotate-180",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
<ChevronDownIcon className="text-muted-foreground pointer-events-none size-4 shrink-0 translate-y-0.5 transition-transform duration-200" />
|
||||||
|
</AccordionPrimitive.Trigger>
|
||||||
|
</AccordionPrimitive.Header>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AccordionContent({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AccordionPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<AccordionPrimitive.Content
|
||||||
|
data-slot="accordion-content"
|
||||||
|
className="data-[state=closed]:animate-accordion-up data-[state=open]:animate-accordion-down overflow-hidden text-sm"
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<div className={cn("pt-0 pb-4", className)}>{children}</div>
|
||||||
|
</AccordionPrimitive.Content>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Accordion, AccordionItem, AccordionTrigger, AccordionContent };
|
||||||
|
|
@ -0,0 +1,155 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as AlertDialogPrimitive from "@radix-ui/react-alert-dialog";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { buttonVariants } from "@/components/ui/button";
|
||||||
|
|
||||||
|
function AlertDialog({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AlertDialogPrimitive.Root>) {
|
||||||
|
return <AlertDialogPrimitive.Root data-slot="alert-dialog" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AlertDialogPrimitive.Trigger>) {
|
||||||
|
return (
|
||||||
|
<AlertDialogPrimitive.Trigger data-slot="alert-dialog-trigger" {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogPortal({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AlertDialogPrimitive.Portal>) {
|
||||||
|
return (
|
||||||
|
<AlertDialogPrimitive.Portal data-slot="alert-dialog-portal" {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogOverlay({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AlertDialogPrimitive.Overlay>) {
|
||||||
|
return (
|
||||||
|
<AlertDialogPrimitive.Overlay
|
||||||
|
data-slot="alert-dialog-overlay"
|
||||||
|
className={cn(
|
||||||
|
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogContent({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AlertDialogPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<AlertDialogPortal>
|
||||||
|
<AlertDialogOverlay />
|
||||||
|
<AlertDialogPrimitive.Content
|
||||||
|
data-slot="alert-dialog-content"
|
||||||
|
className={cn(
|
||||||
|
"bg-background data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 fixed top-[50%] left-[50%] z-50 grid w-full max-w-[calc(100%-2rem)] translate-x-[-50%] translate-y-[-50%] gap-4 rounded-lg border p-6 shadow-lg duration-200 sm:max-w-lg",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</AlertDialogPortal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogHeader({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="alert-dialog-header"
|
||||||
|
className={cn("flex flex-col gap-2 text-center sm:text-left", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogFooter({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="alert-dialog-footer"
|
||||||
|
className={cn(
|
||||||
|
"flex flex-col-reverse gap-2 sm:flex-row sm:justify-end",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogTitle({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AlertDialogPrimitive.Title>) {
|
||||||
|
return (
|
||||||
|
<AlertDialogPrimitive.Title
|
||||||
|
data-slot="alert-dialog-title"
|
||||||
|
className={cn("text-lg font-semibold", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogDescription({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AlertDialogPrimitive.Description>) {
|
||||||
|
return (
|
||||||
|
<AlertDialogPrimitive.Description
|
||||||
|
data-slot="alert-dialog-description"
|
||||||
|
className={cn("text-muted-foreground text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogAction({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AlertDialogPrimitive.Action>) {
|
||||||
|
return (
|
||||||
|
<AlertDialogPrimitive.Action
|
||||||
|
className={cn(buttonVariants(), className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDialogCancel({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AlertDialogPrimitive.Cancel>) {
|
||||||
|
return (
|
||||||
|
<AlertDialogPrimitive.Cancel
|
||||||
|
className={cn(buttonVariants({ variant: "outline" }), className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
AlertDialog,
|
||||||
|
AlertDialogPortal,
|
||||||
|
AlertDialogOverlay,
|
||||||
|
AlertDialogTrigger,
|
||||||
|
AlertDialogContent,
|
||||||
|
AlertDialogHeader,
|
||||||
|
AlertDialogFooter,
|
||||||
|
AlertDialogTitle,
|
||||||
|
AlertDialogDescription,
|
||||||
|
AlertDialogAction,
|
||||||
|
AlertDialogCancel,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,66 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import { cva, type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
const alertVariants = cva(
|
||||||
|
"relative w-full rounded-lg border px-4 py-3 text-sm grid has-[>svg]:grid-cols-[calc(var(--spacing)*4)_1fr] grid-cols-[0_1fr] has-[>svg]:gap-x-3 gap-y-0.5 items-start [&>svg]:size-4 [&>svg]:translate-y-0.5 [&>svg]:text-current",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
variant: {
|
||||||
|
default: "bg-card text-card-foreground",
|
||||||
|
destructive:
|
||||||
|
"text-destructive bg-card [&>svg]:text-current *:data-[slot=alert-description]:text-destructive/90",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
variant: "default",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function Alert({
|
||||||
|
className,
|
||||||
|
variant,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & VariantProps<typeof alertVariants>) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="alert"
|
||||||
|
role="alert"
|
||||||
|
className={cn(alertVariants({ variant }), className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertTitle({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="alert-title"
|
||||||
|
className={cn(
|
||||||
|
"col-start-2 line-clamp-1 min-h-4 font-medium tracking-tight",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AlertDescription({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="alert-description"
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground col-start-2 grid justify-items-start gap-1 text-sm [&_p]:leading-relaxed",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Alert, AlertTitle, AlertDescription };
|
||||||
|
|
@ -0,0 +1,9 @@
|
||||||
|
import * as AspectRatioPrimitive from "@radix-ui/react-aspect-ratio";
|
||||||
|
|
||||||
|
function AspectRatio({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AspectRatioPrimitive.Root>) {
|
||||||
|
return <AspectRatioPrimitive.Root data-slot="aspect-ratio" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
export { AspectRatio };
|
||||||
|
|
@ -0,0 +1,51 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as AvatarPrimitive from "@radix-ui/react-avatar";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Avatar({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AvatarPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<AvatarPrimitive.Root
|
||||||
|
data-slot="avatar"
|
||||||
|
className={cn(
|
||||||
|
"relative flex size-8 shrink-0 overflow-hidden rounded-full",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AvatarImage({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AvatarPrimitive.Image>) {
|
||||||
|
return (
|
||||||
|
<AvatarPrimitive.Image
|
||||||
|
data-slot="avatar-image"
|
||||||
|
className={cn("aspect-square size-full", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function AvatarFallback({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof AvatarPrimitive.Fallback>) {
|
||||||
|
return (
|
||||||
|
<AvatarPrimitive.Fallback
|
||||||
|
data-slot="avatar-fallback"
|
||||||
|
className={cn(
|
||||||
|
"bg-muted flex size-full items-center justify-center rounded-full",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Avatar, AvatarImage, AvatarFallback };
|
||||||
|
|
@ -0,0 +1,46 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import { Slot } from "@radix-ui/react-slot";
|
||||||
|
import { cva, type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
const badgeVariants = cva(
|
||||||
|
"inline-flex items-center justify-center rounded-md border px-2 py-0.5 text-xs font-medium w-fit whitespace-nowrap shrink-0 [&>svg]:size-3 gap-1 [&>svg]:pointer-events-none focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px] aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive transition-[color,box-shadow] overflow-hidden",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
variant: {
|
||||||
|
default:
|
||||||
|
"border-transparent bg-primary text-primary-foreground [a&]:hover:bg-primary/90",
|
||||||
|
secondary:
|
||||||
|
"border-transparent bg-secondary text-secondary-foreground [a&]:hover:bg-secondary/90",
|
||||||
|
destructive:
|
||||||
|
"border-transparent bg-destructive text-white [a&]:hover:bg-destructive/90 focus-visible:ring-destructive/20 dark:focus-visible:ring-destructive/40 dark:bg-destructive/60",
|
||||||
|
outline:
|
||||||
|
"text-foreground [a&]:hover:bg-accent [a&]:hover:text-accent-foreground",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
variant: "default",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function Badge({
|
||||||
|
className,
|
||||||
|
variant,
|
||||||
|
asChild = false,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"span"> &
|
||||||
|
VariantProps<typeof badgeVariants> & { asChild?: boolean }) {
|
||||||
|
const Comp = asChild ? Slot : "span";
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Comp
|
||||||
|
data-slot="badge"
|
||||||
|
className={cn(badgeVariants({ variant }), className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Badge, badgeVariants };
|
||||||
|
|
@ -0,0 +1,109 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import { Slot } from "@radix-ui/react-slot";
|
||||||
|
import { ChevronRight, MoreHorizontal } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Breadcrumb({ ...props }: React.ComponentProps<"nav">) {
|
||||||
|
return <nav aria-label="breadcrumb" data-slot="breadcrumb" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function BreadcrumbList({ className, ...props }: React.ComponentProps<"ol">) {
|
||||||
|
return (
|
||||||
|
<ol
|
||||||
|
data-slot="breadcrumb-list"
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground flex flex-wrap items-center gap-1.5 text-sm break-words sm:gap-2.5",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function BreadcrumbItem({ className, ...props }: React.ComponentProps<"li">) {
|
||||||
|
return (
|
||||||
|
<li
|
||||||
|
data-slot="breadcrumb-item"
|
||||||
|
className={cn("inline-flex items-center gap-1.5", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function BreadcrumbLink({
|
||||||
|
asChild,
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"a"> & {
|
||||||
|
asChild?: boolean;
|
||||||
|
}) {
|
||||||
|
const Comp = asChild ? Slot : "a";
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Comp
|
||||||
|
data-slot="breadcrumb-link"
|
||||||
|
className={cn("hover:text-foreground transition-colors", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function BreadcrumbPage({ className, ...props }: React.ComponentProps<"span">) {
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
data-slot="breadcrumb-page"
|
||||||
|
role="link"
|
||||||
|
aria-disabled="true"
|
||||||
|
aria-current="page"
|
||||||
|
className={cn("text-foreground font-normal", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function BreadcrumbSeparator({
|
||||||
|
children,
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"li">) {
|
||||||
|
return (
|
||||||
|
<li
|
||||||
|
data-slot="breadcrumb-separator"
|
||||||
|
role="presentation"
|
||||||
|
aria-hidden="true"
|
||||||
|
className={cn("[&>svg]:size-3.5", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children ?? <ChevronRight />}
|
||||||
|
</li>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function BreadcrumbEllipsis({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"span">) {
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
data-slot="breadcrumb-ellipsis"
|
||||||
|
role="presentation"
|
||||||
|
aria-hidden="true"
|
||||||
|
className={cn("flex size-9 items-center justify-center", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<MoreHorizontal className="size-4" />
|
||||||
|
<span className="sr-only">More</span>
|
||||||
|
</span>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Breadcrumb,
|
||||||
|
BreadcrumbList,
|
||||||
|
BreadcrumbItem,
|
||||||
|
BreadcrumbLink,
|
||||||
|
BreadcrumbPage,
|
||||||
|
BreadcrumbSeparator,
|
||||||
|
BreadcrumbEllipsis,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,83 @@
|
||||||
|
import { Slot } from "@radix-ui/react-slot";
|
||||||
|
import { cva, type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Separator } from "@/components/ui/separator";
|
||||||
|
|
||||||
|
const buttonGroupVariants = cva(
|
||||||
|
"flex w-fit items-stretch [&>*]:focus-visible:z-10 [&>*]:focus-visible:relative [&>[data-slot=select-trigger]:not([class*='w-'])]:w-fit [&>input]:flex-1 has-[select[aria-hidden=true]:last-child]:[&>[data-slot=select-trigger]:last-of-type]:rounded-r-md has-[>[data-slot=button-group]]:gap-2",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
orientation: {
|
||||||
|
horizontal:
|
||||||
|
"[&>*:not(:first-child)]:rounded-l-none [&>*:not(:first-child)]:border-l-0 [&>*:not(:last-child)]:rounded-r-none",
|
||||||
|
vertical:
|
||||||
|
"flex-col [&>*:not(:first-child)]:rounded-t-none [&>*:not(:first-child)]:border-t-0 [&>*:not(:last-child)]:rounded-b-none",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
orientation: "horizontal",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function ButtonGroup({
|
||||||
|
className,
|
||||||
|
orientation,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & VariantProps<typeof buttonGroupVariants>) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
role="group"
|
||||||
|
data-slot="button-group"
|
||||||
|
data-orientation={orientation}
|
||||||
|
className={cn(buttonGroupVariants({ orientation }), className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ButtonGroupText({
|
||||||
|
className,
|
||||||
|
asChild = false,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & {
|
||||||
|
asChild?: boolean;
|
||||||
|
}) {
|
||||||
|
const Comp = asChild ? Slot : "div";
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Comp
|
||||||
|
className={cn(
|
||||||
|
"bg-muted flex items-center gap-2 rounded-md border px-4 text-sm font-medium shadow-xs [&_svg]:pointer-events-none [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ButtonGroupSeparator({
|
||||||
|
className,
|
||||||
|
orientation = "vertical",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof Separator>) {
|
||||||
|
return (
|
||||||
|
<Separator
|
||||||
|
data-slot="button-group-separator"
|
||||||
|
orientation={orientation}
|
||||||
|
className={cn(
|
||||||
|
"bg-input relative !m-0 self-stretch data-[orientation=vertical]:h-auto",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
ButtonGroup,
|
||||||
|
ButtonGroupSeparator,
|
||||||
|
ButtonGroupText,
|
||||||
|
buttonGroupVariants,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,60 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import { Slot } from "@radix-ui/react-slot";
|
||||||
|
import { cva, type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
const buttonVariants = cva(
|
||||||
|
"inline-flex items-center justify-center gap-2 whitespace-nowrap rounded-md text-sm font-medium transition-all disabled:pointer-events-none disabled:opacity-50 [&_svg]:pointer-events-none [&_svg:not([class*='size-'])]:size-4 shrink-0 [&_svg]:shrink-0 outline-none focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px] aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
variant: {
|
||||||
|
default: "bg-primary text-primary-foreground hover:bg-primary/90",
|
||||||
|
destructive:
|
||||||
|
"bg-destructive text-white hover:bg-destructive/90 focus-visible:ring-destructive/20 dark:focus-visible:ring-destructive/40 dark:bg-destructive/60",
|
||||||
|
outline:
|
||||||
|
"border bg-transparent shadow-xs hover:bg-accent dark:bg-transparent dark:border-input dark:hover:bg-input/50",
|
||||||
|
secondary:
|
||||||
|
"bg-secondary text-secondary-foreground hover:bg-secondary/80",
|
||||||
|
ghost:
|
||||||
|
"hover:bg-accent dark:hover:bg-accent/50",
|
||||||
|
link: "text-primary underline-offset-4 hover:underline",
|
||||||
|
},
|
||||||
|
size: {
|
||||||
|
default: "h-9 px-4 py-2 has-[>svg]:px-3",
|
||||||
|
sm: "h-8 rounded-md gap-1.5 px-3 has-[>svg]:px-2.5",
|
||||||
|
lg: "h-10 rounded-md px-6 has-[>svg]:px-4",
|
||||||
|
icon: "size-9",
|
||||||
|
"icon-sm": "size-8",
|
||||||
|
"icon-lg": "size-10",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
variant: "default",
|
||||||
|
size: "default",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function Button({
|
||||||
|
className,
|
||||||
|
variant,
|
||||||
|
size,
|
||||||
|
asChild = false,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"button"> &
|
||||||
|
VariantProps<typeof buttonVariants> & {
|
||||||
|
asChild?: boolean;
|
||||||
|
}) {
|
||||||
|
const Comp = asChild ? Slot : "button";
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Comp
|
||||||
|
data-slot="button"
|
||||||
|
className={cn(buttonVariants({ variant, size, className }))}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Button, buttonVariants };
|
||||||
|
|
@ -0,0 +1,211 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import {
|
||||||
|
ChevronDownIcon,
|
||||||
|
ChevronLeftIcon,
|
||||||
|
ChevronRightIcon,
|
||||||
|
} from "lucide-react";
|
||||||
|
import { DayButton, DayPicker, getDefaultClassNames } from "react-day-picker";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Button, buttonVariants } from "@/components/ui/button";
|
||||||
|
|
||||||
|
function Calendar({
|
||||||
|
className,
|
||||||
|
classNames,
|
||||||
|
showOutsideDays = true,
|
||||||
|
captionLayout = "label",
|
||||||
|
buttonVariant = "ghost",
|
||||||
|
formatters,
|
||||||
|
components,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DayPicker> & {
|
||||||
|
buttonVariant?: React.ComponentProps<typeof Button>["variant"];
|
||||||
|
}) {
|
||||||
|
const defaultClassNames = getDefaultClassNames();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<DayPicker
|
||||||
|
showOutsideDays={showOutsideDays}
|
||||||
|
className={cn(
|
||||||
|
"bg-background group/calendar p-3 [--cell-size:--spacing(8)] [[data-slot=card-content]_&]:bg-transparent [[data-slot=popover-content]_&]:bg-transparent",
|
||||||
|
String.raw`rtl:**:[.rdp-button\_next>svg]:rotate-180`,
|
||||||
|
String.raw`rtl:**:[.rdp-button\_previous>svg]:rotate-180`,
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
captionLayout={captionLayout}
|
||||||
|
formatters={{
|
||||||
|
formatMonthDropdown: date =>
|
||||||
|
date.toLocaleString("default", { month: "short" }),
|
||||||
|
...formatters,
|
||||||
|
}}
|
||||||
|
classNames={{
|
||||||
|
root: cn("w-fit", defaultClassNames.root),
|
||||||
|
months: cn(
|
||||||
|
"flex gap-4 flex-col md:flex-row relative",
|
||||||
|
defaultClassNames.months
|
||||||
|
),
|
||||||
|
month: cn("flex flex-col w-full gap-4", defaultClassNames.month),
|
||||||
|
nav: cn(
|
||||||
|
"flex items-center gap-1 w-full absolute top-0 inset-x-0 justify-between",
|
||||||
|
defaultClassNames.nav
|
||||||
|
),
|
||||||
|
button_previous: cn(
|
||||||
|
buttonVariants({ variant: buttonVariant }),
|
||||||
|
"size-(--cell-size) aria-disabled:opacity-50 p-0 select-none",
|
||||||
|
defaultClassNames.button_previous
|
||||||
|
),
|
||||||
|
button_next: cn(
|
||||||
|
buttonVariants({ variant: buttonVariant }),
|
||||||
|
"size-(--cell-size) aria-disabled:opacity-50 p-0 select-none",
|
||||||
|
defaultClassNames.button_next
|
||||||
|
),
|
||||||
|
month_caption: cn(
|
||||||
|
"flex items-center justify-center h-(--cell-size) w-full px-(--cell-size)",
|
||||||
|
defaultClassNames.month_caption
|
||||||
|
),
|
||||||
|
dropdowns: cn(
|
||||||
|
"w-full flex items-center text-sm font-medium justify-center h-(--cell-size) gap-1.5",
|
||||||
|
defaultClassNames.dropdowns
|
||||||
|
),
|
||||||
|
dropdown_root: cn(
|
||||||
|
"relative has-focus:border-ring border border-input shadow-xs has-focus:ring-ring/50 has-focus:ring-[3px] rounded-md",
|
||||||
|
defaultClassNames.dropdown_root
|
||||||
|
),
|
||||||
|
dropdown: cn(
|
||||||
|
"absolute bg-popover inset-0 opacity-0",
|
||||||
|
defaultClassNames.dropdown
|
||||||
|
),
|
||||||
|
caption_label: cn(
|
||||||
|
"select-none font-medium",
|
||||||
|
captionLayout === "label"
|
||||||
|
? "text-sm"
|
||||||
|
: "rounded-md pl-2 pr-1 flex items-center gap-1 text-sm h-8 [&>svg]:text-muted-foreground [&>svg]:size-3.5",
|
||||||
|
defaultClassNames.caption_label
|
||||||
|
),
|
||||||
|
table: "w-full border-collapse",
|
||||||
|
weekdays: cn("flex", defaultClassNames.weekdays),
|
||||||
|
weekday: cn(
|
||||||
|
"text-muted-foreground rounded-md flex-1 font-normal text-[0.8rem] select-none",
|
||||||
|
defaultClassNames.weekday
|
||||||
|
),
|
||||||
|
week: cn("flex w-full mt-2", defaultClassNames.week),
|
||||||
|
week_number_header: cn(
|
||||||
|
"select-none w-(--cell-size)",
|
||||||
|
defaultClassNames.week_number_header
|
||||||
|
),
|
||||||
|
week_number: cn(
|
||||||
|
"text-[0.8rem] select-none text-muted-foreground",
|
||||||
|
defaultClassNames.week_number
|
||||||
|
),
|
||||||
|
day: cn(
|
||||||
|
"relative w-full h-full p-0 text-center [&:first-child[data-selected=true]_button]:rounded-l-md [&:last-child[data-selected=true]_button]:rounded-r-md group/day aspect-square select-none",
|
||||||
|
defaultClassNames.day
|
||||||
|
),
|
||||||
|
range_start: cn(
|
||||||
|
"rounded-l-md bg-accent",
|
||||||
|
defaultClassNames.range_start
|
||||||
|
),
|
||||||
|
range_middle: cn("rounded-none", defaultClassNames.range_middle),
|
||||||
|
range_end: cn("rounded-r-md bg-accent", defaultClassNames.range_end),
|
||||||
|
today: cn(
|
||||||
|
"bg-accent text-accent-foreground rounded-md data-[selected=true]:rounded-none",
|
||||||
|
defaultClassNames.today
|
||||||
|
),
|
||||||
|
outside: cn(
|
||||||
|
"text-muted-foreground aria-selected:text-muted-foreground",
|
||||||
|
defaultClassNames.outside
|
||||||
|
),
|
||||||
|
disabled: cn(
|
||||||
|
"text-muted-foreground opacity-50",
|
||||||
|
defaultClassNames.disabled
|
||||||
|
),
|
||||||
|
hidden: cn("invisible", defaultClassNames.hidden),
|
||||||
|
...classNames,
|
||||||
|
}}
|
||||||
|
components={{
|
||||||
|
Root: ({ className, rootRef, ...props }) => {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="calendar"
|
||||||
|
ref={rootRef}
|
||||||
|
className={cn(className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
},
|
||||||
|
Chevron: ({ className, orientation, ...props }) => {
|
||||||
|
if (orientation === "left") {
|
||||||
|
return (
|
||||||
|
<ChevronLeftIcon className={cn("size-4", className)} {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
if (orientation === "right") {
|
||||||
|
return (
|
||||||
|
<ChevronRightIcon
|
||||||
|
className={cn("size-4", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<ChevronDownIcon className={cn("size-4", className)} {...props} />
|
||||||
|
);
|
||||||
|
},
|
||||||
|
DayButton: CalendarDayButton,
|
||||||
|
WeekNumber: ({ children, ...props }) => {
|
||||||
|
return (
|
||||||
|
<td {...props}>
|
||||||
|
<div className="flex size-(--cell-size) items-center justify-center text-center">
|
||||||
|
{children}
|
||||||
|
</div>
|
||||||
|
</td>
|
||||||
|
);
|
||||||
|
},
|
||||||
|
...components,
|
||||||
|
}}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CalendarDayButton({
|
||||||
|
className,
|
||||||
|
day,
|
||||||
|
modifiers,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DayButton>) {
|
||||||
|
const defaultClassNames = getDefaultClassNames();
|
||||||
|
|
||||||
|
const ref = React.useRef<HTMLButtonElement>(null);
|
||||||
|
React.useEffect(() => {
|
||||||
|
if (modifiers.focused) ref.current?.focus();
|
||||||
|
}, [modifiers.focused]);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Button
|
||||||
|
ref={ref}
|
||||||
|
variant="ghost"
|
||||||
|
size="icon"
|
||||||
|
data-day={day.date.toLocaleDateString()}
|
||||||
|
data-selected-single={
|
||||||
|
modifiers.selected &&
|
||||||
|
!modifiers.range_start &&
|
||||||
|
!modifiers.range_end &&
|
||||||
|
!modifiers.range_middle
|
||||||
|
}
|
||||||
|
data-range-start={modifiers.range_start}
|
||||||
|
data-range-end={modifiers.range_end}
|
||||||
|
data-range-middle={modifiers.range_middle}
|
||||||
|
className={cn(
|
||||||
|
"data-[selected-single=true]:bg-primary data-[selected-single=true]:text-primary-foreground data-[range-middle=true]:bg-accent data-[range-middle=true]:text-accent-foreground data-[range-start=true]:bg-primary data-[range-start=true]:text-primary-foreground data-[range-end=true]:bg-primary data-[range-end=true]:text-primary-foreground group-data-[focused=true]/day:border-ring group-data-[focused=true]/day:ring-ring/50 dark:hover:text-accent-foreground flex aspect-square size-auto w-full min-w-(--cell-size) flex-col gap-1 leading-none font-normal group-data-[focused=true]/day:relative group-data-[focused=true]/day:z-10 group-data-[focused=true]/day:ring-[3px] data-[range-end=true]:rounded-md data-[range-end=true]:rounded-r-md data-[range-middle=true]:rounded-none data-[range-start=true]:rounded-md data-[range-start=true]:rounded-l-md [&>span]:text-xs [&>span]:opacity-70",
|
||||||
|
defaultClassNames.day,
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Calendar, CalendarDayButton };
|
||||||
|
|
@ -0,0 +1,92 @@
|
||||||
|
import * as React from "react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Card({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="card"
|
||||||
|
className={cn(
|
||||||
|
"bg-card text-card-foreground flex flex-col gap-6 rounded-xl border py-6 shadow-sm",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CardHeader({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="card-header"
|
||||||
|
className={cn(
|
||||||
|
"@container/card-header grid auto-rows-min grid-rows-[auto_auto] items-start gap-2 px-6 has-data-[slot=card-action]:grid-cols-[1fr_auto] [.border-b]:pb-6",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CardTitle({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="card-title"
|
||||||
|
className={cn("leading-none font-semibold", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CardDescription({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="card-description"
|
||||||
|
className={cn("text-muted-foreground text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CardAction({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="card-action"
|
||||||
|
className={cn(
|
||||||
|
"col-start-2 row-span-2 row-start-1 self-start justify-self-end",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CardContent({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="card-content"
|
||||||
|
className={cn("px-6", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CardFooter({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="card-footer"
|
||||||
|
className={cn("flex items-center px-6 [.border-t]:pt-6", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Card,
|
||||||
|
CardHeader,
|
||||||
|
CardFooter,
|
||||||
|
CardTitle,
|
||||||
|
CardAction,
|
||||||
|
CardDescription,
|
||||||
|
CardContent,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,239 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import useEmblaCarousel, {
|
||||||
|
type UseEmblaCarouselType,
|
||||||
|
} from "embla-carousel-react";
|
||||||
|
import { ArrowLeft, ArrowRight } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
|
||||||
|
type CarouselApi = UseEmblaCarouselType[1];
|
||||||
|
type UseCarouselParameters = Parameters<typeof useEmblaCarousel>;
|
||||||
|
type CarouselOptions = UseCarouselParameters[0];
|
||||||
|
type CarouselPlugin = UseCarouselParameters[1];
|
||||||
|
|
||||||
|
type CarouselProps = {
|
||||||
|
opts?: CarouselOptions;
|
||||||
|
plugins?: CarouselPlugin;
|
||||||
|
orientation?: "horizontal" | "vertical";
|
||||||
|
setApi?: (api: CarouselApi) => void;
|
||||||
|
};
|
||||||
|
|
||||||
|
type CarouselContextProps = {
|
||||||
|
carouselRef: ReturnType<typeof useEmblaCarousel>[0];
|
||||||
|
api: ReturnType<typeof useEmblaCarousel>[1];
|
||||||
|
scrollPrev: () => void;
|
||||||
|
scrollNext: () => void;
|
||||||
|
canScrollPrev: boolean;
|
||||||
|
canScrollNext: boolean;
|
||||||
|
} & CarouselProps;
|
||||||
|
|
||||||
|
const CarouselContext = React.createContext<CarouselContextProps | null>(null);
|
||||||
|
|
||||||
|
function useCarousel() {
|
||||||
|
const context = React.useContext(CarouselContext);
|
||||||
|
|
||||||
|
if (!context) {
|
||||||
|
throw new Error("useCarousel must be used within a <Carousel />");
|
||||||
|
}
|
||||||
|
|
||||||
|
return context;
|
||||||
|
}
|
||||||
|
|
||||||
|
function Carousel({
|
||||||
|
orientation = "horizontal",
|
||||||
|
opts,
|
||||||
|
setApi,
|
||||||
|
plugins,
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & CarouselProps) {
|
||||||
|
const [carouselRef, api] = useEmblaCarousel(
|
||||||
|
{
|
||||||
|
...opts,
|
||||||
|
axis: orientation === "horizontal" ? "x" : "y",
|
||||||
|
},
|
||||||
|
plugins
|
||||||
|
);
|
||||||
|
const [canScrollPrev, setCanScrollPrev] = React.useState(false);
|
||||||
|
const [canScrollNext, setCanScrollNext] = React.useState(false);
|
||||||
|
|
||||||
|
const onSelect = React.useCallback((api: CarouselApi) => {
|
||||||
|
if (!api) return;
|
||||||
|
setCanScrollPrev(api.canScrollPrev());
|
||||||
|
setCanScrollNext(api.canScrollNext());
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const scrollPrev = React.useCallback(() => {
|
||||||
|
api?.scrollPrev();
|
||||||
|
}, [api]);
|
||||||
|
|
||||||
|
const scrollNext = React.useCallback(() => {
|
||||||
|
api?.scrollNext();
|
||||||
|
}, [api]);
|
||||||
|
|
||||||
|
const handleKeyDown = React.useCallback(
|
||||||
|
(event: React.KeyboardEvent<HTMLDivElement>) => {
|
||||||
|
if (event.key === "ArrowLeft") {
|
||||||
|
event.preventDefault();
|
||||||
|
scrollPrev();
|
||||||
|
} else if (event.key === "ArrowRight") {
|
||||||
|
event.preventDefault();
|
||||||
|
scrollNext();
|
||||||
|
}
|
||||||
|
},
|
||||||
|
[scrollPrev, scrollNext]
|
||||||
|
);
|
||||||
|
|
||||||
|
React.useEffect(() => {
|
||||||
|
if (!api || !setApi) return;
|
||||||
|
setApi(api);
|
||||||
|
}, [api, setApi]);
|
||||||
|
|
||||||
|
React.useEffect(() => {
|
||||||
|
if (!api) return;
|
||||||
|
onSelect(api);
|
||||||
|
api.on("reInit", onSelect);
|
||||||
|
api.on("select", onSelect);
|
||||||
|
|
||||||
|
return () => {
|
||||||
|
api?.off("select", onSelect);
|
||||||
|
};
|
||||||
|
}, [api, onSelect]);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<CarouselContext.Provider
|
||||||
|
value={{
|
||||||
|
carouselRef,
|
||||||
|
api: api,
|
||||||
|
opts,
|
||||||
|
orientation:
|
||||||
|
orientation || (opts?.axis === "y" ? "vertical" : "horizontal"),
|
||||||
|
scrollPrev,
|
||||||
|
scrollNext,
|
||||||
|
canScrollPrev,
|
||||||
|
canScrollNext,
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
onKeyDownCapture={handleKeyDown}
|
||||||
|
className={cn("relative", className)}
|
||||||
|
role="region"
|
||||||
|
aria-roledescription="carousel"
|
||||||
|
data-slot="carousel"
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</div>
|
||||||
|
</CarouselContext.Provider>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CarouselContent({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
const { carouselRef, orientation } = useCarousel();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
ref={carouselRef}
|
||||||
|
className="overflow-hidden"
|
||||||
|
data-slot="carousel-content"
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
className={cn(
|
||||||
|
"flex",
|
||||||
|
orientation === "horizontal" ? "-ml-4" : "-mt-4 flex-col",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CarouselItem({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
const { orientation } = useCarousel();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
role="group"
|
||||||
|
aria-roledescription="slide"
|
||||||
|
data-slot="carousel-item"
|
||||||
|
className={cn(
|
||||||
|
"min-w-0 shrink-0 grow-0 basis-full",
|
||||||
|
orientation === "horizontal" ? "pl-4" : "pt-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CarouselPrevious({
|
||||||
|
className,
|
||||||
|
variant = "outline",
|
||||||
|
size = "icon",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof Button>) {
|
||||||
|
const { orientation, scrollPrev, canScrollPrev } = useCarousel();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Button
|
||||||
|
data-slot="carousel-previous"
|
||||||
|
variant={variant}
|
||||||
|
size={size}
|
||||||
|
className={cn(
|
||||||
|
"absolute size-8 rounded-full",
|
||||||
|
orientation === "horizontal"
|
||||||
|
? "top-1/2 -left-12 -translate-y-1/2"
|
||||||
|
: "-top-12 left-1/2 -translate-x-1/2 rotate-90",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
disabled={!canScrollPrev}
|
||||||
|
onClick={scrollPrev}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ArrowLeft />
|
||||||
|
<span className="sr-only">Previous slide</span>
|
||||||
|
</Button>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CarouselNext({
|
||||||
|
className,
|
||||||
|
variant = "outline",
|
||||||
|
size = "icon",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof Button>) {
|
||||||
|
const { orientation, scrollNext, canScrollNext } = useCarousel();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Button
|
||||||
|
data-slot="carousel-next"
|
||||||
|
variant={variant}
|
||||||
|
size={size}
|
||||||
|
className={cn(
|
||||||
|
"absolute size-8 rounded-full",
|
||||||
|
orientation === "horizontal"
|
||||||
|
? "top-1/2 -right-12 -translate-y-1/2"
|
||||||
|
: "-bottom-12 left-1/2 -translate-x-1/2 rotate-90",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
disabled={!canScrollNext}
|
||||||
|
onClick={scrollNext}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ArrowRight />
|
||||||
|
<span className="sr-only">Next slide</span>
|
||||||
|
</Button>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
type CarouselApi,
|
||||||
|
Carousel,
|
||||||
|
CarouselContent,
|
||||||
|
CarouselItem,
|
||||||
|
CarouselPrevious,
|
||||||
|
CarouselNext,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,355 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as RechartsPrimitive from "recharts";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
// Format: { THEME_NAME: CSS_SELECTOR }
|
||||||
|
const THEMES = { light: "", dark: ".dark" } as const;
|
||||||
|
|
||||||
|
export type ChartConfig = {
|
||||||
|
[k in string]: {
|
||||||
|
label?: React.ReactNode;
|
||||||
|
icon?: React.ComponentType;
|
||||||
|
} & (
|
||||||
|
| { color?: string; theme?: never }
|
||||||
|
| { color?: never; theme: Record<keyof typeof THEMES, string> }
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
type ChartContextProps = {
|
||||||
|
config: ChartConfig;
|
||||||
|
};
|
||||||
|
|
||||||
|
const ChartContext = React.createContext<ChartContextProps | null>(null);
|
||||||
|
|
||||||
|
function useChart() {
|
||||||
|
const context = React.useContext(ChartContext);
|
||||||
|
|
||||||
|
if (!context) {
|
||||||
|
throw new Error("useChart must be used within a <ChartContainer />");
|
||||||
|
}
|
||||||
|
|
||||||
|
return context;
|
||||||
|
}
|
||||||
|
|
||||||
|
function ChartContainer({
|
||||||
|
id,
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
config,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & {
|
||||||
|
config: ChartConfig;
|
||||||
|
children: React.ComponentProps<
|
||||||
|
typeof RechartsPrimitive.ResponsiveContainer
|
||||||
|
>["children"];
|
||||||
|
}) {
|
||||||
|
const uniqueId = React.useId();
|
||||||
|
const chartId = `chart-${id || uniqueId.replace(/:/g, "")}`;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<ChartContext.Provider value={{ config }}>
|
||||||
|
<div
|
||||||
|
data-slot="chart"
|
||||||
|
data-chart={chartId}
|
||||||
|
className={cn(
|
||||||
|
"[&_.recharts-cartesian-axis-tick_text]:fill-muted-foreground [&_.recharts-cartesian-grid_line[stroke='#ccc']]:stroke-border/50 [&_.recharts-curve.recharts-tooltip-cursor]:stroke-border [&_.recharts-polar-grid_[stroke='#ccc']]:stroke-border [&_.recharts-radial-bar-background-sector]:fill-muted [&_.recharts-rectangle.recharts-tooltip-cursor]:fill-muted [&_.recharts-reference-line_[stroke='#ccc']]:stroke-border flex aspect-video justify-center text-xs [&_.recharts-dot[stroke='#fff']]:stroke-transparent [&_.recharts-layer]:outline-hidden [&_.recharts-sector]:outline-hidden [&_.recharts-sector[stroke='#fff']]:stroke-transparent [&_.recharts-surface]:outline-hidden",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ChartStyle id={chartId} config={config} />
|
||||||
|
<RechartsPrimitive.ResponsiveContainer>
|
||||||
|
{children}
|
||||||
|
</RechartsPrimitive.ResponsiveContainer>
|
||||||
|
</div>
|
||||||
|
</ChartContext.Provider>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const ChartStyle = ({ id, config }: { id: string; config: ChartConfig }) => {
|
||||||
|
const colorConfig = Object.entries(config).filter(
|
||||||
|
([, config]) => config.theme || config.color
|
||||||
|
);
|
||||||
|
|
||||||
|
if (!colorConfig.length) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<style
|
||||||
|
dangerouslySetInnerHTML={{
|
||||||
|
__html: Object.entries(THEMES)
|
||||||
|
.map(
|
||||||
|
([theme, prefix]) => `
|
||||||
|
${prefix} [data-chart=${id}] {
|
||||||
|
${colorConfig
|
||||||
|
.map(([key, itemConfig]) => {
|
||||||
|
const color =
|
||||||
|
itemConfig.theme?.[theme as keyof typeof itemConfig.theme] ||
|
||||||
|
itemConfig.color;
|
||||||
|
return color ? ` --color-${key}: ${color};` : null;
|
||||||
|
})
|
||||||
|
.join("\n")}
|
||||||
|
}
|
||||||
|
`
|
||||||
|
)
|
||||||
|
.join("\n"),
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
const ChartTooltip = RechartsPrimitive.Tooltip;
|
||||||
|
|
||||||
|
function ChartTooltipContent({
|
||||||
|
active,
|
||||||
|
payload,
|
||||||
|
className,
|
||||||
|
indicator = "dot",
|
||||||
|
hideLabel = false,
|
||||||
|
hideIndicator = false,
|
||||||
|
label,
|
||||||
|
labelFormatter,
|
||||||
|
labelClassName,
|
||||||
|
formatter,
|
||||||
|
color,
|
||||||
|
nameKey,
|
||||||
|
labelKey,
|
||||||
|
}: React.ComponentProps<typeof RechartsPrimitive.Tooltip> &
|
||||||
|
React.ComponentProps<"div"> & {
|
||||||
|
hideLabel?: boolean;
|
||||||
|
hideIndicator?: boolean;
|
||||||
|
indicator?: "line" | "dot" | "dashed";
|
||||||
|
nameKey?: string;
|
||||||
|
labelKey?: string;
|
||||||
|
}) {
|
||||||
|
const { config } = useChart();
|
||||||
|
|
||||||
|
const tooltipLabel = React.useMemo(() => {
|
||||||
|
if (hideLabel || !payload?.length) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
const [item] = payload;
|
||||||
|
const key = `${labelKey || item?.dataKey || item?.name || "value"}`;
|
||||||
|
const itemConfig = getPayloadConfigFromPayload(config, item, key);
|
||||||
|
const value =
|
||||||
|
!labelKey && typeof label === "string"
|
||||||
|
? config[label as keyof typeof config]?.label || label
|
||||||
|
: itemConfig?.label;
|
||||||
|
|
||||||
|
if (labelFormatter) {
|
||||||
|
return (
|
||||||
|
<div className={cn("font-medium", labelClassName)}>
|
||||||
|
{labelFormatter(value, payload)}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!value) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
return <div className={cn("font-medium", labelClassName)}>{value}</div>;
|
||||||
|
}, [
|
||||||
|
label,
|
||||||
|
labelFormatter,
|
||||||
|
payload,
|
||||||
|
hideLabel,
|
||||||
|
labelClassName,
|
||||||
|
config,
|
||||||
|
labelKey,
|
||||||
|
]);
|
||||||
|
|
||||||
|
if (!active || !payload?.length) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
const nestLabel = payload.length === 1 && indicator !== "dot";
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
className={cn(
|
||||||
|
"border-border/50 bg-background grid min-w-[8rem] items-start gap-1.5 rounded-lg border px-2.5 py-1.5 text-xs shadow-xl",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
{!nestLabel ? tooltipLabel : null}
|
||||||
|
<div className="grid gap-1.5">
|
||||||
|
{payload
|
||||||
|
.filter(item => item.type !== "none")
|
||||||
|
.map((item, index) => {
|
||||||
|
const key = `${nameKey || item.name || item.dataKey || "value"}`;
|
||||||
|
const itemConfig = getPayloadConfigFromPayload(config, item, key);
|
||||||
|
const indicatorColor = color || item.payload.fill || item.color;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
key={item.dataKey}
|
||||||
|
className={cn(
|
||||||
|
"[&>svg]:text-muted-foreground flex w-full flex-wrap items-stretch gap-2 [&>svg]:h-2.5 [&>svg]:w-2.5",
|
||||||
|
indicator === "dot" && "items-center"
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
{formatter && item?.value !== undefined && item.name ? (
|
||||||
|
formatter(item.value, item.name, item, index, item.payload)
|
||||||
|
) : (
|
||||||
|
<>
|
||||||
|
{itemConfig?.icon ? (
|
||||||
|
<itemConfig.icon />
|
||||||
|
) : (
|
||||||
|
!hideIndicator && (
|
||||||
|
<div
|
||||||
|
className={cn(
|
||||||
|
"shrink-0 rounded-[2px] border-(--color-border) bg-(--color-bg)",
|
||||||
|
{
|
||||||
|
"h-2.5 w-2.5": indicator === "dot",
|
||||||
|
"w-1": indicator === "line",
|
||||||
|
"w-0 border-[1.5px] border-dashed bg-transparent":
|
||||||
|
indicator === "dashed",
|
||||||
|
"my-0.5": nestLabel && indicator === "dashed",
|
||||||
|
}
|
||||||
|
)}
|
||||||
|
style={
|
||||||
|
{
|
||||||
|
"--color-bg": indicatorColor,
|
||||||
|
"--color-border": indicatorColor,
|
||||||
|
} as React.CSSProperties
|
||||||
|
}
|
||||||
|
/>
|
||||||
|
)
|
||||||
|
)}
|
||||||
|
<div
|
||||||
|
className={cn(
|
||||||
|
"flex flex-1 justify-between leading-none",
|
||||||
|
nestLabel ? "items-end" : "items-center"
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
<div className="grid gap-1.5">
|
||||||
|
{nestLabel ? tooltipLabel : null}
|
||||||
|
<span className="text-muted-foreground">
|
||||||
|
{itemConfig?.label || item.name}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
{item.value && (
|
||||||
|
<span className="text-foreground font-mono font-medium tabular-nums">
|
||||||
|
{item.value.toLocaleString()}
|
||||||
|
</span>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const ChartLegend = RechartsPrimitive.Legend;
|
||||||
|
|
||||||
|
function ChartLegendContent({
|
||||||
|
className,
|
||||||
|
hideIcon = false,
|
||||||
|
payload,
|
||||||
|
verticalAlign = "bottom",
|
||||||
|
nameKey,
|
||||||
|
}: React.ComponentProps<"div"> &
|
||||||
|
Pick<RechartsPrimitive.LegendProps, "payload" | "verticalAlign"> & {
|
||||||
|
hideIcon?: boolean;
|
||||||
|
nameKey?: string;
|
||||||
|
}) {
|
||||||
|
const { config } = useChart();
|
||||||
|
|
||||||
|
if (!payload?.length) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
className={cn(
|
||||||
|
"flex items-center justify-center gap-4",
|
||||||
|
verticalAlign === "top" ? "pb-3" : "pt-3",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
{payload
|
||||||
|
.filter(item => item.type !== "none")
|
||||||
|
.map(item => {
|
||||||
|
const key = `${nameKey || item.dataKey || "value"}`;
|
||||||
|
const itemConfig = getPayloadConfigFromPayload(config, item, key);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
key={item.value}
|
||||||
|
className={cn(
|
||||||
|
"[&>svg]:text-muted-foreground flex items-center gap-1.5 [&>svg]:h-3 [&>svg]:w-3"
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
{itemConfig?.icon && !hideIcon ? (
|
||||||
|
<itemConfig.icon />
|
||||||
|
) : (
|
||||||
|
<div
|
||||||
|
className="h-2 w-2 shrink-0 rounded-[2px]"
|
||||||
|
style={{
|
||||||
|
backgroundColor: item.color,
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
{itemConfig?.label}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Helper to extract item config from a payload.
|
||||||
|
function getPayloadConfigFromPayload(
|
||||||
|
config: ChartConfig,
|
||||||
|
payload: unknown,
|
||||||
|
key: string
|
||||||
|
) {
|
||||||
|
if (typeof payload !== "object" || payload === null) {
|
||||||
|
return undefined;
|
||||||
|
}
|
||||||
|
|
||||||
|
const payloadPayload =
|
||||||
|
"payload" in payload &&
|
||||||
|
typeof payload.payload === "object" &&
|
||||||
|
payload.payload !== null
|
||||||
|
? payload.payload
|
||||||
|
: undefined;
|
||||||
|
|
||||||
|
let configLabelKey: string = key;
|
||||||
|
|
||||||
|
if (
|
||||||
|
key in payload &&
|
||||||
|
typeof payload[key as keyof typeof payload] === "string"
|
||||||
|
) {
|
||||||
|
configLabelKey = payload[key as keyof typeof payload] as string;
|
||||||
|
} else if (
|
||||||
|
payloadPayload &&
|
||||||
|
key in payloadPayload &&
|
||||||
|
typeof payloadPayload[key as keyof typeof payloadPayload] === "string"
|
||||||
|
) {
|
||||||
|
configLabelKey = payloadPayload[
|
||||||
|
key as keyof typeof payloadPayload
|
||||||
|
] as string;
|
||||||
|
}
|
||||||
|
|
||||||
|
return configLabelKey in config
|
||||||
|
? config[configLabelKey]
|
||||||
|
: config[key as keyof typeof config];
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
ChartContainer,
|
||||||
|
ChartTooltip,
|
||||||
|
ChartTooltipContent,
|
||||||
|
ChartLegend,
|
||||||
|
ChartLegendContent,
|
||||||
|
ChartStyle,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,30 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as CheckboxPrimitive from "@radix-ui/react-checkbox";
|
||||||
|
import { CheckIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Checkbox({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CheckboxPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<CheckboxPrimitive.Root
|
||||||
|
data-slot="checkbox"
|
||||||
|
className={cn(
|
||||||
|
"peer border-input dark:bg-input/30 data-[state=checked]:bg-primary data-[state=checked]:text-primary-foreground dark:data-[state=checked]:bg-primary data-[state=checked]:border-primary focus-visible:border-ring focus-visible:ring-ring/50 aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive size-4 shrink-0 rounded-[4px] border shadow-xs transition-shadow outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<CheckboxPrimitive.Indicator
|
||||||
|
data-slot="checkbox-indicator"
|
||||||
|
className="flex items-center justify-center text-current transition-none"
|
||||||
|
>
|
||||||
|
<CheckIcon className="size-3.5" />
|
||||||
|
</CheckboxPrimitive.Indicator>
|
||||||
|
</CheckboxPrimitive.Root>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Checkbox };
|
||||||
|
|
@ -0,0 +1,31 @@
|
||||||
|
import * as CollapsiblePrimitive from "@radix-ui/react-collapsible";
|
||||||
|
|
||||||
|
function Collapsible({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CollapsiblePrimitive.Root>) {
|
||||||
|
return <CollapsiblePrimitive.Root data-slot="collapsible" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function CollapsibleTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CollapsiblePrimitive.CollapsibleTrigger>) {
|
||||||
|
return (
|
||||||
|
<CollapsiblePrimitive.CollapsibleTrigger
|
||||||
|
data-slot="collapsible-trigger"
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CollapsibleContent({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CollapsiblePrimitive.CollapsibleContent>) {
|
||||||
|
return (
|
||||||
|
<CollapsiblePrimitive.CollapsibleContent
|
||||||
|
data-slot="collapsible-content"
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Collapsible, CollapsibleTrigger, CollapsibleContent };
|
||||||
|
|
@ -0,0 +1,184 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import * as React from "react";
|
||||||
|
import { Command as CommandPrimitive } from "cmdk";
|
||||||
|
import { SearchIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import {
|
||||||
|
Dialog,
|
||||||
|
DialogContent,
|
||||||
|
DialogDescription,
|
||||||
|
DialogHeader,
|
||||||
|
DialogTitle,
|
||||||
|
} from "@/components/ui/dialog";
|
||||||
|
|
||||||
|
function Command({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CommandPrimitive>) {
|
||||||
|
return (
|
||||||
|
<CommandPrimitive
|
||||||
|
data-slot="command"
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground flex h-full w-full flex-col overflow-hidden rounded-md",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CommandDialog({
|
||||||
|
title = "Command Palette",
|
||||||
|
description = "Search for a command to run...",
|
||||||
|
children,
|
||||||
|
className,
|
||||||
|
showCloseButton = true,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof Dialog> & {
|
||||||
|
title?: string;
|
||||||
|
description?: string;
|
||||||
|
className?: string;
|
||||||
|
showCloseButton?: boolean;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<Dialog {...props}>
|
||||||
|
<DialogHeader className="sr-only">
|
||||||
|
<DialogTitle>{title}</DialogTitle>
|
||||||
|
<DialogDescription>{description}</DialogDescription>
|
||||||
|
</DialogHeader>
|
||||||
|
<DialogContent
|
||||||
|
className={cn("overflow-hidden p-0", className)}
|
||||||
|
showCloseButton={showCloseButton}
|
||||||
|
>
|
||||||
|
<Command className="[&_[cmdk-group-heading]]:text-muted-foreground **:data-[slot=command-input-wrapper]:h-12 [&_[cmdk-group-heading]]:px-2 [&_[cmdk-group-heading]]:font-medium [&_[cmdk-group]]:px-2 [&_[cmdk-group]:not([hidden])_~[cmdk-group]]:pt-0 [&_[cmdk-input-wrapper]_svg]:h-5 [&_[cmdk-input-wrapper]_svg]:w-5 [&_[cmdk-input]]:h-12 [&_[cmdk-item]]:px-2 [&_[cmdk-item]]:py-3 [&_[cmdk-item]_svg]:h-5 [&_[cmdk-item]_svg]:w-5">
|
||||||
|
{children}
|
||||||
|
</Command>
|
||||||
|
</DialogContent>
|
||||||
|
</Dialog>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CommandInput({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CommandPrimitive.Input>) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="command-input-wrapper"
|
||||||
|
className="flex h-9 items-center gap-2 border-b px-3"
|
||||||
|
>
|
||||||
|
<SearchIcon className="size-4 shrink-0 opacity-50" />
|
||||||
|
<CommandPrimitive.Input
|
||||||
|
data-slot="command-input"
|
||||||
|
className={cn(
|
||||||
|
"placeholder:text-muted-foreground flex h-10 w-full rounded-md bg-transparent py-3 text-sm outline-hidden disabled:cursor-not-allowed disabled:opacity-50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CommandList({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CommandPrimitive.List>) {
|
||||||
|
return (
|
||||||
|
<CommandPrimitive.List
|
||||||
|
data-slot="command-list"
|
||||||
|
className={cn(
|
||||||
|
"max-h-[300px] scroll-py-1 overflow-x-hidden overflow-y-auto",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CommandEmpty({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CommandPrimitive.Empty>) {
|
||||||
|
return (
|
||||||
|
<CommandPrimitive.Empty
|
||||||
|
data-slot="command-empty"
|
||||||
|
className="py-6 text-center text-sm"
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CommandGroup({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CommandPrimitive.Group>) {
|
||||||
|
return (
|
||||||
|
<CommandPrimitive.Group
|
||||||
|
data-slot="command-group"
|
||||||
|
className={cn(
|
||||||
|
"text-foreground [&_[cmdk-group-heading]]:text-muted-foreground overflow-hidden p-1 [&_[cmdk-group-heading]]:px-2 [&_[cmdk-group-heading]]:py-1.5 [&_[cmdk-group-heading]]:text-xs [&_[cmdk-group-heading]]:font-medium",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CommandSeparator({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CommandPrimitive.Separator>) {
|
||||||
|
return (
|
||||||
|
<CommandPrimitive.Separator
|
||||||
|
data-slot="command-separator"
|
||||||
|
className={cn("bg-border -mx-1 h-px", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CommandItem({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof CommandPrimitive.Item>) {
|
||||||
|
return (
|
||||||
|
<CommandPrimitive.Item
|
||||||
|
data-slot="command-item"
|
||||||
|
className={cn(
|
||||||
|
"data-[selected=true]:bg-accent data-[selected=true]:text-accent-foreground [&_svg:not([class*='text-'])]:text-muted-foreground relative flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[disabled=true]:pointer-events-none data-[disabled=true]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function CommandShortcut({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"span">) {
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
data-slot="command-shortcut"
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground ml-auto text-xs tracking-widest",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Command,
|
||||||
|
CommandDialog,
|
||||||
|
CommandInput,
|
||||||
|
CommandList,
|
||||||
|
CommandEmpty,
|
||||||
|
CommandGroup,
|
||||||
|
CommandItem,
|
||||||
|
CommandShortcut,
|
||||||
|
CommandSeparator,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,250 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as ContextMenuPrimitive from "@radix-ui/react-context-menu";
|
||||||
|
import { CheckIcon, ChevronRightIcon, CircleIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function ContextMenu({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.Root>) {
|
||||||
|
return <ContextMenuPrimitive.Root data-slot="context-menu" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.Trigger>) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.Trigger data-slot="context-menu-trigger" {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuGroup({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.Group>) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.Group data-slot="context-menu-group" {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuPortal({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.Portal>) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.Portal data-slot="context-menu-portal" {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuSub({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.Sub>) {
|
||||||
|
return <ContextMenuPrimitive.Sub data-slot="context-menu-sub" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuRadioGroup({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.RadioGroup>) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.RadioGroup
|
||||||
|
data-slot="context-menu-radio-group"
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuSubTrigger({
|
||||||
|
className,
|
||||||
|
inset,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.SubTrigger> & {
|
||||||
|
inset?: boolean;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.SubTrigger
|
||||||
|
data-slot="context-menu-sub-trigger"
|
||||||
|
data-inset={inset}
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground data-[state=open]:bg-accent data-[state=open]:text-accent-foreground [&_svg:not([class*='text-'])]:text-muted-foreground flex cursor-default items-center rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[inset]:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
<ChevronRightIcon className="ml-auto" />
|
||||||
|
</ContextMenuPrimitive.SubTrigger>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuSubContent({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.SubContent>) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.SubContent
|
||||||
|
data-slot="context-menu-sub-content"
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 min-w-[8rem] origin-(--radix-context-menu-content-transform-origin) overflow-hidden rounded-md border p-1 shadow-lg",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuContent({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.Portal>
|
||||||
|
<ContextMenuPrimitive.Content
|
||||||
|
data-slot="context-menu-content"
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 max-h-(--radix-context-menu-content-available-height) min-w-[8rem] origin-(--radix-context-menu-content-transform-origin) overflow-x-hidden overflow-y-auto rounded-md border p-1 shadow-md",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</ContextMenuPrimitive.Portal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuItem({
|
||||||
|
className,
|
||||||
|
inset,
|
||||||
|
variant = "default",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.Item> & {
|
||||||
|
inset?: boolean;
|
||||||
|
variant?: "default" | "destructive";
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.Item
|
||||||
|
data-slot="context-menu-item"
|
||||||
|
data-inset={inset}
|
||||||
|
data-variant={variant}
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground data-[variant=destructive]:text-destructive data-[variant=destructive]:focus:bg-destructive/10 dark:data-[variant=destructive]:focus:bg-destructive/20 data-[variant=destructive]:focus:text-destructive data-[variant=destructive]:*:[svg]:!text-destructive [&_svg:not([class*='text-'])]:text-muted-foreground relative flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 data-[inset]:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuCheckboxItem({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
checked,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.CheckboxItem>) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.CheckboxItem
|
||||||
|
data-slot="context-menu-checkbox-item"
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
checked={checked}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
|
||||||
|
<ContextMenuPrimitive.ItemIndicator>
|
||||||
|
<CheckIcon className="size-4" />
|
||||||
|
</ContextMenuPrimitive.ItemIndicator>
|
||||||
|
</span>
|
||||||
|
{children}
|
||||||
|
</ContextMenuPrimitive.CheckboxItem>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuRadioItem({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.RadioItem>) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.RadioItem
|
||||||
|
data-slot="context-menu-radio-item"
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
|
||||||
|
<ContextMenuPrimitive.ItemIndicator>
|
||||||
|
<CircleIcon className="size-2 fill-current" />
|
||||||
|
</ContextMenuPrimitive.ItemIndicator>
|
||||||
|
</span>
|
||||||
|
{children}
|
||||||
|
</ContextMenuPrimitive.RadioItem>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuLabel({
|
||||||
|
className,
|
||||||
|
inset,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.Label> & {
|
||||||
|
inset?: boolean;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.Label
|
||||||
|
data-slot="context-menu-label"
|
||||||
|
data-inset={inset}
|
||||||
|
className={cn(
|
||||||
|
"text-foreground px-2 py-1.5 text-sm font-medium data-[inset]:pl-8",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuSeparator({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ContextMenuPrimitive.Separator>) {
|
||||||
|
return (
|
||||||
|
<ContextMenuPrimitive.Separator
|
||||||
|
data-slot="context-menu-separator"
|
||||||
|
className={cn("bg-border -mx-1 my-1 h-px", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ContextMenuShortcut({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"span">) {
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
data-slot="context-menu-shortcut"
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground ml-auto text-xs tracking-widest",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
ContextMenu,
|
||||||
|
ContextMenuTrigger,
|
||||||
|
ContextMenuContent,
|
||||||
|
ContextMenuItem,
|
||||||
|
ContextMenuCheckboxItem,
|
||||||
|
ContextMenuRadioItem,
|
||||||
|
ContextMenuLabel,
|
||||||
|
ContextMenuSeparator,
|
||||||
|
ContextMenuShortcut,
|
||||||
|
ContextMenuGroup,
|
||||||
|
ContextMenuPortal,
|
||||||
|
ContextMenuSub,
|
||||||
|
ContextMenuSubContent,
|
||||||
|
ContextMenuSubTrigger,
|
||||||
|
ContextMenuRadioGroup,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,209 @@
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import * as DialogPrimitive from "@radix-ui/react-dialog";
|
||||||
|
import { XIcon } from "lucide-react";
|
||||||
|
import * as React from "react";
|
||||||
|
|
||||||
|
// Context to track composition state across dialog children
|
||||||
|
const DialogCompositionContext = React.createContext<{
|
||||||
|
isComposing: () => boolean;
|
||||||
|
setComposing: (composing: boolean) => void;
|
||||||
|
justEndedComposing: () => boolean;
|
||||||
|
markCompositionEnd: () => void;
|
||||||
|
}>({
|
||||||
|
isComposing: () => false,
|
||||||
|
setComposing: () => {},
|
||||||
|
justEndedComposing: () => false,
|
||||||
|
markCompositionEnd: () => {},
|
||||||
|
});
|
||||||
|
|
||||||
|
export const useDialogComposition = () =>
|
||||||
|
React.useContext(DialogCompositionContext);
|
||||||
|
|
||||||
|
function Dialog({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DialogPrimitive.Root>) {
|
||||||
|
const composingRef = React.useRef(false);
|
||||||
|
const justEndedRef = React.useRef(false);
|
||||||
|
const endTimerRef = React.useRef<ReturnType<typeof setTimeout> | null>(null);
|
||||||
|
|
||||||
|
const contextValue = React.useMemo(
|
||||||
|
() => ({
|
||||||
|
isComposing: () => composingRef.current,
|
||||||
|
setComposing: (composing: boolean) => {
|
||||||
|
composingRef.current = composing;
|
||||||
|
},
|
||||||
|
justEndedComposing: () => justEndedRef.current,
|
||||||
|
markCompositionEnd: () => {
|
||||||
|
justEndedRef.current = true;
|
||||||
|
if (endTimerRef.current) {
|
||||||
|
clearTimeout(endTimerRef.current);
|
||||||
|
}
|
||||||
|
endTimerRef.current = setTimeout(() => {
|
||||||
|
justEndedRef.current = false;
|
||||||
|
}, 150);
|
||||||
|
},
|
||||||
|
}),
|
||||||
|
[]
|
||||||
|
);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<DialogCompositionContext.Provider value={contextValue}>
|
||||||
|
<DialogPrimitive.Root data-slot="dialog" {...props} />
|
||||||
|
</DialogCompositionContext.Provider>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DialogTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DialogPrimitive.Trigger>) {
|
||||||
|
return <DialogPrimitive.Trigger data-slot="dialog-trigger" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function DialogPortal({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DialogPrimitive.Portal>) {
|
||||||
|
return <DialogPrimitive.Portal data-slot="dialog-portal" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function DialogClose({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DialogPrimitive.Close>) {
|
||||||
|
return <DialogPrimitive.Close data-slot="dialog-close" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function DialogOverlay({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DialogPrimitive.Overlay>) {
|
||||||
|
return (
|
||||||
|
<DialogPrimitive.Overlay
|
||||||
|
data-slot="dialog-overlay"
|
||||||
|
className={cn(
|
||||||
|
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
DialogOverlay.displayName = "DialogOverlay";
|
||||||
|
|
||||||
|
function DialogContent({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
showCloseButton = true,
|
||||||
|
onEscapeKeyDown,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DialogPrimitive.Content> & {
|
||||||
|
showCloseButton?: boolean;
|
||||||
|
}) {
|
||||||
|
const { isComposing } = useDialogComposition();
|
||||||
|
|
||||||
|
const handleEscapeKeyDown = React.useCallback(
|
||||||
|
(e: KeyboardEvent) => {
|
||||||
|
// Check both the native isComposing property and our context state
|
||||||
|
// This handles Safari's timing issues with composition events
|
||||||
|
const isCurrentlyComposing = (e as any).isComposing || isComposing();
|
||||||
|
|
||||||
|
// If IME is composing, prevent dialog from closing
|
||||||
|
if (isCurrentlyComposing) {
|
||||||
|
e.preventDefault();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Call user's onEscapeKeyDown if provided
|
||||||
|
onEscapeKeyDown?.(e);
|
||||||
|
},
|
||||||
|
[isComposing, onEscapeKeyDown]
|
||||||
|
);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<DialogPortal data-slot="dialog-portal">
|
||||||
|
<DialogOverlay />
|
||||||
|
<DialogPrimitive.Content
|
||||||
|
data-slot="dialog-content"
|
||||||
|
className={cn(
|
||||||
|
"bg-background data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 fixed top-[50%] left-[50%] z-50 grid w-full max-w-[calc(100%-2rem)] translate-x-[-50%] translate-y-[-50%] gap-4 rounded-lg border p-6 shadow-lg duration-200 sm:max-w-lg",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
onEscapeKeyDown={handleEscapeKeyDown}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
{showCloseButton && (
|
||||||
|
<DialogPrimitive.Close
|
||||||
|
data-slot="dialog-close"
|
||||||
|
className="ring-offset-background focus:ring-ring data-[state=open]:bg-accent data-[state=open]:text-muted-foreground absolute top-4 right-4 rounded-xs opacity-70 transition-opacity hover:opacity-100 focus:ring-2 focus:ring-offset-2 focus:outline-hidden disabled:pointer-events-none [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4"
|
||||||
|
>
|
||||||
|
<XIcon />
|
||||||
|
<span className="sr-only">Close</span>
|
||||||
|
</DialogPrimitive.Close>
|
||||||
|
)}
|
||||||
|
</DialogPrimitive.Content>
|
||||||
|
</DialogPortal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DialogHeader({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="dialog-header"
|
||||||
|
className={cn("flex flex-col gap-2 text-center sm:text-left", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DialogFooter({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="dialog-footer"
|
||||||
|
className={cn(
|
||||||
|
"flex flex-col-reverse gap-2 sm:flex-row sm:justify-end",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DialogTitle({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DialogPrimitive.Title>) {
|
||||||
|
return (
|
||||||
|
<DialogPrimitive.Title
|
||||||
|
data-slot="dialog-title"
|
||||||
|
className={cn("text-lg leading-none font-semibold", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DialogDescription({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DialogPrimitive.Description>) {
|
||||||
|
return (
|
||||||
|
<DialogPrimitive.Description
|
||||||
|
data-slot="dialog-description"
|
||||||
|
className={cn("text-muted-foreground text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Dialog,
|
||||||
|
DialogClose,
|
||||||
|
DialogContent,
|
||||||
|
DialogDescription,
|
||||||
|
DialogFooter,
|
||||||
|
DialogHeader,
|
||||||
|
DialogOverlay,
|
||||||
|
DialogPortal,
|
||||||
|
DialogTitle,
|
||||||
|
DialogTrigger
|
||||||
|
};
|
||||||
|
|
||||||
|
|
@ -0,0 +1,133 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import { Drawer as DrawerPrimitive } from "vaul";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Drawer({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DrawerPrimitive.Root>) {
|
||||||
|
return <DrawerPrimitive.Root data-slot="drawer" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function DrawerTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DrawerPrimitive.Trigger>) {
|
||||||
|
return <DrawerPrimitive.Trigger data-slot="drawer-trigger" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function DrawerPortal({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DrawerPrimitive.Portal>) {
|
||||||
|
return <DrawerPrimitive.Portal data-slot="drawer-portal" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function DrawerClose({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DrawerPrimitive.Close>) {
|
||||||
|
return <DrawerPrimitive.Close data-slot="drawer-close" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function DrawerOverlay({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DrawerPrimitive.Overlay>) {
|
||||||
|
return (
|
||||||
|
<DrawerPrimitive.Overlay
|
||||||
|
data-slot="drawer-overlay"
|
||||||
|
className={cn(
|
||||||
|
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DrawerContent({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DrawerPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<DrawerPortal data-slot="drawer-portal">
|
||||||
|
<DrawerOverlay />
|
||||||
|
<DrawerPrimitive.Content
|
||||||
|
data-slot="drawer-content"
|
||||||
|
className={cn(
|
||||||
|
"group/drawer-content bg-background fixed z-50 flex h-auto flex-col",
|
||||||
|
"data-[vaul-drawer-direction=top]:inset-x-0 data-[vaul-drawer-direction=top]:top-0 data-[vaul-drawer-direction=top]:mb-24 data-[vaul-drawer-direction=top]:max-h-[80vh] data-[vaul-drawer-direction=top]:rounded-b-lg data-[vaul-drawer-direction=top]:border-b",
|
||||||
|
"data-[vaul-drawer-direction=bottom]:inset-x-0 data-[vaul-drawer-direction=bottom]:bottom-0 data-[vaul-drawer-direction=bottom]:mt-24 data-[vaul-drawer-direction=bottom]:max-h-[80vh] data-[vaul-drawer-direction=bottom]:rounded-t-lg data-[vaul-drawer-direction=bottom]:border-t",
|
||||||
|
"data-[vaul-drawer-direction=right]:inset-y-0 data-[vaul-drawer-direction=right]:right-0 data-[vaul-drawer-direction=right]:w-3/4 data-[vaul-drawer-direction=right]:border-l data-[vaul-drawer-direction=right]:sm:max-w-sm",
|
||||||
|
"data-[vaul-drawer-direction=left]:inset-y-0 data-[vaul-drawer-direction=left]:left-0 data-[vaul-drawer-direction=left]:w-3/4 data-[vaul-drawer-direction=left]:border-r data-[vaul-drawer-direction=left]:sm:max-w-sm",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<div className="bg-muted mx-auto mt-4 hidden h-2 w-[100px] shrink-0 rounded-full group-data-[vaul-drawer-direction=bottom]/drawer-content:block" />
|
||||||
|
{children}
|
||||||
|
</DrawerPrimitive.Content>
|
||||||
|
</DrawerPortal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DrawerHeader({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="drawer-header"
|
||||||
|
className={cn(
|
||||||
|
"flex flex-col gap-0.5 p-4 group-data-[vaul-drawer-direction=bottom]/drawer-content:text-center group-data-[vaul-drawer-direction=top]/drawer-content:text-center md:gap-1.5 md:text-left",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DrawerFooter({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="drawer-footer"
|
||||||
|
className={cn("mt-auto flex flex-col gap-2 p-4", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DrawerTitle({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DrawerPrimitive.Title>) {
|
||||||
|
return (
|
||||||
|
<DrawerPrimitive.Title
|
||||||
|
data-slot="drawer-title"
|
||||||
|
className={cn("text-foreground font-semibold", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DrawerDescription({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DrawerPrimitive.Description>) {
|
||||||
|
return (
|
||||||
|
<DrawerPrimitive.Description
|
||||||
|
data-slot="drawer-description"
|
||||||
|
className={cn("text-muted-foreground text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Drawer,
|
||||||
|
DrawerPortal,
|
||||||
|
DrawerOverlay,
|
||||||
|
DrawerTrigger,
|
||||||
|
DrawerClose,
|
||||||
|
DrawerContent,
|
||||||
|
DrawerHeader,
|
||||||
|
DrawerFooter,
|
||||||
|
DrawerTitle,
|
||||||
|
DrawerDescription,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,255 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as DropdownMenuPrimitive from "@radix-ui/react-dropdown-menu";
|
||||||
|
import { CheckIcon, ChevronRightIcon, CircleIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function DropdownMenu({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.Root>) {
|
||||||
|
return <DropdownMenuPrimitive.Root data-slot="dropdown-menu" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuPortal({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.Portal>) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.Portal data-slot="dropdown-menu-portal" {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.Trigger>) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.Trigger
|
||||||
|
data-slot="dropdown-menu-trigger"
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuContent({
|
||||||
|
className,
|
||||||
|
sideOffset = 4,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.Portal>
|
||||||
|
<DropdownMenuPrimitive.Content
|
||||||
|
data-slot="dropdown-menu-content"
|
||||||
|
sideOffset={sideOffset}
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 max-h-(--radix-dropdown-menu-content-available-height) min-w-[8rem] origin-(--radix-dropdown-menu-content-transform-origin) overflow-x-hidden overflow-y-auto rounded-md border p-1 shadow-md",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</DropdownMenuPrimitive.Portal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuGroup({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.Group>) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.Group data-slot="dropdown-menu-group" {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuItem({
|
||||||
|
className,
|
||||||
|
inset,
|
||||||
|
variant = "default",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.Item> & {
|
||||||
|
inset?: boolean;
|
||||||
|
variant?: "default" | "destructive";
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.Item
|
||||||
|
data-slot="dropdown-menu-item"
|
||||||
|
data-inset={inset}
|
||||||
|
data-variant={variant}
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground data-[variant=destructive]:text-destructive data-[variant=destructive]:focus:bg-destructive/10 dark:data-[variant=destructive]:focus:bg-destructive/20 data-[variant=destructive]:focus:text-destructive data-[variant=destructive]:*:[svg]:!text-destructive [&_svg:not([class*='text-'])]:text-muted-foreground relative flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 data-[inset]:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuCheckboxItem({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
checked,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.CheckboxItem>) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.CheckboxItem
|
||||||
|
data-slot="dropdown-menu-checkbox-item"
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
checked={checked}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
|
||||||
|
<DropdownMenuPrimitive.ItemIndicator>
|
||||||
|
<CheckIcon className="size-4" />
|
||||||
|
</DropdownMenuPrimitive.ItemIndicator>
|
||||||
|
</span>
|
||||||
|
{children}
|
||||||
|
</DropdownMenuPrimitive.CheckboxItem>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuRadioGroup({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.RadioGroup>) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.RadioGroup
|
||||||
|
data-slot="dropdown-menu-radio-group"
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuRadioItem({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.RadioItem>) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.RadioItem
|
||||||
|
data-slot="dropdown-menu-radio-item"
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
|
||||||
|
<DropdownMenuPrimitive.ItemIndicator>
|
||||||
|
<CircleIcon className="size-2 fill-current" />
|
||||||
|
</DropdownMenuPrimitive.ItemIndicator>
|
||||||
|
</span>
|
||||||
|
{children}
|
||||||
|
</DropdownMenuPrimitive.RadioItem>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuLabel({
|
||||||
|
className,
|
||||||
|
inset,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.Label> & {
|
||||||
|
inset?: boolean;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.Label
|
||||||
|
data-slot="dropdown-menu-label"
|
||||||
|
data-inset={inset}
|
||||||
|
className={cn(
|
||||||
|
"px-2 py-1.5 text-sm font-medium data-[inset]:pl-8",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuSeparator({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.Separator>) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.Separator
|
||||||
|
data-slot="dropdown-menu-separator"
|
||||||
|
className={cn("bg-border -mx-1 my-1 h-px", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuShortcut({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"span">) {
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
data-slot="dropdown-menu-shortcut"
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground ml-auto text-xs tracking-widest",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuSub({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.Sub>) {
|
||||||
|
return <DropdownMenuPrimitive.Sub data-slot="dropdown-menu-sub" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuSubTrigger({
|
||||||
|
className,
|
||||||
|
inset,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.SubTrigger> & {
|
||||||
|
inset?: boolean;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.SubTrigger
|
||||||
|
data-slot="dropdown-menu-sub-trigger"
|
||||||
|
data-inset={inset}
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground data-[state=open]:bg-accent data-[state=open]:text-accent-foreground [&_svg:not([class*='text-'])]:text-muted-foreground flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[inset]:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
<ChevronRightIcon className="ml-auto size-4" />
|
||||||
|
</DropdownMenuPrimitive.SubTrigger>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function DropdownMenuSubContent({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof DropdownMenuPrimitive.SubContent>) {
|
||||||
|
return (
|
||||||
|
<DropdownMenuPrimitive.SubContent
|
||||||
|
data-slot="dropdown-menu-sub-content"
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 min-w-[8rem] origin-(--radix-dropdown-menu-content-transform-origin) overflow-hidden rounded-md border p-1 shadow-lg",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
DropdownMenu,
|
||||||
|
DropdownMenuPortal,
|
||||||
|
DropdownMenuTrigger,
|
||||||
|
DropdownMenuContent,
|
||||||
|
DropdownMenuGroup,
|
||||||
|
DropdownMenuLabel,
|
||||||
|
DropdownMenuItem,
|
||||||
|
DropdownMenuCheckboxItem,
|
||||||
|
DropdownMenuRadioGroup,
|
||||||
|
DropdownMenuRadioItem,
|
||||||
|
DropdownMenuSeparator,
|
||||||
|
DropdownMenuShortcut,
|
||||||
|
DropdownMenuSub,
|
||||||
|
DropdownMenuSubTrigger,
|
||||||
|
DropdownMenuSubContent,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,104 @@
|
||||||
|
import { cva, type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Empty({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="empty"
|
||||||
|
className={cn(
|
||||||
|
"flex min-w-0 flex-1 flex-col items-center justify-center gap-6 rounded-lg border-dashed p-6 text-center text-balance md:p-12",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function EmptyHeader({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="empty-header"
|
||||||
|
className={cn(
|
||||||
|
"flex max-w-sm flex-col items-center gap-2 text-center",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const emptyMediaVariants = cva(
|
||||||
|
"flex shrink-0 items-center justify-center mb-2 [&_svg]:pointer-events-none [&_svg]:shrink-0",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
variant: {
|
||||||
|
default: "bg-transparent",
|
||||||
|
icon: "bg-muted text-foreground flex size-10 shrink-0 items-center justify-center rounded-lg [&_svg:not([class*='size-'])]:size-6",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
variant: "default",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function EmptyMedia({
|
||||||
|
className,
|
||||||
|
variant = "default",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & VariantProps<typeof emptyMediaVariants>) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="empty-icon"
|
||||||
|
data-variant={variant}
|
||||||
|
className={cn(emptyMediaVariants({ variant, className }))}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function EmptyTitle({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="empty-title"
|
||||||
|
className={cn("text-lg font-medium tracking-tight", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function EmptyDescription({ className, ...props }: React.ComponentProps<"p">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="empty-description"
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground [&>a:hover]:text-primary text-sm/relaxed [&>a]:underline [&>a]:underline-offset-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function EmptyContent({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="empty-content"
|
||||||
|
className={cn(
|
||||||
|
"flex w-full max-w-sm min-w-0 flex-col items-center gap-4 text-sm text-balance",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Empty,
|
||||||
|
EmptyHeader,
|
||||||
|
EmptyTitle,
|
||||||
|
EmptyDescription,
|
||||||
|
EmptyContent,
|
||||||
|
EmptyMedia,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,242 @@
|
||||||
|
import { useMemo } from "react";
|
||||||
|
import { cva, type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Label } from "@/components/ui/label";
|
||||||
|
import { Separator } from "@/components/ui/separator";
|
||||||
|
|
||||||
|
function FieldSet({ className, ...props }: React.ComponentProps<"fieldset">) {
|
||||||
|
return (
|
||||||
|
<fieldset
|
||||||
|
data-slot="field-set"
|
||||||
|
className={cn(
|
||||||
|
"flex flex-col gap-6",
|
||||||
|
"has-[>[data-slot=checkbox-group]]:gap-3 has-[>[data-slot=radio-group]]:gap-3",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FieldLegend({
|
||||||
|
className,
|
||||||
|
variant = "legend",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"legend"> & { variant?: "legend" | "label" }) {
|
||||||
|
return (
|
||||||
|
<legend
|
||||||
|
data-slot="field-legend"
|
||||||
|
data-variant={variant}
|
||||||
|
className={cn(
|
||||||
|
"mb-3 font-medium",
|
||||||
|
"data-[variant=legend]:text-base",
|
||||||
|
"data-[variant=label]:text-sm",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FieldGroup({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="field-group"
|
||||||
|
className={cn(
|
||||||
|
"group/field-group @container/field-group flex w-full flex-col gap-7 data-[slot=checkbox-group]:gap-3 [&>[data-slot=field-group]]:gap-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const fieldVariants = cva(
|
||||||
|
"group/field flex w-full gap-3 data-[invalid=true]:text-destructive",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
orientation: {
|
||||||
|
vertical: ["flex-col [&>*]:w-full [&>.sr-only]:w-auto"],
|
||||||
|
horizontal: [
|
||||||
|
"flex-row items-center",
|
||||||
|
"[&>[data-slot=field-label]]:flex-auto",
|
||||||
|
"has-[>[data-slot=field-content]]:items-start has-[>[data-slot=field-content]]:[&>[role=checkbox],[role=radio]]:mt-px",
|
||||||
|
],
|
||||||
|
responsive: [
|
||||||
|
"flex-col [&>*]:w-full [&>.sr-only]:w-auto @md/field-group:flex-row @md/field-group:items-center @md/field-group:[&>*]:w-auto",
|
||||||
|
"@md/field-group:[&>[data-slot=field-label]]:flex-auto",
|
||||||
|
"@md/field-group:has-[>[data-slot=field-content]]:items-start @md/field-group:has-[>[data-slot=field-content]]:[&>[role=checkbox],[role=radio]]:mt-px",
|
||||||
|
],
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
orientation: "vertical",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function Field({
|
||||||
|
className,
|
||||||
|
orientation = "vertical",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & VariantProps<typeof fieldVariants>) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
role="group"
|
||||||
|
data-slot="field"
|
||||||
|
data-orientation={orientation}
|
||||||
|
className={cn(fieldVariants({ orientation }), className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FieldContent({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="field-content"
|
||||||
|
className={cn(
|
||||||
|
"group/field-content flex flex-1 flex-col gap-1.5 leading-snug",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FieldLabel({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof Label>) {
|
||||||
|
return (
|
||||||
|
<Label
|
||||||
|
data-slot="field-label"
|
||||||
|
className={cn(
|
||||||
|
"group/field-label peer/field-label flex w-fit gap-2 leading-snug group-data-[disabled=true]/field:opacity-50",
|
||||||
|
"has-[>[data-slot=field]]:w-full has-[>[data-slot=field]]:flex-col has-[>[data-slot=field]]:rounded-md has-[>[data-slot=field]]:border [&>*]:data-[slot=field]:p-4",
|
||||||
|
"has-data-[state=checked]:bg-primary/5 has-data-[state=checked]:border-primary dark:has-data-[state=checked]:bg-primary/10",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FieldTitle({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="field-label"
|
||||||
|
className={cn(
|
||||||
|
"flex w-fit items-center gap-2 text-sm leading-snug font-medium group-data-[disabled=true]/field:opacity-50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FieldDescription({ className, ...props }: React.ComponentProps<"p">) {
|
||||||
|
return (
|
||||||
|
<p
|
||||||
|
data-slot="field-description"
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground text-sm leading-normal font-normal group-has-[[data-orientation=horizontal]]/field:text-balance",
|
||||||
|
"last:mt-0 nth-last-2:-mt-1 [[data-variant=legend]+&]:-mt-1.5",
|
||||||
|
"[&>a:hover]:text-primary [&>a]:underline [&>a]:underline-offset-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FieldSeparator({
|
||||||
|
children,
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & {
|
||||||
|
children?: React.ReactNode;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="field-separator"
|
||||||
|
data-content={!!children}
|
||||||
|
className={cn(
|
||||||
|
"relative -my-2 h-5 text-sm group-data-[variant=outline]/field-group:-mb-2",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<Separator className="absolute inset-0 top-1/2" />
|
||||||
|
{children && (
|
||||||
|
<span
|
||||||
|
className="bg-background text-muted-foreground relative mx-auto block w-fit px-2"
|
||||||
|
data-slot="field-separator-content"
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</span>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FieldError({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
errors,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & {
|
||||||
|
errors?: Array<{ message?: string } | undefined>;
|
||||||
|
}) {
|
||||||
|
const content = useMemo(() => {
|
||||||
|
if (children) {
|
||||||
|
return children;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!errors) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (errors?.length === 1 && errors[0]?.message) {
|
||||||
|
return errors[0].message;
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<ul className="ml-4 flex list-disc flex-col gap-1">
|
||||||
|
{errors.map(
|
||||||
|
(error, index) =>
|
||||||
|
error?.message && <li key={index}>{error.message}</li>
|
||||||
|
)}
|
||||||
|
</ul>
|
||||||
|
);
|
||||||
|
}, [children, errors]);
|
||||||
|
|
||||||
|
if (!content) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
role="alert"
|
||||||
|
data-slot="field-error"
|
||||||
|
className={cn("text-destructive text-sm font-normal", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{content}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Field,
|
||||||
|
FieldLabel,
|
||||||
|
FieldDescription,
|
||||||
|
FieldError,
|
||||||
|
FieldGroup,
|
||||||
|
FieldLegend,
|
||||||
|
FieldSeparator,
|
||||||
|
FieldSet,
|
||||||
|
FieldContent,
|
||||||
|
FieldTitle,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,168 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import * as React from "react";
|
||||||
|
import * as LabelPrimitive from "@radix-ui/react-label";
|
||||||
|
import { Slot } from "@radix-ui/react-slot";
|
||||||
|
import {
|
||||||
|
Controller,
|
||||||
|
FormProvider,
|
||||||
|
useFormContext,
|
||||||
|
useFormState,
|
||||||
|
type ControllerProps,
|
||||||
|
type FieldPath,
|
||||||
|
type FieldValues,
|
||||||
|
} from "react-hook-form";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Label } from "@/components/ui/label";
|
||||||
|
|
||||||
|
const Form = FormProvider;
|
||||||
|
|
||||||
|
type FormFieldContextValue<
|
||||||
|
TFieldValues extends FieldValues = FieldValues,
|
||||||
|
TName extends FieldPath<TFieldValues> = FieldPath<TFieldValues>,
|
||||||
|
> = {
|
||||||
|
name: TName;
|
||||||
|
};
|
||||||
|
|
||||||
|
const FormFieldContext = React.createContext<FormFieldContextValue>(
|
||||||
|
{} as FormFieldContextValue
|
||||||
|
);
|
||||||
|
|
||||||
|
const FormField = <
|
||||||
|
TFieldValues extends FieldValues = FieldValues,
|
||||||
|
TName extends FieldPath<TFieldValues> = FieldPath<TFieldValues>,
|
||||||
|
>({
|
||||||
|
...props
|
||||||
|
}: ControllerProps<TFieldValues, TName>) => {
|
||||||
|
return (
|
||||||
|
<FormFieldContext.Provider value={{ name: props.name }}>
|
||||||
|
<Controller {...props} />
|
||||||
|
</FormFieldContext.Provider>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
const useFormField = () => {
|
||||||
|
const fieldContext = React.useContext(FormFieldContext);
|
||||||
|
const itemContext = React.useContext(FormItemContext);
|
||||||
|
const { getFieldState } = useFormContext();
|
||||||
|
const formState = useFormState({ name: fieldContext.name });
|
||||||
|
const fieldState = getFieldState(fieldContext.name, formState);
|
||||||
|
|
||||||
|
if (!fieldContext) {
|
||||||
|
throw new Error("useFormField should be used within <FormField>");
|
||||||
|
}
|
||||||
|
|
||||||
|
const { id } = itemContext;
|
||||||
|
|
||||||
|
return {
|
||||||
|
id,
|
||||||
|
name: fieldContext.name,
|
||||||
|
formItemId: `${id}-form-item`,
|
||||||
|
formDescriptionId: `${id}-form-item-description`,
|
||||||
|
formMessageId: `${id}-form-item-message`,
|
||||||
|
...fieldState,
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
type FormItemContextValue = {
|
||||||
|
id: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
const FormItemContext = React.createContext<FormItemContextValue>(
|
||||||
|
{} as FormItemContextValue
|
||||||
|
);
|
||||||
|
|
||||||
|
function FormItem({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
const id = React.useId();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<FormItemContext.Provider value={{ id }}>
|
||||||
|
<div
|
||||||
|
data-slot="form-item"
|
||||||
|
className={cn("grid gap-2", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</FormItemContext.Provider>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FormLabel({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof LabelPrimitive.Root>) {
|
||||||
|
const { error, formItemId } = useFormField();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Label
|
||||||
|
data-slot="form-label"
|
||||||
|
data-error={!!error}
|
||||||
|
className={cn("data-[error=true]:text-destructive", className)}
|
||||||
|
htmlFor={formItemId}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FormControl({ ...props }: React.ComponentProps<typeof Slot>) {
|
||||||
|
const { error, formItemId, formDescriptionId, formMessageId } =
|
||||||
|
useFormField();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Slot
|
||||||
|
data-slot="form-control"
|
||||||
|
id={formItemId}
|
||||||
|
aria-describedby={
|
||||||
|
!error
|
||||||
|
? `${formDescriptionId}`
|
||||||
|
: `${formDescriptionId} ${formMessageId}`
|
||||||
|
}
|
||||||
|
aria-invalid={!!error}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FormDescription({ className, ...props }: React.ComponentProps<"p">) {
|
||||||
|
const { formDescriptionId } = useFormField();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<p
|
||||||
|
data-slot="form-description"
|
||||||
|
id={formDescriptionId}
|
||||||
|
className={cn("text-muted-foreground text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function FormMessage({ className, ...props }: React.ComponentProps<"p">) {
|
||||||
|
const { error, formMessageId } = useFormField();
|
||||||
|
const body = error ? String(error?.message ?? "") : props.children;
|
||||||
|
|
||||||
|
if (!body) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<p
|
||||||
|
data-slot="form-message"
|
||||||
|
id={formMessageId}
|
||||||
|
className={cn("text-destructive text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{body}
|
||||||
|
</p>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
useFormField,
|
||||||
|
Form,
|
||||||
|
FormItem,
|
||||||
|
FormLabel,
|
||||||
|
FormControl,
|
||||||
|
FormDescription,
|
||||||
|
FormMessage,
|
||||||
|
FormField,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,42 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as HoverCardPrimitive from "@radix-ui/react-hover-card";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function HoverCard({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof HoverCardPrimitive.Root>) {
|
||||||
|
return <HoverCardPrimitive.Root data-slot="hover-card" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function HoverCardTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof HoverCardPrimitive.Trigger>) {
|
||||||
|
return (
|
||||||
|
<HoverCardPrimitive.Trigger data-slot="hover-card-trigger" {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function HoverCardContent({
|
||||||
|
className,
|
||||||
|
align = "center",
|
||||||
|
sideOffset = 4,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof HoverCardPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<HoverCardPrimitive.Portal data-slot="hover-card-portal">
|
||||||
|
<HoverCardPrimitive.Content
|
||||||
|
data-slot="hover-card-content"
|
||||||
|
align={align}
|
||||||
|
sideOffset={sideOffset}
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 w-64 origin-(--radix-hover-card-content-transform-origin) rounded-md border p-4 shadow-md outline-hidden",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</HoverCardPrimitive.Portal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { HoverCard, HoverCardTrigger, HoverCardContent };
|
||||||
|
|
@ -0,0 +1,168 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import { cva, type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
import { Input } from "@/components/ui/input";
|
||||||
|
import { Textarea } from "@/components/ui/textarea";
|
||||||
|
|
||||||
|
function InputGroup({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="input-group"
|
||||||
|
role="group"
|
||||||
|
className={cn(
|
||||||
|
"group/input-group border-input dark:bg-input/30 relative flex w-full items-center rounded-md border shadow-xs transition-[color,box-shadow] outline-none",
|
||||||
|
"h-9 min-w-0 has-[>textarea]:h-auto",
|
||||||
|
|
||||||
|
// Variants based on alignment.
|
||||||
|
"has-[>[data-align=inline-start]]:[&>input]:pl-2",
|
||||||
|
"has-[>[data-align=inline-end]]:[&>input]:pr-2",
|
||||||
|
"has-[>[data-align=block-start]]:h-auto has-[>[data-align=block-start]]:flex-col has-[>[data-align=block-start]]:[&>input]:pb-3",
|
||||||
|
"has-[>[data-align=block-end]]:h-auto has-[>[data-align=block-end]]:flex-col has-[>[data-align=block-end]]:[&>input]:pt-3",
|
||||||
|
|
||||||
|
// Focus state.
|
||||||
|
"has-[[data-slot=input-group-control]:focus-visible]:border-ring has-[[data-slot=input-group-control]:focus-visible]:ring-ring/50 has-[[data-slot=input-group-control]:focus-visible]:ring-[3px]",
|
||||||
|
|
||||||
|
// Error state.
|
||||||
|
"has-[[data-slot][aria-invalid=true]]:ring-destructive/20 has-[[data-slot][aria-invalid=true]]:border-destructive dark:has-[[data-slot][aria-invalid=true]]:ring-destructive/40",
|
||||||
|
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const inputGroupAddonVariants = cva(
|
||||||
|
"text-muted-foreground flex h-auto cursor-text items-center justify-center gap-2 py-1.5 text-sm font-medium select-none [&>svg:not([class*='size-'])]:size-4 [&>kbd]:rounded-[calc(var(--radius)-5px)] group-data-[disabled=true]/input-group:opacity-50",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
align: {
|
||||||
|
"inline-start":
|
||||||
|
"order-first pl-3 has-[>button]:ml-[-0.45rem] has-[>kbd]:ml-[-0.35rem]",
|
||||||
|
"inline-end":
|
||||||
|
"order-last pr-3 has-[>button]:mr-[-0.45rem] has-[>kbd]:mr-[-0.35rem]",
|
||||||
|
"block-start":
|
||||||
|
"order-first w-full justify-start px-3 pt-3 [.border-b]:pb-3 group-has-[>input]/input-group:pt-2.5",
|
||||||
|
"block-end":
|
||||||
|
"order-last w-full justify-start px-3 pb-3 [.border-t]:pt-3 group-has-[>input]/input-group:pb-2.5",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
align: "inline-start",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function InputGroupAddon({
|
||||||
|
className,
|
||||||
|
align = "inline-start",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & VariantProps<typeof inputGroupAddonVariants>) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
role="group"
|
||||||
|
data-slot="input-group-addon"
|
||||||
|
data-align={align}
|
||||||
|
className={cn(inputGroupAddonVariants({ align }), className)}
|
||||||
|
onClick={e => {
|
||||||
|
if ((e.target as HTMLElement).closest("button")) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
e.currentTarget.parentElement?.querySelector("input")?.focus();
|
||||||
|
}}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const inputGroupButtonVariants = cva(
|
||||||
|
"text-sm shadow-none flex gap-2 items-center",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
size: {
|
||||||
|
xs: "h-6 gap-1 px-2 rounded-[calc(var(--radius)-5px)] [&>svg:not([class*='size-'])]:size-3.5 has-[>svg]:px-2",
|
||||||
|
sm: "h-8 px-2.5 gap-1.5 rounded-md has-[>svg]:px-2.5",
|
||||||
|
"icon-xs":
|
||||||
|
"size-6 rounded-[calc(var(--radius)-5px)] p-0 has-[>svg]:p-0",
|
||||||
|
"icon-sm": "size-8 p-0 has-[>svg]:p-0",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
size: "xs",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function InputGroupButton({
|
||||||
|
className,
|
||||||
|
type = "button",
|
||||||
|
variant = "ghost",
|
||||||
|
size = "xs",
|
||||||
|
...props
|
||||||
|
}: Omit<React.ComponentProps<typeof Button>, "size"> &
|
||||||
|
VariantProps<typeof inputGroupButtonVariants>) {
|
||||||
|
return (
|
||||||
|
<Button
|
||||||
|
type={type}
|
||||||
|
data-size={size}
|
||||||
|
variant={variant}
|
||||||
|
className={cn(inputGroupButtonVariants({ size }), className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function InputGroupText({ className, ...props }: React.ComponentProps<"span">) {
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground flex items-center gap-2 text-sm [&_svg]:pointer-events-none [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function InputGroupInput({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"input">) {
|
||||||
|
return (
|
||||||
|
<Input
|
||||||
|
data-slot="input-group-control"
|
||||||
|
className={cn(
|
||||||
|
"flex-1 rounded-none border-0 bg-transparent shadow-none focus-visible:ring-0 dark:bg-transparent",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function InputGroupTextarea({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"textarea">) {
|
||||||
|
return (
|
||||||
|
<Textarea
|
||||||
|
data-slot="input-group-control"
|
||||||
|
className={cn(
|
||||||
|
"flex-1 resize-none rounded-none border-0 bg-transparent py-3 shadow-none focus-visible:ring-0 dark:bg-transparent",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
InputGroup,
|
||||||
|
InputGroupAddon,
|
||||||
|
InputGroupButton,
|
||||||
|
InputGroupText,
|
||||||
|
InputGroupInput,
|
||||||
|
InputGroupTextarea,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,75 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import { OTPInput, OTPInputContext } from "input-otp";
|
||||||
|
import { MinusIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function InputOTP({
|
||||||
|
className,
|
||||||
|
containerClassName,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof OTPInput> & {
|
||||||
|
containerClassName?: string;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<OTPInput
|
||||||
|
data-slot="input-otp"
|
||||||
|
containerClassName={cn(
|
||||||
|
"flex items-center gap-2 has-disabled:opacity-50",
|
||||||
|
containerClassName
|
||||||
|
)}
|
||||||
|
className={cn("disabled:cursor-not-allowed", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function InputOTPGroup({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="input-otp-group"
|
||||||
|
className={cn("flex items-center", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function InputOTPSlot({
|
||||||
|
index,
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & {
|
||||||
|
index: number;
|
||||||
|
}) {
|
||||||
|
const inputOTPContext = React.useContext(OTPInputContext);
|
||||||
|
const { char, hasFakeCaret, isActive } = inputOTPContext?.slots[index] ?? {};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="input-otp-slot"
|
||||||
|
data-active={isActive}
|
||||||
|
className={cn(
|
||||||
|
"data-[active=true]:border-ring data-[active=true]:ring-ring/50 data-[active=true]:aria-invalid:ring-destructive/20 dark:data-[active=true]:aria-invalid:ring-destructive/40 aria-invalid:border-destructive data-[active=true]:aria-invalid:border-destructive dark:bg-input/30 border-input relative flex h-9 w-9 items-center justify-center border-y border-r text-sm shadow-xs transition-all outline-none first:rounded-l-md first:border-l last:rounded-r-md data-[active=true]:z-10 data-[active=true]:ring-[3px]",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{char}
|
||||||
|
{hasFakeCaret && (
|
||||||
|
<div className="pointer-events-none absolute inset-0 flex items-center justify-center">
|
||||||
|
<div className="animate-caret-blink bg-foreground h-4 w-px duration-1000" />
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function InputOTPSeparator({ ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div data-slot="input-otp-separator" role="separator" {...props}>
|
||||||
|
<MinusIcon />
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { InputOTP, InputOTPGroup, InputOTPSlot, InputOTPSeparator };
|
||||||
|
|
@ -0,0 +1,70 @@
|
||||||
|
import { useDialogComposition } from "@/components/ui/dialog";
|
||||||
|
import { useComposition } from "@/hooks/useComposition";
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import * as React from "react";
|
||||||
|
|
||||||
|
function Input({
|
||||||
|
className,
|
||||||
|
type,
|
||||||
|
onKeyDown,
|
||||||
|
onCompositionStart,
|
||||||
|
onCompositionEnd,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"input">) {
|
||||||
|
// Get dialog composition context if available (will be no-op if not inside Dialog)
|
||||||
|
const dialogComposition = useDialogComposition();
|
||||||
|
|
||||||
|
// Add composition event handlers to support input method editor (IME) for CJK languages.
|
||||||
|
const {
|
||||||
|
onCompositionStart: handleCompositionStart,
|
||||||
|
onCompositionEnd: handleCompositionEnd,
|
||||||
|
onKeyDown: handleKeyDown,
|
||||||
|
} = useComposition<HTMLInputElement>({
|
||||||
|
onKeyDown: (e) => {
|
||||||
|
// Check if this is an Enter key that should be blocked
|
||||||
|
const isComposing = (e.nativeEvent as any).isComposing || dialogComposition.justEndedComposing();
|
||||||
|
|
||||||
|
// If Enter key is pressed while composing or just after composition ended,
|
||||||
|
// don't call the user's onKeyDown (this blocks the business logic)
|
||||||
|
if (e.key === "Enter" && isComposing) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Otherwise, call the user's onKeyDown
|
||||||
|
onKeyDown?.(e);
|
||||||
|
},
|
||||||
|
onCompositionStart: e => {
|
||||||
|
dialogComposition.setComposing(true);
|
||||||
|
onCompositionStart?.(e);
|
||||||
|
},
|
||||||
|
onCompositionEnd: e => {
|
||||||
|
// Mark that composition just ended - this helps handle the Enter key that confirms input
|
||||||
|
dialogComposition.markCompositionEnd();
|
||||||
|
// Delay setting composing to false to handle Safari's event order
|
||||||
|
// In Safari, compositionEnd fires before the ESC keydown event
|
||||||
|
setTimeout(() => {
|
||||||
|
dialogComposition.setComposing(false);
|
||||||
|
}, 100);
|
||||||
|
onCompositionEnd?.(e);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
return (
|
||||||
|
<input
|
||||||
|
type={type}
|
||||||
|
data-slot="input"
|
||||||
|
className={cn(
|
||||||
|
"file:text-foreground placeholder:text-muted-foreground selection:bg-primary selection:text-primary-foreground dark:bg-input/30 border-input h-9 w-full min-w-0 rounded-md border bg-transparent px-3 py-1 text-base shadow-xs transition-[color,box-shadow] outline-none file:inline-flex file:h-7 file:border-0 file:bg-transparent file:text-sm file:font-medium disabled:pointer-events-none disabled:cursor-not-allowed disabled:opacity-50 md:text-sm",
|
||||||
|
"focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px]",
|
||||||
|
"aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
onCompositionStart={handleCompositionStart}
|
||||||
|
onCompositionEnd={handleCompositionEnd}
|
||||||
|
onKeyDown={handleKeyDown}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Input };
|
||||||
|
|
@ -0,0 +1,193 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import { Slot } from "@radix-ui/react-slot";
|
||||||
|
import { cva, type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Separator } from "@/components/ui/separator";
|
||||||
|
|
||||||
|
function ItemGroup({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
role="list"
|
||||||
|
data-slot="item-group"
|
||||||
|
className={cn("group/item-group flex flex-col", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ItemSeparator({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof Separator>) {
|
||||||
|
return (
|
||||||
|
<Separator
|
||||||
|
data-slot="item-separator"
|
||||||
|
orientation="horizontal"
|
||||||
|
className={cn("my-0", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const itemVariants = cva(
|
||||||
|
"group/item flex items-center border border-transparent text-sm rounded-md transition-colors [a]:hover:bg-accent/50 [a]:transition-colors duration-100 flex-wrap outline-none focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px]",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
variant: {
|
||||||
|
default: "bg-transparent",
|
||||||
|
outline: "border-border",
|
||||||
|
muted: "bg-muted/50",
|
||||||
|
},
|
||||||
|
size: {
|
||||||
|
default: "p-4 gap-4 ",
|
||||||
|
sm: "py-3 px-4 gap-2.5",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
variant: "default",
|
||||||
|
size: "default",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function Item({
|
||||||
|
className,
|
||||||
|
variant = "default",
|
||||||
|
size = "default",
|
||||||
|
asChild = false,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> &
|
||||||
|
VariantProps<typeof itemVariants> & { asChild?: boolean }) {
|
||||||
|
const Comp = asChild ? Slot : "div";
|
||||||
|
return (
|
||||||
|
<Comp
|
||||||
|
data-slot="item"
|
||||||
|
data-variant={variant}
|
||||||
|
data-size={size}
|
||||||
|
className={cn(itemVariants({ variant, size, className }))}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const itemMediaVariants = cva(
|
||||||
|
"flex shrink-0 items-center justify-center gap-2 group-has-[[data-slot=item-description]]/item:self-start [&_svg]:pointer-events-none group-has-[[data-slot=item-description]]/item:translate-y-0.5",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
variant: {
|
||||||
|
default: "bg-transparent",
|
||||||
|
icon: "size-8 border rounded-sm bg-muted [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
image:
|
||||||
|
"size-10 rounded-sm overflow-hidden [&_img]:size-full [&_img]:object-cover",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
variant: "default",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function ItemMedia({
|
||||||
|
className,
|
||||||
|
variant = "default",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & VariantProps<typeof itemMediaVariants>) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="item-media"
|
||||||
|
data-variant={variant}
|
||||||
|
className={cn(itemMediaVariants({ variant, className }))}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ItemContent({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="item-content"
|
||||||
|
className={cn(
|
||||||
|
"flex flex-1 flex-col gap-1 [&+[data-slot=item-content]]:flex-none",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ItemTitle({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="item-title"
|
||||||
|
className={cn(
|
||||||
|
"flex w-fit items-center gap-2 text-sm leading-snug font-medium",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ItemDescription({ className, ...props }: React.ComponentProps<"p">) {
|
||||||
|
return (
|
||||||
|
<p
|
||||||
|
data-slot="item-description"
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground line-clamp-2 text-sm leading-normal font-normal text-balance",
|
||||||
|
"[&>a:hover]:text-primary [&>a]:underline [&>a]:underline-offset-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ItemActions({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="item-actions"
|
||||||
|
className={cn("flex items-center gap-2", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ItemHeader({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="item-header"
|
||||||
|
className={cn(
|
||||||
|
"flex basis-full items-center justify-between gap-2",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ItemFooter({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="item-footer"
|
||||||
|
className={cn(
|
||||||
|
"flex basis-full items-center justify-between gap-2",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Item,
|
||||||
|
ItemMedia,
|
||||||
|
ItemContent,
|
||||||
|
ItemActions,
|
||||||
|
ItemGroup,
|
||||||
|
ItemSeparator,
|
||||||
|
ItemTitle,
|
||||||
|
ItemDescription,
|
||||||
|
ItemHeader,
|
||||||
|
ItemFooter,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,28 @@
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Kbd({ className, ...props }: React.ComponentProps<"kbd">) {
|
||||||
|
return (
|
||||||
|
<kbd
|
||||||
|
data-slot="kbd"
|
||||||
|
className={cn(
|
||||||
|
"bg-muted text-muted-foreground pointer-events-none inline-flex h-5 w-fit min-w-5 items-center justify-center gap-1 rounded-sm px-1 font-sans text-xs font-medium select-none",
|
||||||
|
"[&_svg:not([class*='size-'])]:size-3",
|
||||||
|
"[[data-slot=tooltip-content]_&]:bg-background/20 [[data-slot=tooltip-content]_&]:text-background dark:[[data-slot=tooltip-content]_&]:bg-background/10",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function KbdGroup({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<kbd
|
||||||
|
data-slot="kbd-group"
|
||||||
|
className={cn("inline-flex items-center gap-1", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Kbd, KbdGroup };
|
||||||
|
|
@ -0,0 +1,22 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as LabelPrimitive from "@radix-ui/react-label";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Label({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof LabelPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<LabelPrimitive.Root
|
||||||
|
data-slot="label"
|
||||||
|
className={cn(
|
||||||
|
"flex items-center gap-2 text-sm leading-none font-medium select-none group-data-[disabled=true]:pointer-events-none group-data-[disabled=true]:opacity-50 peer-disabled:cursor-not-allowed peer-disabled:opacity-50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Label };
|
||||||
|
|
@ -0,0 +1,274 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as MenubarPrimitive from "@radix-ui/react-menubar";
|
||||||
|
import { CheckIcon, ChevronRightIcon, CircleIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Menubar({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.Root
|
||||||
|
data-slot="menubar"
|
||||||
|
className={cn(
|
||||||
|
"bg-background flex h-9 items-center gap-1 rounded-md border p-1 shadow-xs",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarMenu({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Menu>) {
|
||||||
|
return <MenubarPrimitive.Menu data-slot="menubar-menu" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarGroup({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Group>) {
|
||||||
|
return <MenubarPrimitive.Group data-slot="menubar-group" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarPortal({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Portal>) {
|
||||||
|
return <MenubarPrimitive.Portal data-slot="menubar-portal" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarRadioGroup({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.RadioGroup>) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.RadioGroup data-slot="menubar-radio-group" {...props} />
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarTrigger({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Trigger>) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.Trigger
|
||||||
|
data-slot="menubar-trigger"
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground data-[state=open]:bg-accent data-[state=open]:text-accent-foreground flex items-center rounded-sm px-2 py-1 text-sm font-medium outline-hidden select-none",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarContent({
|
||||||
|
className,
|
||||||
|
align = "start",
|
||||||
|
alignOffset = -4,
|
||||||
|
sideOffset = 8,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<MenubarPortal>
|
||||||
|
<MenubarPrimitive.Content
|
||||||
|
data-slot="menubar-content"
|
||||||
|
align={align}
|
||||||
|
alignOffset={alignOffset}
|
||||||
|
sideOffset={sideOffset}
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 min-w-[12rem] origin-(--radix-menubar-content-transform-origin) overflow-hidden rounded-md border p-1 shadow-md",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</MenubarPortal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarItem({
|
||||||
|
className,
|
||||||
|
inset,
|
||||||
|
variant = "default",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Item> & {
|
||||||
|
inset?: boolean;
|
||||||
|
variant?: "default" | "destructive";
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.Item
|
||||||
|
data-slot="menubar-item"
|
||||||
|
data-inset={inset}
|
||||||
|
data-variant={variant}
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground data-[variant=destructive]:text-destructive data-[variant=destructive]:focus:bg-destructive/10 dark:data-[variant=destructive]:focus:bg-destructive/20 data-[variant=destructive]:focus:text-destructive data-[variant=destructive]:*:[svg]:!text-destructive [&_svg:not([class*='text-'])]:text-muted-foreground relative flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 data-[inset]:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarCheckboxItem({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
checked,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.CheckboxItem>) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.CheckboxItem
|
||||||
|
data-slot="menubar-checkbox-item"
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-xs py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
checked={checked}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
|
||||||
|
<MenubarPrimitive.ItemIndicator>
|
||||||
|
<CheckIcon className="size-4" />
|
||||||
|
</MenubarPrimitive.ItemIndicator>
|
||||||
|
</span>
|
||||||
|
{children}
|
||||||
|
</MenubarPrimitive.CheckboxItem>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarRadioItem({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.RadioItem>) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.RadioItem
|
||||||
|
data-slot="menubar-radio-item"
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-xs py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
|
||||||
|
<MenubarPrimitive.ItemIndicator>
|
||||||
|
<CircleIcon className="size-2 fill-current" />
|
||||||
|
</MenubarPrimitive.ItemIndicator>
|
||||||
|
</span>
|
||||||
|
{children}
|
||||||
|
</MenubarPrimitive.RadioItem>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarLabel({
|
||||||
|
className,
|
||||||
|
inset,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Label> & {
|
||||||
|
inset?: boolean;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.Label
|
||||||
|
data-slot="menubar-label"
|
||||||
|
data-inset={inset}
|
||||||
|
className={cn(
|
||||||
|
"px-2 py-1.5 text-sm font-medium data-[inset]:pl-8",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarSeparator({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Separator>) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.Separator
|
||||||
|
data-slot="menubar-separator"
|
||||||
|
className={cn("bg-border -mx-1 my-1 h-px", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarShortcut({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"span">) {
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
data-slot="menubar-shortcut"
|
||||||
|
className={cn(
|
||||||
|
"text-muted-foreground ml-auto text-xs tracking-widest",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarSub({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.Sub>) {
|
||||||
|
return <MenubarPrimitive.Sub data-slot="menubar-sub" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarSubTrigger({
|
||||||
|
className,
|
||||||
|
inset,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.SubTrigger> & {
|
||||||
|
inset?: boolean;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.SubTrigger
|
||||||
|
data-slot="menubar-sub-trigger"
|
||||||
|
data-inset={inset}
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground data-[state=open]:bg-accent data-[state=open]:text-accent-foreground flex cursor-default items-center rounded-sm px-2 py-1.5 text-sm outline-none select-none data-[inset]:pl-8",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
<ChevronRightIcon className="ml-auto h-4 w-4" />
|
||||||
|
</MenubarPrimitive.SubTrigger>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function MenubarSubContent({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof MenubarPrimitive.SubContent>) {
|
||||||
|
return (
|
||||||
|
<MenubarPrimitive.SubContent
|
||||||
|
data-slot="menubar-sub-content"
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 min-w-[8rem] origin-(--radix-menubar-content-transform-origin) overflow-hidden rounded-md border p-1 shadow-lg",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Menubar,
|
||||||
|
MenubarPortal,
|
||||||
|
MenubarMenu,
|
||||||
|
MenubarTrigger,
|
||||||
|
MenubarContent,
|
||||||
|
MenubarGroup,
|
||||||
|
MenubarSeparator,
|
||||||
|
MenubarLabel,
|
||||||
|
MenubarItem,
|
||||||
|
MenubarShortcut,
|
||||||
|
MenubarCheckboxItem,
|
||||||
|
MenubarRadioGroup,
|
||||||
|
MenubarRadioItem,
|
||||||
|
MenubarSub,
|
||||||
|
MenubarSubTrigger,
|
||||||
|
MenubarSubContent,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,168 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as NavigationMenuPrimitive from "@radix-ui/react-navigation-menu";
|
||||||
|
import { cva } from "class-variance-authority";
|
||||||
|
import { ChevronDownIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function NavigationMenu({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
viewport = true,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof NavigationMenuPrimitive.Root> & {
|
||||||
|
viewport?: boolean;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<NavigationMenuPrimitive.Root
|
||||||
|
data-slot="navigation-menu"
|
||||||
|
data-viewport={viewport}
|
||||||
|
className={cn(
|
||||||
|
"group/navigation-menu relative flex max-w-max flex-1 items-center justify-center",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
{viewport && <NavigationMenuViewport />}
|
||||||
|
</NavigationMenuPrimitive.Root>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function NavigationMenuList({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof NavigationMenuPrimitive.List>) {
|
||||||
|
return (
|
||||||
|
<NavigationMenuPrimitive.List
|
||||||
|
data-slot="navigation-menu-list"
|
||||||
|
className={cn(
|
||||||
|
"group flex flex-1 list-none items-center justify-center gap-1",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function NavigationMenuItem({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof NavigationMenuPrimitive.Item>) {
|
||||||
|
return (
|
||||||
|
<NavigationMenuPrimitive.Item
|
||||||
|
data-slot="navigation-menu-item"
|
||||||
|
className={cn("relative", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const navigationMenuTriggerStyle = cva(
|
||||||
|
"group inline-flex h-9 w-max items-center justify-center rounded-md bg-background px-4 py-2 text-sm font-medium hover:bg-accent hover:text-accent-foreground focus:bg-accent focus:text-accent-foreground disabled:pointer-events-none disabled:opacity-50 data-[state=open]:hover:bg-accent data-[state=open]:text-accent-foreground data-[state=open]:focus:bg-accent data-[state=open]:bg-accent/50 focus-visible:ring-ring/50 outline-none transition-[color,box-shadow] focus-visible:ring-[3px] focus-visible:outline-1"
|
||||||
|
);
|
||||||
|
|
||||||
|
function NavigationMenuTrigger({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof NavigationMenuPrimitive.Trigger>) {
|
||||||
|
return (
|
||||||
|
<NavigationMenuPrimitive.Trigger
|
||||||
|
data-slot="navigation-menu-trigger"
|
||||||
|
className={cn(navigationMenuTriggerStyle(), "group", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}{" "}
|
||||||
|
<ChevronDownIcon
|
||||||
|
className="relative top-[1px] ml-1 size-3 transition duration-300 group-data-[state=open]:rotate-180"
|
||||||
|
aria-hidden="true"
|
||||||
|
/>
|
||||||
|
</NavigationMenuPrimitive.Trigger>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function NavigationMenuContent({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof NavigationMenuPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<NavigationMenuPrimitive.Content
|
||||||
|
data-slot="navigation-menu-content"
|
||||||
|
className={cn(
|
||||||
|
"data-[motion^=from-]:animate-in data-[motion^=to-]:animate-out data-[motion^=from-]:fade-in data-[motion^=to-]:fade-out data-[motion=from-end]:slide-in-from-right-52 data-[motion=from-start]:slide-in-from-left-52 data-[motion=to-end]:slide-out-to-right-52 data-[motion=to-start]:slide-out-to-left-52 top-0 left-0 w-full p-2 pr-2.5 md:absolute md:w-auto",
|
||||||
|
"group-data-[viewport=false]/navigation-menu:bg-popover group-data-[viewport=false]/navigation-menu:text-popover-foreground group-data-[viewport=false]/navigation-menu:data-[state=open]:animate-in group-data-[viewport=false]/navigation-menu:data-[state=closed]:animate-out group-data-[viewport=false]/navigation-menu:data-[state=closed]:zoom-out-95 group-data-[viewport=false]/navigation-menu:data-[state=open]:zoom-in-95 group-data-[viewport=false]/navigation-menu:data-[state=open]:fade-in-0 group-data-[viewport=false]/navigation-menu:data-[state=closed]:fade-out-0 group-data-[viewport=false]/navigation-menu:top-full group-data-[viewport=false]/navigation-menu:mt-1.5 group-data-[viewport=false]/navigation-menu:overflow-hidden group-data-[viewport=false]/navigation-menu:rounded-md group-data-[viewport=false]/navigation-menu:border group-data-[viewport=false]/navigation-menu:shadow group-data-[viewport=false]/navigation-menu:duration-200 **:data-[slot=navigation-menu-link]:focus:ring-0 **:data-[slot=navigation-menu-link]:focus:outline-none",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function NavigationMenuViewport({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof NavigationMenuPrimitive.Viewport>) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
className={cn(
|
||||||
|
"absolute top-full left-0 isolate z-50 flex justify-center"
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
<NavigationMenuPrimitive.Viewport
|
||||||
|
data-slot="navigation-menu-viewport"
|
||||||
|
className={cn(
|
||||||
|
"origin-top-center bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-90 relative mt-1.5 h-[var(--radix-navigation-menu-viewport-height)] w-full overflow-hidden rounded-md border shadow md:w-[var(--radix-navigation-menu-viewport-width)]",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function NavigationMenuLink({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof NavigationMenuPrimitive.Link>) {
|
||||||
|
return (
|
||||||
|
<NavigationMenuPrimitive.Link
|
||||||
|
data-slot="navigation-menu-link"
|
||||||
|
className={cn(
|
||||||
|
"data-[active=true]:focus:bg-accent data-[active=true]:hover:bg-accent data-[active=true]:bg-accent/50 data-[active=true]:text-accent-foreground hover:bg-accent hover:text-accent-foreground focus:bg-accent focus:text-accent-foreground focus-visible:ring-ring/50 [&_svg:not([class*='text-'])]:text-muted-foreground flex flex-col gap-1 rounded-sm p-2 text-sm transition-all outline-none focus-visible:ring-[3px] focus-visible:outline-1 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function NavigationMenuIndicator({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof NavigationMenuPrimitive.Indicator>) {
|
||||||
|
return (
|
||||||
|
<NavigationMenuPrimitive.Indicator
|
||||||
|
data-slot="navigation-menu-indicator"
|
||||||
|
className={cn(
|
||||||
|
"data-[state=visible]:animate-in data-[state=hidden]:animate-out data-[state=hidden]:fade-out data-[state=visible]:fade-in top-full z-[1] flex h-1.5 items-end justify-center overflow-hidden",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<div className="bg-border relative top-[60%] h-2 w-2 rotate-45 rounded-tl-sm shadow-md" />
|
||||||
|
</NavigationMenuPrimitive.Indicator>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
NavigationMenu,
|
||||||
|
NavigationMenuList,
|
||||||
|
NavigationMenuItem,
|
||||||
|
NavigationMenuContent,
|
||||||
|
NavigationMenuTrigger,
|
||||||
|
NavigationMenuLink,
|
||||||
|
NavigationMenuIndicator,
|
||||||
|
NavigationMenuViewport,
|
||||||
|
navigationMenuTriggerStyle,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,127 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import {
|
||||||
|
ChevronLeftIcon,
|
||||||
|
ChevronRightIcon,
|
||||||
|
MoreHorizontalIcon,
|
||||||
|
} from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Button, buttonVariants } from "@/components/ui/button";
|
||||||
|
|
||||||
|
function Pagination({ className, ...props }: React.ComponentProps<"nav">) {
|
||||||
|
return (
|
||||||
|
<nav
|
||||||
|
role="navigation"
|
||||||
|
aria-label="pagination"
|
||||||
|
data-slot="pagination"
|
||||||
|
className={cn("mx-auto flex w-full justify-center", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function PaginationContent({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"ul">) {
|
||||||
|
return (
|
||||||
|
<ul
|
||||||
|
data-slot="pagination-content"
|
||||||
|
className={cn("flex flex-row items-center gap-1", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function PaginationItem({ ...props }: React.ComponentProps<"li">) {
|
||||||
|
return <li data-slot="pagination-item" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
type PaginationLinkProps = {
|
||||||
|
isActive?: boolean;
|
||||||
|
} & Pick<React.ComponentProps<typeof Button>, "size"> &
|
||||||
|
React.ComponentProps<"a">;
|
||||||
|
|
||||||
|
function PaginationLink({
|
||||||
|
className,
|
||||||
|
isActive,
|
||||||
|
size = "icon",
|
||||||
|
...props
|
||||||
|
}: PaginationLinkProps) {
|
||||||
|
return (
|
||||||
|
<a
|
||||||
|
aria-current={isActive ? "page" : undefined}
|
||||||
|
data-slot="pagination-link"
|
||||||
|
data-active={isActive}
|
||||||
|
className={cn(
|
||||||
|
buttonVariants({
|
||||||
|
variant: isActive ? "outline" : "ghost",
|
||||||
|
size,
|
||||||
|
}),
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function PaginationPrevious({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof PaginationLink>) {
|
||||||
|
return (
|
||||||
|
<PaginationLink
|
||||||
|
aria-label="Go to previous page"
|
||||||
|
size="default"
|
||||||
|
className={cn("gap-1 px-2.5 sm:pl-2.5", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ChevronLeftIcon />
|
||||||
|
<span className="hidden sm:block">Previous</span>
|
||||||
|
</PaginationLink>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function PaginationNext({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof PaginationLink>) {
|
||||||
|
return (
|
||||||
|
<PaginationLink
|
||||||
|
aria-label="Go to next page"
|
||||||
|
size="default"
|
||||||
|
className={cn("gap-1 px-2.5 sm:pr-2.5", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<span className="hidden sm:block">Next</span>
|
||||||
|
<ChevronRightIcon />
|
||||||
|
</PaginationLink>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function PaginationEllipsis({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"span">) {
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
aria-hidden
|
||||||
|
data-slot="pagination-ellipsis"
|
||||||
|
className={cn("flex size-9 items-center justify-center", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<MoreHorizontalIcon className="size-4" />
|
||||||
|
<span className="sr-only">More pages</span>
|
||||||
|
</span>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Pagination,
|
||||||
|
PaginationContent,
|
||||||
|
PaginationLink,
|
||||||
|
PaginationItem,
|
||||||
|
PaginationPrevious,
|
||||||
|
PaginationNext,
|
||||||
|
PaginationEllipsis,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,46 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as PopoverPrimitive from "@radix-ui/react-popover";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Popover({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof PopoverPrimitive.Root>) {
|
||||||
|
return <PopoverPrimitive.Root data-slot="popover" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function PopoverTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof PopoverPrimitive.Trigger>) {
|
||||||
|
return <PopoverPrimitive.Trigger data-slot="popover-trigger" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function PopoverContent({
|
||||||
|
className,
|
||||||
|
align = "center",
|
||||||
|
sideOffset = 4,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof PopoverPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<PopoverPrimitive.Portal>
|
||||||
|
<PopoverPrimitive.Content
|
||||||
|
data-slot="popover-content"
|
||||||
|
align={align}
|
||||||
|
sideOffset={sideOffset}
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 w-72 origin-(--radix-popover-content-transform-origin) rounded-md border p-4 shadow-md outline-hidden",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</PopoverPrimitive.Portal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function PopoverAnchor({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof PopoverPrimitive.Anchor>) {
|
||||||
|
return <PopoverPrimitive.Anchor data-slot="popover-anchor" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Popover, PopoverTrigger, PopoverContent, PopoverAnchor };
|
||||||
|
|
@ -0,0 +1,29 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as ProgressPrimitive from "@radix-ui/react-progress";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Progress({
|
||||||
|
className,
|
||||||
|
value,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ProgressPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<ProgressPrimitive.Root
|
||||||
|
data-slot="progress"
|
||||||
|
className={cn(
|
||||||
|
"bg-primary/20 relative h-2 w-full overflow-hidden rounded-full",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ProgressPrimitive.Indicator
|
||||||
|
data-slot="progress-indicator"
|
||||||
|
className="bg-primary h-full w-full flex-1 transition-all"
|
||||||
|
style={{ transform: `translateX(-${100 - (value || 0)}%)` }}
|
||||||
|
/>
|
||||||
|
</ProgressPrimitive.Root>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Progress };
|
||||||
|
|
@ -0,0 +1,43 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as RadioGroupPrimitive from "@radix-ui/react-radio-group";
|
||||||
|
import { CircleIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function RadioGroup({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof RadioGroupPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<RadioGroupPrimitive.Root
|
||||||
|
data-slot="radio-group"
|
||||||
|
className={cn("grid gap-3", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function RadioGroupItem({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof RadioGroupPrimitive.Item>) {
|
||||||
|
return (
|
||||||
|
<RadioGroupPrimitive.Item
|
||||||
|
data-slot="radio-group-item"
|
||||||
|
className={cn(
|
||||||
|
"border-input text-primary focus-visible:border-ring focus-visible:ring-ring/50 aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive dark:bg-input/30 aspect-square size-4 shrink-0 rounded-full border shadow-xs transition-[color,box-shadow] outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<RadioGroupPrimitive.Indicator
|
||||||
|
data-slot="radio-group-indicator"
|
||||||
|
className="relative flex items-center justify-center"
|
||||||
|
>
|
||||||
|
<CircleIcon className="fill-primary absolute top-1/2 left-1/2 size-2 -translate-x-1/2 -translate-y-1/2" />
|
||||||
|
</RadioGroupPrimitive.Indicator>
|
||||||
|
</RadioGroupPrimitive.Item>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { RadioGroup, RadioGroupItem };
|
||||||
|
|
@ -0,0 +1,54 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import { GripVerticalIcon } from "lucide-react";
|
||||||
|
import * as ResizablePrimitive from "react-resizable-panels";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function ResizablePanelGroup({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ResizablePrimitive.PanelGroup>) {
|
||||||
|
return (
|
||||||
|
<ResizablePrimitive.PanelGroup
|
||||||
|
data-slot="resizable-panel-group"
|
||||||
|
className={cn(
|
||||||
|
"flex h-full w-full data-[panel-group-direction=vertical]:flex-col",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ResizablePanel({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ResizablePrimitive.Panel>) {
|
||||||
|
return <ResizablePrimitive.Panel data-slot="resizable-panel" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function ResizableHandle({
|
||||||
|
withHandle,
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ResizablePrimitive.PanelResizeHandle> & {
|
||||||
|
withHandle?: boolean;
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<ResizablePrimitive.PanelResizeHandle
|
||||||
|
data-slot="resizable-handle"
|
||||||
|
className={cn(
|
||||||
|
"bg-border focus-visible:ring-ring relative flex w-px items-center justify-center after:absolute after:inset-y-0 after:left-1/2 after:w-1 after:-translate-x-1/2 focus-visible:ring-1 focus-visible:ring-offset-1 focus-visible:outline-hidden data-[panel-group-direction=vertical]:h-px data-[panel-group-direction=vertical]:w-full data-[panel-group-direction=vertical]:after:left-0 data-[panel-group-direction=vertical]:after:h-1 data-[panel-group-direction=vertical]:after:w-full data-[panel-group-direction=vertical]:after:translate-x-0 data-[panel-group-direction=vertical]:after:-translate-y-1/2 [&[data-panel-group-direction=vertical]>div]:rotate-90",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{withHandle && (
|
||||||
|
<div className="bg-border z-10 flex h-4 w-3 items-center justify-center rounded-xs border">
|
||||||
|
<GripVerticalIcon className="size-2.5" />
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</ResizablePrimitive.PanelResizeHandle>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { ResizablePanelGroup, ResizablePanel, ResizableHandle };
|
||||||
|
|
@ -0,0 +1,56 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as ScrollAreaPrimitive from "@radix-ui/react-scroll-area";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function ScrollArea({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ScrollAreaPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<ScrollAreaPrimitive.Root
|
||||||
|
data-slot="scroll-area"
|
||||||
|
className={cn("relative", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ScrollAreaPrimitive.Viewport
|
||||||
|
data-slot="scroll-area-viewport"
|
||||||
|
className="focus-visible:ring-ring/50 size-full rounded-[inherit] transition-[color,box-shadow] outline-none focus-visible:ring-[3px] focus-visible:outline-1"
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</ScrollAreaPrimitive.Viewport>
|
||||||
|
<ScrollBar />
|
||||||
|
<ScrollAreaPrimitive.Corner />
|
||||||
|
</ScrollAreaPrimitive.Root>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ScrollBar({
|
||||||
|
className,
|
||||||
|
orientation = "vertical",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ScrollAreaPrimitive.ScrollAreaScrollbar>) {
|
||||||
|
return (
|
||||||
|
<ScrollAreaPrimitive.ScrollAreaScrollbar
|
||||||
|
data-slot="scroll-area-scrollbar"
|
||||||
|
orientation={orientation}
|
||||||
|
className={cn(
|
||||||
|
"flex touch-none p-px transition-colors select-none",
|
||||||
|
orientation === "vertical" &&
|
||||||
|
"h-full w-2.5 border-l border-l-transparent",
|
||||||
|
orientation === "horizontal" &&
|
||||||
|
"h-2.5 flex-col border-t border-t-transparent",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ScrollAreaPrimitive.ScrollAreaThumb
|
||||||
|
data-slot="scroll-area-thumb"
|
||||||
|
className="bg-border relative flex-1 rounded-full"
|
||||||
|
/>
|
||||||
|
</ScrollAreaPrimitive.ScrollAreaScrollbar>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { ScrollArea, ScrollBar };
|
||||||
|
|
@ -0,0 +1,185 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as SelectPrimitive from "@radix-ui/react-select";
|
||||||
|
import { CheckIcon, ChevronDownIcon, ChevronUpIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Select({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.Root>) {
|
||||||
|
return <SelectPrimitive.Root data-slot="select" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function SelectGroup({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.Group>) {
|
||||||
|
return <SelectPrimitive.Group data-slot="select-group" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function SelectValue({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.Value>) {
|
||||||
|
return <SelectPrimitive.Value data-slot="select-value" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function SelectTrigger({
|
||||||
|
className,
|
||||||
|
size = "default",
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.Trigger> & {
|
||||||
|
size?: "sm" | "default";
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<SelectPrimitive.Trigger
|
||||||
|
data-slot="select-trigger"
|
||||||
|
data-size={size}
|
||||||
|
className={cn(
|
||||||
|
"border-input data-[placeholder]:text-muted-foreground [&_svg:not([class*='text-'])]:text-muted-foreground focus-visible:border-ring focus-visible:ring-ring/50 aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive dark:bg-input/30 dark:hover:bg-input/50 flex w-fit items-center justify-between gap-2 rounded-md border bg-transparent px-3 py-2 text-sm whitespace-nowrap shadow-xs transition-[color,box-shadow] outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50 data-[size=default]:h-9 data-[size=sm]:h-8 *:data-[slot=select-value]:line-clamp-1 *:data-[slot=select-value]:flex *:data-[slot=select-value]:items-center *:data-[slot=select-value]:gap-2 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
<SelectPrimitive.Icon asChild>
|
||||||
|
<ChevronDownIcon className="size-4 opacity-50" />
|
||||||
|
</SelectPrimitive.Icon>
|
||||||
|
</SelectPrimitive.Trigger>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SelectContent({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
position = "popper",
|
||||||
|
align = "center",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<SelectPrimitive.Portal>
|
||||||
|
<SelectPrimitive.Content
|
||||||
|
data-slot="select-content"
|
||||||
|
className={cn(
|
||||||
|
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 relative z-50 max-h-(--radix-select-content-available-height) min-w-[8rem] origin-(--radix-select-content-transform-origin) overflow-x-hidden overflow-y-auto rounded-md border shadow-md",
|
||||||
|
position === "popper" &&
|
||||||
|
"data-[side=bottom]:translate-y-1 data-[side=left]:-translate-x-1 data-[side=right]:translate-x-1 data-[side=top]:-translate-y-1",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
position={position}
|
||||||
|
align={align}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<SelectScrollUpButton />
|
||||||
|
<SelectPrimitive.Viewport
|
||||||
|
className={cn(
|
||||||
|
"p-1",
|
||||||
|
position === "popper" &&
|
||||||
|
"h-[var(--radix-select-trigger-height)] w-full min-w-[var(--radix-select-trigger-width)] scroll-my-1"
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</SelectPrimitive.Viewport>
|
||||||
|
<SelectScrollDownButton />
|
||||||
|
</SelectPrimitive.Content>
|
||||||
|
</SelectPrimitive.Portal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SelectLabel({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.Label>) {
|
||||||
|
return (
|
||||||
|
<SelectPrimitive.Label
|
||||||
|
data-slot="select-label"
|
||||||
|
className={cn("text-muted-foreground px-2 py-1.5 text-xs", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SelectItem({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.Item>) {
|
||||||
|
return (
|
||||||
|
<SelectPrimitive.Item
|
||||||
|
data-slot="select-item"
|
||||||
|
className={cn(
|
||||||
|
"focus:bg-accent focus:text-accent-foreground [&_svg:not([class*='text-'])]:text-muted-foreground relative flex w-full cursor-default items-center gap-2 rounded-sm py-1.5 pr-8 pl-2 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4 *:[span]:last:flex *:[span]:last:items-center *:[span]:last:gap-2",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<span className="absolute right-2 flex size-3.5 items-center justify-center">
|
||||||
|
<SelectPrimitive.ItemIndicator>
|
||||||
|
<CheckIcon className="size-4" />
|
||||||
|
</SelectPrimitive.ItemIndicator>
|
||||||
|
</span>
|
||||||
|
<SelectPrimitive.ItemText>{children}</SelectPrimitive.ItemText>
|
||||||
|
</SelectPrimitive.Item>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SelectSeparator({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.Separator>) {
|
||||||
|
return (
|
||||||
|
<SelectPrimitive.Separator
|
||||||
|
data-slot="select-separator"
|
||||||
|
className={cn("bg-border pointer-events-none -mx-1 my-1 h-px", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SelectScrollUpButton({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.ScrollUpButton>) {
|
||||||
|
return (
|
||||||
|
<SelectPrimitive.ScrollUpButton
|
||||||
|
data-slot="select-scroll-up-button"
|
||||||
|
className={cn(
|
||||||
|
"flex cursor-default items-center justify-center py-1",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ChevronUpIcon className="size-4" />
|
||||||
|
</SelectPrimitive.ScrollUpButton>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SelectScrollDownButton({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SelectPrimitive.ScrollDownButton>) {
|
||||||
|
return (
|
||||||
|
<SelectPrimitive.ScrollDownButton
|
||||||
|
data-slot="select-scroll-down-button"
|
||||||
|
className={cn(
|
||||||
|
"flex cursor-default items-center justify-center py-1",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ChevronDownIcon className="size-4" />
|
||||||
|
</SelectPrimitive.ScrollDownButton>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Select,
|
||||||
|
SelectContent,
|
||||||
|
SelectGroup,
|
||||||
|
SelectItem,
|
||||||
|
SelectLabel,
|
||||||
|
SelectScrollDownButton,
|
||||||
|
SelectScrollUpButton,
|
||||||
|
SelectSeparator,
|
||||||
|
SelectTrigger,
|
||||||
|
SelectValue,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,26 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as SeparatorPrimitive from "@radix-ui/react-separator";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Separator({
|
||||||
|
className,
|
||||||
|
orientation = "horizontal",
|
||||||
|
decorative = true,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SeparatorPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<SeparatorPrimitive.Root
|
||||||
|
data-slot="separator"
|
||||||
|
decorative={decorative}
|
||||||
|
orientation={orientation}
|
||||||
|
className={cn(
|
||||||
|
"bg-border shrink-0 data-[orientation=horizontal]:h-px data-[orientation=horizontal]:w-full data-[orientation=vertical]:h-full data-[orientation=vertical]:w-px",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Separator };
|
||||||
|
|
@ -0,0 +1,139 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import * as React from "react";
|
||||||
|
import * as SheetPrimitive from "@radix-ui/react-dialog";
|
||||||
|
import { XIcon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Sheet({ ...props }: React.ComponentProps<typeof SheetPrimitive.Root>) {
|
||||||
|
return <SheetPrimitive.Root data-slot="sheet" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function SheetTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SheetPrimitive.Trigger>) {
|
||||||
|
return <SheetPrimitive.Trigger data-slot="sheet-trigger" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function SheetClose({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SheetPrimitive.Close>) {
|
||||||
|
return <SheetPrimitive.Close data-slot="sheet-close" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function SheetPortal({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SheetPrimitive.Portal>) {
|
||||||
|
return <SheetPrimitive.Portal data-slot="sheet-portal" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function SheetOverlay({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SheetPrimitive.Overlay>) {
|
||||||
|
return (
|
||||||
|
<SheetPrimitive.Overlay
|
||||||
|
data-slot="sheet-overlay"
|
||||||
|
className={cn(
|
||||||
|
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SheetContent({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
side = "right",
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SheetPrimitive.Content> & {
|
||||||
|
side?: "top" | "right" | "bottom" | "left";
|
||||||
|
}) {
|
||||||
|
return (
|
||||||
|
<SheetPortal>
|
||||||
|
<SheetOverlay />
|
||||||
|
<SheetPrimitive.Content
|
||||||
|
data-slot="sheet-content"
|
||||||
|
className={cn(
|
||||||
|
"bg-background data-[state=open]:animate-in data-[state=closed]:animate-out fixed z-50 flex flex-col gap-4 shadow-lg transition ease-in-out data-[state=closed]:duration-300 data-[state=open]:duration-500",
|
||||||
|
side === "right" &&
|
||||||
|
"data-[state=closed]:slide-out-to-right data-[state=open]:slide-in-from-right inset-y-0 right-0 h-full w-3/4 border-l sm:max-w-sm",
|
||||||
|
side === "left" &&
|
||||||
|
"data-[state=closed]:slide-out-to-left data-[state=open]:slide-in-from-left inset-y-0 left-0 h-full w-3/4 border-r sm:max-w-sm",
|
||||||
|
side === "top" &&
|
||||||
|
"data-[state=closed]:slide-out-to-top data-[state=open]:slide-in-from-top inset-x-0 top-0 h-auto border-b",
|
||||||
|
side === "bottom" &&
|
||||||
|
"data-[state=closed]:slide-out-to-bottom data-[state=open]:slide-in-from-bottom inset-x-0 bottom-0 h-auto border-t",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
<SheetPrimitive.Close className="ring-offset-background focus:ring-ring data-[state=open]:bg-secondary absolute top-4 right-4 rounded-xs opacity-70 transition-opacity hover:opacity-100 focus:ring-2 focus:ring-offset-2 focus:outline-hidden disabled:pointer-events-none">
|
||||||
|
<XIcon className="size-4" />
|
||||||
|
<span className="sr-only">Close</span>
|
||||||
|
</SheetPrimitive.Close>
|
||||||
|
</SheetPrimitive.Content>
|
||||||
|
</SheetPortal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SheetHeader({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sheet-header"
|
||||||
|
className={cn("flex flex-col gap-1.5 p-4", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SheetFooter({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sheet-footer"
|
||||||
|
className={cn("mt-auto flex flex-col gap-2 p-4", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SheetTitle({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SheetPrimitive.Title>) {
|
||||||
|
return (
|
||||||
|
<SheetPrimitive.Title
|
||||||
|
data-slot="sheet-title"
|
||||||
|
className={cn("text-foreground font-semibold", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SheetDescription({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SheetPrimitive.Description>) {
|
||||||
|
return (
|
||||||
|
<SheetPrimitive.Description
|
||||||
|
data-slot="sheet-description"
|
||||||
|
className={cn("text-muted-foreground text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Sheet,
|
||||||
|
SheetTrigger,
|
||||||
|
SheetClose,
|
||||||
|
SheetContent,
|
||||||
|
SheetHeader,
|
||||||
|
SheetFooter,
|
||||||
|
SheetTitle,
|
||||||
|
SheetDescription,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,734 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
import { Input } from "@/components/ui/input";
|
||||||
|
import { Separator } from "@/components/ui/separator";
|
||||||
|
import {
|
||||||
|
Sheet,
|
||||||
|
SheetContent,
|
||||||
|
SheetDescription,
|
||||||
|
SheetHeader,
|
||||||
|
SheetTitle,
|
||||||
|
} from "@/components/ui/sheet";
|
||||||
|
import { Skeleton } from "@/components/ui/skeleton";
|
||||||
|
import {
|
||||||
|
Tooltip,
|
||||||
|
TooltipContent,
|
||||||
|
TooltipProvider,
|
||||||
|
TooltipTrigger,
|
||||||
|
} from "@/components/ui/tooltip";
|
||||||
|
import { useIsMobile } from "@/hooks/useMobile";
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { Slot } from "@radix-ui/react-slot";
|
||||||
|
import { cva, VariantProps } from "class-variance-authority";
|
||||||
|
import { PanelLeftIcon } from "lucide-react";
|
||||||
|
import * as React from "react";
|
||||||
|
|
||||||
|
const SIDEBAR_COOKIE_NAME = "sidebar_state";
|
||||||
|
const SIDEBAR_COOKIE_MAX_AGE = 60 * 60 * 24 * 7;
|
||||||
|
const SIDEBAR_WIDTH = "16rem";
|
||||||
|
const SIDEBAR_WIDTH_MOBILE = "18rem";
|
||||||
|
const SIDEBAR_WIDTH_ICON = "3rem";
|
||||||
|
const SIDEBAR_KEYBOARD_SHORTCUT = "b";
|
||||||
|
|
||||||
|
type SidebarContextProps = {
|
||||||
|
state: "expanded" | "collapsed";
|
||||||
|
open: boolean;
|
||||||
|
setOpen: (open: boolean) => void;
|
||||||
|
openMobile: boolean;
|
||||||
|
setOpenMobile: (open: boolean) => void;
|
||||||
|
isMobile: boolean;
|
||||||
|
toggleSidebar: () => void;
|
||||||
|
};
|
||||||
|
|
||||||
|
const SidebarContext = React.createContext<SidebarContextProps | null>(null);
|
||||||
|
|
||||||
|
function useSidebar() {
|
||||||
|
const context = React.useContext(SidebarContext);
|
||||||
|
if (!context) {
|
||||||
|
throw new Error("useSidebar must be used within a SidebarProvider.");
|
||||||
|
}
|
||||||
|
|
||||||
|
return context;
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarProvider({
|
||||||
|
defaultOpen = true,
|
||||||
|
open: openProp,
|
||||||
|
onOpenChange: setOpenProp,
|
||||||
|
className,
|
||||||
|
style,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & {
|
||||||
|
defaultOpen?: boolean;
|
||||||
|
open?: boolean;
|
||||||
|
onOpenChange?: (open: boolean) => void;
|
||||||
|
}) {
|
||||||
|
const isMobile = useIsMobile();
|
||||||
|
const [openMobile, setOpenMobile] = React.useState(false);
|
||||||
|
|
||||||
|
// This is the internal state of the sidebar.
|
||||||
|
// We use openProp and setOpenProp for control from outside the component.
|
||||||
|
const [_open, _setOpen] = React.useState(defaultOpen);
|
||||||
|
const open = openProp ?? _open;
|
||||||
|
const setOpen = React.useCallback(
|
||||||
|
(value: boolean | ((value: boolean) => boolean)) => {
|
||||||
|
const openState = typeof value === "function" ? value(open) : value;
|
||||||
|
if (setOpenProp) {
|
||||||
|
setOpenProp(openState);
|
||||||
|
} else {
|
||||||
|
_setOpen(openState);
|
||||||
|
}
|
||||||
|
|
||||||
|
// This sets the cookie to keep the sidebar state.
|
||||||
|
document.cookie = `${SIDEBAR_COOKIE_NAME}=${openState}; path=/; max-age=${SIDEBAR_COOKIE_MAX_AGE}`;
|
||||||
|
},
|
||||||
|
[setOpenProp, open]
|
||||||
|
);
|
||||||
|
|
||||||
|
// Helper to toggle the sidebar.
|
||||||
|
const toggleSidebar = React.useCallback(() => {
|
||||||
|
return isMobile ? setOpenMobile(open => !open) : setOpen(open => !open);
|
||||||
|
}, [isMobile, setOpen, setOpenMobile]);
|
||||||
|
|
||||||
|
// Adds a keyboard shortcut to toggle the sidebar.
|
||||||
|
React.useEffect(() => {
|
||||||
|
const handleKeyDown = (event: KeyboardEvent) => {
|
||||||
|
if (
|
||||||
|
event.key === SIDEBAR_KEYBOARD_SHORTCUT &&
|
||||||
|
(event.metaKey || event.ctrlKey)
|
||||||
|
) {
|
||||||
|
event.preventDefault();
|
||||||
|
toggleSidebar();
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
window.addEventListener("keydown", handleKeyDown);
|
||||||
|
return () => window.removeEventListener("keydown", handleKeyDown);
|
||||||
|
}, [toggleSidebar]);
|
||||||
|
|
||||||
|
// We add a state so that we can do data-state="expanded" or "collapsed".
|
||||||
|
// This makes it easier to style the sidebar with Tailwind classes.
|
||||||
|
const state = open ? "expanded" : "collapsed";
|
||||||
|
|
||||||
|
const contextValue = React.useMemo<SidebarContextProps>(
|
||||||
|
() => ({
|
||||||
|
state,
|
||||||
|
open,
|
||||||
|
setOpen,
|
||||||
|
isMobile,
|
||||||
|
openMobile,
|
||||||
|
setOpenMobile,
|
||||||
|
toggleSidebar,
|
||||||
|
}),
|
||||||
|
[state, open, setOpen, isMobile, openMobile, setOpenMobile, toggleSidebar]
|
||||||
|
);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<SidebarContext.Provider value={contextValue}>
|
||||||
|
<TooltipProvider delayDuration={0}>
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-wrapper"
|
||||||
|
style={
|
||||||
|
{
|
||||||
|
"--sidebar-width": SIDEBAR_WIDTH,
|
||||||
|
"--sidebar-width-icon": SIDEBAR_WIDTH_ICON,
|
||||||
|
...style,
|
||||||
|
} as React.CSSProperties
|
||||||
|
}
|
||||||
|
className={cn(
|
||||||
|
"group/sidebar-wrapper has-data-[variant=inset]:bg-sidebar flex min-h-svh w-full",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</div>
|
||||||
|
</TooltipProvider>
|
||||||
|
</SidebarContext.Provider>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function Sidebar({
|
||||||
|
side = "left",
|
||||||
|
variant = "sidebar",
|
||||||
|
collapsible = "offcanvas",
|
||||||
|
disableTransition = false,
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & {
|
||||||
|
side?: "left" | "right";
|
||||||
|
variant?: "sidebar" | "floating" | "inset";
|
||||||
|
collapsible?: "offcanvas" | "icon" | "none";
|
||||||
|
disableTransition?: boolean;
|
||||||
|
}) {
|
||||||
|
const { isMobile, state, openMobile, setOpenMobile } = useSidebar();
|
||||||
|
|
||||||
|
if (collapsible === "none") {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sidebar"
|
||||||
|
className={cn(
|
||||||
|
"bg-sidebar text-sidebar-foreground flex h-full w-(--sidebar-width) flex-col",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
if (isMobile) {
|
||||||
|
return (
|
||||||
|
<Sheet open={openMobile} onOpenChange={setOpenMobile} {...props}>
|
||||||
|
<SheetContent
|
||||||
|
data-sidebar="sidebar"
|
||||||
|
data-slot="sidebar"
|
||||||
|
data-mobile="true"
|
||||||
|
className="bg-sidebar text-sidebar-foreground w-(--sidebar-width) p-0 [&>button]:hidden"
|
||||||
|
style={
|
||||||
|
{
|
||||||
|
"--sidebar-width": SIDEBAR_WIDTH_MOBILE,
|
||||||
|
} as React.CSSProperties
|
||||||
|
}
|
||||||
|
side={side}
|
||||||
|
>
|
||||||
|
<SheetHeader className="sr-only">
|
||||||
|
<SheetTitle>Sidebar</SheetTitle>
|
||||||
|
<SheetDescription>Displays the mobile sidebar.</SheetDescription>
|
||||||
|
</SheetHeader>
|
||||||
|
<div className="flex h-full w-full flex-col">{children}</div>
|
||||||
|
</SheetContent>
|
||||||
|
</Sheet>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
className="group peer text-sidebar-foreground hidden md:block"
|
||||||
|
data-state={state}
|
||||||
|
data-collapsible={state === "collapsed" ? collapsible : ""}
|
||||||
|
data-variant={variant}
|
||||||
|
data-side={side}
|
||||||
|
data-slot="sidebar"
|
||||||
|
>
|
||||||
|
{/* This is what handles the sidebar gap on desktop */}
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-gap"
|
||||||
|
className={cn(
|
||||||
|
"relative w-(--sidebar-width) bg-transparent",
|
||||||
|
disableTransition
|
||||||
|
? "transition-none"
|
||||||
|
: "transition-[width] duration-200 ease-linear",
|
||||||
|
"group-data-[collapsible=offcanvas]:w-0",
|
||||||
|
"group-data-[side=right]:rotate-180",
|
||||||
|
variant === "floating" || variant === "inset"
|
||||||
|
? "group-data-[collapsible=icon]:w-[calc(var(--sidebar-width-icon)+(--spacing(4)))]"
|
||||||
|
: "group-data-[collapsible=icon]:w-(--sidebar-width-icon)"
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-container"
|
||||||
|
className={cn(
|
||||||
|
"fixed inset-y-0 z-10 hidden h-svh w-(--sidebar-width) md:flex",
|
||||||
|
disableTransition
|
||||||
|
? "transition-none"
|
||||||
|
: "transition-[left,right,width] duration-200 ease-linear",
|
||||||
|
side === "left"
|
||||||
|
? "left-0 group-data-[collapsible=offcanvas]:left-[calc(var(--sidebar-width)*-1)]"
|
||||||
|
: "right-0 group-data-[collapsible=offcanvas]:right-[calc(var(--sidebar-width)*-1)]",
|
||||||
|
// Adjust the padding for floating and inset variants.
|
||||||
|
variant === "floating" || variant === "inset"
|
||||||
|
? "p-2 group-data-[collapsible=icon]:w-[calc(var(--sidebar-width-icon)+(--spacing(4))+2px)]"
|
||||||
|
: "group-data-[collapsible=icon]:w-(--sidebar-width-icon) group-data-[side=left]:border-r group-data-[side=right]:border-l",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
data-sidebar="sidebar"
|
||||||
|
data-slot="sidebar-inner"
|
||||||
|
className="bg-sidebar group-data-[variant=floating]:border-sidebar-border flex h-full w-full flex-col group-data-[variant=floating]:rounded-lg group-data-[variant=floating]:border group-data-[variant=floating]:shadow-sm"
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarTrigger({
|
||||||
|
className,
|
||||||
|
onClick,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof Button>) {
|
||||||
|
const { toggleSidebar } = useSidebar();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Button
|
||||||
|
data-sidebar="trigger"
|
||||||
|
data-slot="sidebar-trigger"
|
||||||
|
variant="ghost"
|
||||||
|
size="icon"
|
||||||
|
className={cn("size-7", className)}
|
||||||
|
onClick={event => {
|
||||||
|
onClick?.(event);
|
||||||
|
toggleSidebar();
|
||||||
|
}}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<PanelLeftIcon />
|
||||||
|
<span className="sr-only">Toggle Sidebar</span>
|
||||||
|
</Button>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarRail({ className, ...props }: React.ComponentProps<"button">) {
|
||||||
|
const { toggleSidebar } = useSidebar();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<button
|
||||||
|
data-sidebar="rail"
|
||||||
|
data-slot="sidebar-rail"
|
||||||
|
aria-label="Toggle Sidebar"
|
||||||
|
tabIndex={-1}
|
||||||
|
onClick={toggleSidebar}
|
||||||
|
title="Toggle Sidebar"
|
||||||
|
className={cn(
|
||||||
|
"hover:after:bg-sidebar-border absolute inset-y-0 z-20 hidden w-4 -translate-x-1/2 transition-all ease-linear group-data-[side=left]:-right-4 group-data-[side=right]:left-0 after:absolute after:inset-y-0 after:left-1/2 after:w-[2px] sm:flex",
|
||||||
|
"in-data-[side=left]:cursor-w-resize in-data-[side=right]:cursor-e-resize",
|
||||||
|
"[[data-side=left][data-state=collapsed]_&]:cursor-e-resize [[data-side=right][data-state=collapsed]_&]:cursor-w-resize",
|
||||||
|
"hover:group-data-[collapsible=offcanvas]:bg-sidebar group-data-[collapsible=offcanvas]:translate-x-0 group-data-[collapsible=offcanvas]:after:left-full",
|
||||||
|
"[[data-side=left][data-collapsible=offcanvas]_&]:-right-2",
|
||||||
|
"[[data-side=right][data-collapsible=offcanvas]_&]:-left-2",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarInset({ className, ...props }: React.ComponentProps<"main">) {
|
||||||
|
return (
|
||||||
|
<main
|
||||||
|
data-slot="sidebar-inset"
|
||||||
|
className={cn(
|
||||||
|
"bg-background relative flex w-full flex-1 flex-col",
|
||||||
|
"md:peer-data-[variant=inset]:m-2 md:peer-data-[variant=inset]:ml-0 md:peer-data-[variant=inset]:rounded-xl md:peer-data-[variant=inset]:shadow-sm md:peer-data-[variant=inset]:peer-data-[state=collapsed]:ml-2",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarInput({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof Input>) {
|
||||||
|
return (
|
||||||
|
<Input
|
||||||
|
data-slot="sidebar-input"
|
||||||
|
data-sidebar="input"
|
||||||
|
className={cn("bg-background h-8 w-full shadow-none", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarHeader({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-header"
|
||||||
|
data-sidebar="header"
|
||||||
|
className={cn("flex flex-col gap-2 p-2", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarFooter({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-footer"
|
||||||
|
data-sidebar="footer"
|
||||||
|
className={cn("flex flex-col gap-2 p-2", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarSeparator({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof Separator>) {
|
||||||
|
return (
|
||||||
|
<Separator
|
||||||
|
data-slot="sidebar-separator"
|
||||||
|
data-sidebar="separator"
|
||||||
|
className={cn("bg-sidebar-border mx-2 w-auto", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarContent({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-content"
|
||||||
|
data-sidebar="content"
|
||||||
|
className={cn(
|
||||||
|
"flex min-h-0 flex-1 flex-col gap-2 overflow-auto group-data-[collapsible=icon]:overflow-hidden",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarGroup({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-group"
|
||||||
|
data-sidebar="group"
|
||||||
|
className={cn("relative flex w-full min-w-0 flex-col p-2", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarGroupLabel({
|
||||||
|
className,
|
||||||
|
asChild = false,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & { asChild?: boolean }) {
|
||||||
|
const Comp = asChild ? Slot : "div";
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Comp
|
||||||
|
data-slot="sidebar-group-label"
|
||||||
|
data-sidebar="group-label"
|
||||||
|
className={cn(
|
||||||
|
"text-sidebar-foreground/70 ring-sidebar-ring flex h-8 shrink-0 items-center rounded-md px-2 text-xs font-medium outline-hidden transition-[margin,opacity] duration-200 ease-linear focus-visible:ring-2 [&>svg]:size-4 [&>svg]:shrink-0",
|
||||||
|
"group-data-[collapsible=icon]:-mt-8 group-data-[collapsible=icon]:opacity-0",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarGroupAction({
|
||||||
|
className,
|
||||||
|
asChild = false,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"button"> & { asChild?: boolean }) {
|
||||||
|
const Comp = asChild ? Slot : "button";
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Comp
|
||||||
|
data-slot="sidebar-group-action"
|
||||||
|
data-sidebar="group-action"
|
||||||
|
className={cn(
|
||||||
|
"text-sidebar-foreground ring-sidebar-ring hover:bg-sidebar-accent hover:text-sidebar-accent-foreground absolute top-3.5 right-3 flex aspect-square w-5 items-center justify-center rounded-md p-0 outline-hidden transition-transform focus-visible:ring-2 [&>svg]:size-4 [&>svg]:shrink-0",
|
||||||
|
// Increases the hit area of the button on mobile.
|
||||||
|
"after:absolute after:-inset-2 md:after:hidden",
|
||||||
|
"group-data-[collapsible=icon]:hidden",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarGroupContent({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-group-content"
|
||||||
|
data-sidebar="group-content"
|
||||||
|
className={cn("w-full text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarMenu({ className, ...props }: React.ComponentProps<"ul">) {
|
||||||
|
return (
|
||||||
|
<ul
|
||||||
|
data-slot="sidebar-menu"
|
||||||
|
data-sidebar="menu"
|
||||||
|
className={cn("flex w-full min-w-0 flex-col gap-1", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarMenuItem({ className, ...props }: React.ComponentProps<"li">) {
|
||||||
|
return (
|
||||||
|
<li
|
||||||
|
data-slot="sidebar-menu-item"
|
||||||
|
data-sidebar="menu-item"
|
||||||
|
className={cn("group/menu-item relative", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const sidebarMenuButtonVariants = cva(
|
||||||
|
"peer/menu-button flex w-full items-center gap-2 overflow-hidden rounded-md p-2 text-left text-sm outline-hidden ring-sidebar-ring transition-[width,height,padding] hover:bg-sidebar-accent hover:text-sidebar-accent-foreground focus-visible:ring-2 active:bg-sidebar-accent active:text-sidebar-accent-foreground disabled:pointer-events-none disabled:opacity-50 group-has-data-[sidebar=menu-action]/menu-item:pr-8 aria-disabled:pointer-events-none aria-disabled:opacity-50 data-[active=true]:bg-sidebar-accent data-[active=true]:font-medium data-[active=true]:text-sidebar-accent-foreground data-[state=open]:hover:bg-sidebar-accent data-[state=open]:hover:text-sidebar-accent-foreground group-data-[collapsible=icon]:size-8! group-data-[collapsible=icon]:p-2! [&>span:last-child]:truncate [&>svg]:size-4 [&>svg]:shrink-0",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
variant: {
|
||||||
|
default: "hover:bg-sidebar-accent hover:text-sidebar-accent-foreground",
|
||||||
|
outline:
|
||||||
|
"bg-background shadow-[0_0_0_1px_hsl(var(--sidebar-border))] hover:bg-sidebar-accent hover:text-sidebar-accent-foreground hover:shadow-[0_0_0_1px_hsl(var(--sidebar-accent))]",
|
||||||
|
},
|
||||||
|
size: {
|
||||||
|
default: "h-8 text-sm",
|
||||||
|
sm: "h-7 text-xs",
|
||||||
|
lg: "h-12 text-sm group-data-[collapsible=icon]:p-0!",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
variant: "default",
|
||||||
|
size: "default",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function SidebarMenuButton({
|
||||||
|
asChild = false,
|
||||||
|
isActive = false,
|
||||||
|
variant = "default",
|
||||||
|
size = "default",
|
||||||
|
tooltip,
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"button"> & {
|
||||||
|
asChild?: boolean;
|
||||||
|
isActive?: boolean;
|
||||||
|
tooltip?: string | React.ComponentProps<typeof TooltipContent>;
|
||||||
|
} & VariantProps<typeof sidebarMenuButtonVariants>) {
|
||||||
|
const Comp = asChild ? Slot : "button";
|
||||||
|
const { isMobile, state } = useSidebar();
|
||||||
|
|
||||||
|
const button = (
|
||||||
|
<Comp
|
||||||
|
data-slot="sidebar-menu-button"
|
||||||
|
data-sidebar="menu-button"
|
||||||
|
data-size={size}
|
||||||
|
data-active={isActive}
|
||||||
|
className={cn(sidebarMenuButtonVariants({ variant, size }), className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
|
||||||
|
if (!tooltip) {
|
||||||
|
return button;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (typeof tooltip === "string") {
|
||||||
|
tooltip = {
|
||||||
|
children: tooltip,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Tooltip>
|
||||||
|
<TooltipTrigger asChild>{button}</TooltipTrigger>
|
||||||
|
<TooltipContent
|
||||||
|
side="right"
|
||||||
|
align="center"
|
||||||
|
hidden={state !== "collapsed" || isMobile}
|
||||||
|
{...tooltip}
|
||||||
|
/>
|
||||||
|
</Tooltip>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarMenuAction({
|
||||||
|
className,
|
||||||
|
asChild = false,
|
||||||
|
showOnHover = false,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"button"> & {
|
||||||
|
asChild?: boolean;
|
||||||
|
showOnHover?: boolean;
|
||||||
|
}) {
|
||||||
|
const Comp = asChild ? Slot : "button";
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Comp
|
||||||
|
data-slot="sidebar-menu-action"
|
||||||
|
data-sidebar="menu-action"
|
||||||
|
className={cn(
|
||||||
|
"text-sidebar-foreground ring-sidebar-ring hover:bg-sidebar-accent hover:text-sidebar-accent-foreground peer-hover/menu-button:text-sidebar-accent-foreground absolute top-1.5 right-1 flex aspect-square w-5 items-center justify-center rounded-md p-0 outline-hidden transition-transform focus-visible:ring-2 [&>svg]:size-4 [&>svg]:shrink-0",
|
||||||
|
// Increases the hit area of the button on mobile.
|
||||||
|
"after:absolute after:-inset-2 md:after:hidden",
|
||||||
|
"peer-data-[size=sm]/menu-button:top-1",
|
||||||
|
"peer-data-[size=default]/menu-button:top-1.5",
|
||||||
|
"peer-data-[size=lg]/menu-button:top-2.5",
|
||||||
|
"group-data-[collapsible=icon]:hidden",
|
||||||
|
showOnHover &&
|
||||||
|
"peer-data-[active=true]/menu-button:text-sidebar-accent-foreground group-focus-within/menu-item:opacity-100 group-hover/menu-item:opacity-100 data-[state=open]:opacity-100 md:opacity-0",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarMenuBadge({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-menu-badge"
|
||||||
|
data-sidebar="menu-badge"
|
||||||
|
className={cn(
|
||||||
|
"text-sidebar-foreground pointer-events-none absolute right-1 flex h-5 min-w-5 items-center justify-center rounded-md px-1 text-xs font-medium tabular-nums select-none",
|
||||||
|
"peer-hover/menu-button:text-sidebar-accent-foreground peer-data-[active=true]/menu-button:text-sidebar-accent-foreground",
|
||||||
|
"peer-data-[size=sm]/menu-button:top-1",
|
||||||
|
"peer-data-[size=default]/menu-button:top-1.5",
|
||||||
|
"peer-data-[size=lg]/menu-button:top-2.5",
|
||||||
|
"group-data-[collapsible=icon]:hidden",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarMenuSkeleton({
|
||||||
|
className,
|
||||||
|
showIcon = false,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"div"> & {
|
||||||
|
showIcon?: boolean;
|
||||||
|
}) {
|
||||||
|
// Random width between 50 to 90%.
|
||||||
|
const width = React.useMemo(() => {
|
||||||
|
return `${Math.floor(Math.random() * 40) + 50}%`;
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="sidebar-menu-skeleton"
|
||||||
|
data-sidebar="menu-skeleton"
|
||||||
|
className={cn("flex h-8 items-center gap-2 rounded-md px-2", className)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{showIcon && (
|
||||||
|
<Skeleton
|
||||||
|
className="size-4 rounded-md"
|
||||||
|
data-sidebar="menu-skeleton-icon"
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
<Skeleton
|
||||||
|
className="h-4 max-w-(--skeleton-width) flex-1"
|
||||||
|
data-sidebar="menu-skeleton-text"
|
||||||
|
style={
|
||||||
|
{
|
||||||
|
"--skeleton-width": width,
|
||||||
|
} as React.CSSProperties
|
||||||
|
}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarMenuSub({ className, ...props }: React.ComponentProps<"ul">) {
|
||||||
|
return (
|
||||||
|
<ul
|
||||||
|
data-slot="sidebar-menu-sub"
|
||||||
|
data-sidebar="menu-sub"
|
||||||
|
className={cn(
|
||||||
|
"border-sidebar-border mx-3.5 flex min-w-0 translate-x-px flex-col gap-1 border-l px-2.5 py-0.5",
|
||||||
|
"group-data-[collapsible=icon]:hidden",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarMenuSubItem({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"li">) {
|
||||||
|
return (
|
||||||
|
<li
|
||||||
|
data-slot="sidebar-menu-sub-item"
|
||||||
|
data-sidebar="menu-sub-item"
|
||||||
|
className={cn("group/menu-sub-item relative", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function SidebarMenuSubButton({
|
||||||
|
asChild = false,
|
||||||
|
size = "md",
|
||||||
|
isActive = false,
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"a"> & {
|
||||||
|
asChild?: boolean;
|
||||||
|
size?: "sm" | "md";
|
||||||
|
isActive?: boolean;
|
||||||
|
}) {
|
||||||
|
const Comp = asChild ? Slot : "a";
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Comp
|
||||||
|
data-slot="sidebar-menu-sub-button"
|
||||||
|
data-sidebar="menu-sub-button"
|
||||||
|
data-size={size}
|
||||||
|
data-active={isActive}
|
||||||
|
className={cn(
|
||||||
|
"text-sidebar-foreground ring-sidebar-ring hover:bg-sidebar-accent hover:text-sidebar-accent-foreground active:bg-sidebar-accent active:text-sidebar-accent-foreground [&>svg]:text-sidebar-accent-foreground flex h-7 min-w-0 -translate-x-px items-center gap-2 overflow-hidden rounded-md px-2 outline-hidden focus-visible:ring-2 disabled:pointer-events-none disabled:opacity-50 aria-disabled:pointer-events-none aria-disabled:opacity-50 [&>span:last-child]:truncate [&>svg]:size-4 [&>svg]:shrink-0",
|
||||||
|
"data-[active=true]:bg-sidebar-accent data-[active=true]:text-sidebar-accent-foreground",
|
||||||
|
size === "sm" && "text-xs",
|
||||||
|
size === "md" && "text-sm",
|
||||||
|
"group-data-[collapsible=icon]:hidden",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Sidebar,
|
||||||
|
SidebarContent,
|
||||||
|
SidebarFooter,
|
||||||
|
SidebarGroup,
|
||||||
|
SidebarGroupAction,
|
||||||
|
SidebarGroupContent,
|
||||||
|
SidebarGroupLabel,
|
||||||
|
SidebarHeader,
|
||||||
|
SidebarInput,
|
||||||
|
SidebarInset,
|
||||||
|
SidebarMenu,
|
||||||
|
SidebarMenuAction,
|
||||||
|
SidebarMenuBadge,
|
||||||
|
SidebarMenuButton,
|
||||||
|
SidebarMenuItem,
|
||||||
|
SidebarMenuSkeleton,
|
||||||
|
SidebarMenuSub,
|
||||||
|
SidebarMenuSubButton,
|
||||||
|
SidebarMenuSubItem,
|
||||||
|
SidebarProvider,
|
||||||
|
SidebarRail,
|
||||||
|
SidebarSeparator,
|
||||||
|
SidebarTrigger,
|
||||||
|
useSidebar
|
||||||
|
};
|
||||||
|
|
||||||
|
|
@ -0,0 +1,13 @@
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Skeleton({ className, ...props }: React.ComponentProps<"div">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="skeleton"
|
||||||
|
className={cn("bg-accent animate-pulse rounded-md", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Skeleton };
|
||||||
|
|
@ -0,0 +1,61 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as SliderPrimitive from "@radix-ui/react-slider";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Slider({
|
||||||
|
className,
|
||||||
|
defaultValue,
|
||||||
|
value,
|
||||||
|
min = 0,
|
||||||
|
max = 100,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SliderPrimitive.Root>) {
|
||||||
|
const _values = React.useMemo(
|
||||||
|
() =>
|
||||||
|
Array.isArray(value)
|
||||||
|
? value
|
||||||
|
: Array.isArray(defaultValue)
|
||||||
|
? defaultValue
|
||||||
|
: [min, max],
|
||||||
|
[value, defaultValue, min, max]
|
||||||
|
);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<SliderPrimitive.Root
|
||||||
|
data-slot="slider"
|
||||||
|
defaultValue={defaultValue}
|
||||||
|
value={value}
|
||||||
|
min={min}
|
||||||
|
max={max}
|
||||||
|
className={cn(
|
||||||
|
"relative flex w-full touch-none items-center select-none data-[disabled]:opacity-50 data-[orientation=vertical]:h-full data-[orientation=vertical]:min-h-44 data-[orientation=vertical]:w-auto data-[orientation=vertical]:flex-col",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<SliderPrimitive.Track
|
||||||
|
data-slot="slider-track"
|
||||||
|
className={cn(
|
||||||
|
"bg-muted relative grow overflow-hidden rounded-full data-[orientation=horizontal]:h-1.5 data-[orientation=horizontal]:w-full data-[orientation=vertical]:h-full data-[orientation=vertical]:w-1.5"
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
<SliderPrimitive.Range
|
||||||
|
data-slot="slider-range"
|
||||||
|
className={cn(
|
||||||
|
"bg-primary absolute data-[orientation=horizontal]:h-full data-[orientation=vertical]:w-full"
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</SliderPrimitive.Track>
|
||||||
|
{Array.from({ length: _values.length }, (_, index) => (
|
||||||
|
<SliderPrimitive.Thumb
|
||||||
|
data-slot="slider-thumb"
|
||||||
|
key={index}
|
||||||
|
className="border-primary ring-ring/50 block size-4 shrink-0 rounded-full border bg-white shadow-sm transition-[color,box-shadow] hover:ring-4 focus-visible:ring-4 focus-visible:outline-hidden disabled:pointer-events-none disabled:opacity-50"
|
||||||
|
/>
|
||||||
|
))}
|
||||||
|
</SliderPrimitive.Root>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Slider };
|
||||||
|
|
@ -0,0 +1,23 @@
|
||||||
|
import { useTheme } from "next-themes";
|
||||||
|
import { Toaster as Sonner, type ToasterProps } from "sonner";
|
||||||
|
|
||||||
|
const Toaster = ({ ...props }: ToasterProps) => {
|
||||||
|
const { theme = "system" } = useTheme();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Sonner
|
||||||
|
theme={theme as ToasterProps["theme"]}
|
||||||
|
className="toaster group"
|
||||||
|
style={
|
||||||
|
{
|
||||||
|
"--normal-bg": "var(--popover)",
|
||||||
|
"--normal-text": "var(--popover-foreground)",
|
||||||
|
"--normal-border": "var(--border)",
|
||||||
|
} as React.CSSProperties
|
||||||
|
}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
export { Toaster };
|
||||||
|
|
@ -0,0 +1,16 @@
|
||||||
|
import { Loader2Icon } from "lucide-react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Spinner({ className, ...props }: React.ComponentProps<"svg">) {
|
||||||
|
return (
|
||||||
|
<Loader2Icon
|
||||||
|
role="status"
|
||||||
|
aria-label="Loading"
|
||||||
|
className={cn("size-4 animate-spin", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Spinner };
|
||||||
|
|
@ -0,0 +1,29 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as SwitchPrimitive from "@radix-ui/react-switch";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Switch({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof SwitchPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<SwitchPrimitive.Root
|
||||||
|
data-slot="switch"
|
||||||
|
className={cn(
|
||||||
|
"peer data-[state=checked]:bg-primary data-[state=unchecked]:bg-input focus-visible:border-ring focus-visible:ring-ring/50 dark:data-[state=unchecked]:bg-input/80 inline-flex h-[1.15rem] w-8 shrink-0 items-center rounded-full border border-transparent shadow-xs transition-all outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<SwitchPrimitive.Thumb
|
||||||
|
data-slot="switch-thumb"
|
||||||
|
className={cn(
|
||||||
|
"bg-background dark:data-[state=unchecked]:bg-foreground dark:data-[state=checked]:bg-primary-foreground pointer-events-none block size-4 rounded-full ring-0 transition-transform data-[state=checked]:translate-x-[calc(100%-2px)] data-[state=unchecked]:translate-x-0"
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</SwitchPrimitive.Root>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Switch };
|
||||||
|
|
@ -0,0 +1,114 @@
|
||||||
|
import * as React from "react";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Table({ className, ...props }: React.ComponentProps<"table">) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
data-slot="table-container"
|
||||||
|
className="relative w-full overflow-x-auto"
|
||||||
|
>
|
||||||
|
<table
|
||||||
|
data-slot="table"
|
||||||
|
className={cn("w-full caption-bottom text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TableHeader({ className, ...props }: React.ComponentProps<"thead">) {
|
||||||
|
return (
|
||||||
|
<thead
|
||||||
|
data-slot="table-header"
|
||||||
|
className={cn("[&_tr]:border-b", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TableBody({ className, ...props }: React.ComponentProps<"tbody">) {
|
||||||
|
return (
|
||||||
|
<tbody
|
||||||
|
data-slot="table-body"
|
||||||
|
className={cn("[&_tr:last-child]:border-0", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TableFooter({ className, ...props }: React.ComponentProps<"tfoot">) {
|
||||||
|
return (
|
||||||
|
<tfoot
|
||||||
|
data-slot="table-footer"
|
||||||
|
className={cn(
|
||||||
|
"bg-muted/50 border-t font-medium [&>tr]:last:border-b-0",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TableRow({ className, ...props }: React.ComponentProps<"tr">) {
|
||||||
|
return (
|
||||||
|
<tr
|
||||||
|
data-slot="table-row"
|
||||||
|
className={cn(
|
||||||
|
"hover:bg-muted/50 data-[state=selected]:bg-muted border-b transition-colors",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TableHead({ className, ...props }: React.ComponentProps<"th">) {
|
||||||
|
return (
|
||||||
|
<th
|
||||||
|
data-slot="table-head"
|
||||||
|
className={cn(
|
||||||
|
"text-foreground h-10 px-2 text-left align-middle font-medium whitespace-nowrap [&:has([role=checkbox])]:pr-0 [&>[role=checkbox]]:translate-y-[2px]",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TableCell({ className, ...props }: React.ComponentProps<"td">) {
|
||||||
|
return (
|
||||||
|
<td
|
||||||
|
data-slot="table-cell"
|
||||||
|
className={cn(
|
||||||
|
"p-2 align-middle whitespace-nowrap [&:has([role=checkbox])]:pr-0 [&>[role=checkbox]]:translate-y-[2px]",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TableCaption({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"caption">) {
|
||||||
|
return (
|
||||||
|
<caption
|
||||||
|
data-slot="table-caption"
|
||||||
|
className={cn("text-muted-foreground mt-4 text-sm", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
Table,
|
||||||
|
TableHeader,
|
||||||
|
TableBody,
|
||||||
|
TableFooter,
|
||||||
|
TableHead,
|
||||||
|
TableRow,
|
||||||
|
TableCell,
|
||||||
|
TableCaption,
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,64 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as TabsPrimitive from "@radix-ui/react-tabs";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function Tabs({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof TabsPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<TabsPrimitive.Root
|
||||||
|
data-slot="tabs"
|
||||||
|
className={cn("flex flex-col gap-2", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TabsList({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof TabsPrimitive.List>) {
|
||||||
|
return (
|
||||||
|
<TabsPrimitive.List
|
||||||
|
data-slot="tabs-list"
|
||||||
|
className={cn(
|
||||||
|
"bg-muted text-muted-foreground inline-flex h-9 w-fit items-center justify-center rounded-lg p-[3px]",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TabsTrigger({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof TabsPrimitive.Trigger>) {
|
||||||
|
return (
|
||||||
|
<TabsPrimitive.Trigger
|
||||||
|
data-slot="tabs-trigger"
|
||||||
|
className={cn(
|
||||||
|
"data-[state=active]:bg-background dark:data-[state=active]:text-foreground focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:outline-ring dark:data-[state=active]:border-input dark:data-[state=active]:bg-input/30 text-foreground dark:text-muted-foreground inline-flex h-[calc(100%-1px)] flex-1 items-center justify-center gap-1.5 rounded-md border border-transparent px-2 py-1 text-sm font-medium whitespace-nowrap transition-[color,box-shadow] focus-visible:ring-[3px] focus-visible:outline-1 disabled:pointer-events-none disabled:opacity-50 data-[state=active]:shadow-sm [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TabsContent({
|
||||||
|
className,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof TabsPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<TabsPrimitive.Content
|
||||||
|
data-slot="tabs-content"
|
||||||
|
className={cn("flex-1 outline-none", className)}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Tabs, TabsList, TabsTrigger, TabsContent };
|
||||||
|
|
@ -0,0 +1,67 @@
|
||||||
|
import { useDialogComposition } from "@/components/ui/dialog";
|
||||||
|
import { useComposition } from "@/hooks/useComposition";
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import * as React from "react";
|
||||||
|
|
||||||
|
function Textarea({
|
||||||
|
className,
|
||||||
|
onKeyDown,
|
||||||
|
onCompositionStart,
|
||||||
|
onCompositionEnd,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<"textarea">) {
|
||||||
|
// Get dialog composition context if available (will be no-op if not inside Dialog)
|
||||||
|
const dialogComposition = useDialogComposition();
|
||||||
|
|
||||||
|
// Add composition event handlers to support input method editor (IME) for CJK languages.
|
||||||
|
const {
|
||||||
|
onCompositionStart: handleCompositionStart,
|
||||||
|
onCompositionEnd: handleCompositionEnd,
|
||||||
|
onKeyDown: handleKeyDown,
|
||||||
|
} = useComposition<HTMLTextAreaElement>({
|
||||||
|
onKeyDown: (e) => {
|
||||||
|
// Check if this is an Enter key that should be blocked
|
||||||
|
const isComposing = (e.nativeEvent as any).isComposing || dialogComposition.justEndedComposing();
|
||||||
|
|
||||||
|
// If Enter key is pressed while composing or just after composition ended,
|
||||||
|
// don't call the user's onKeyDown (this blocks the business logic)
|
||||||
|
// Note: For textarea, Shift+Enter should still work for newlines
|
||||||
|
if (e.key === "Enter" && !e.shiftKey && isComposing) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Otherwise, call the user's onKeyDown
|
||||||
|
onKeyDown?.(e);
|
||||||
|
},
|
||||||
|
onCompositionStart: e => {
|
||||||
|
dialogComposition.setComposing(true);
|
||||||
|
onCompositionStart?.(e);
|
||||||
|
},
|
||||||
|
onCompositionEnd: e => {
|
||||||
|
// Mark that composition just ended - this helps handle the Enter key that confirms input
|
||||||
|
dialogComposition.markCompositionEnd();
|
||||||
|
// Delay setting composing to false to handle Safari's event order
|
||||||
|
// In Safari, compositionEnd fires before the ESC keydown event
|
||||||
|
setTimeout(() => {
|
||||||
|
dialogComposition.setComposing(false);
|
||||||
|
}, 100);
|
||||||
|
onCompositionEnd?.(e);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
return (
|
||||||
|
<textarea
|
||||||
|
data-slot="textarea"
|
||||||
|
className={cn(
|
||||||
|
"border-input placeholder:text-muted-foreground focus-visible:border-ring focus-visible:ring-ring/50 aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive dark:bg-input/30 flex field-sizing-content min-h-16 w-full rounded-md border bg-transparent px-3 py-2 text-base shadow-xs transition-[color,box-shadow] outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50 md:text-sm",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
onCompositionStart={handleCompositionStart}
|
||||||
|
onCompositionEnd={handleCompositionEnd}
|
||||||
|
onKeyDown={handleKeyDown}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Textarea };
|
||||||
|
|
@ -0,0 +1,73 @@
|
||||||
|
"use client";
|
||||||
|
|
||||||
|
import * as React from "react";
|
||||||
|
import * as ToggleGroupPrimitive from "@radix-ui/react-toggle-group";
|
||||||
|
import { type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
import { toggleVariants } from "@/components/ui/toggle";
|
||||||
|
|
||||||
|
const ToggleGroupContext = React.createContext<
|
||||||
|
VariantProps<typeof toggleVariants>
|
||||||
|
>({
|
||||||
|
size: "default",
|
||||||
|
variant: "default",
|
||||||
|
});
|
||||||
|
|
||||||
|
function ToggleGroup({
|
||||||
|
className,
|
||||||
|
variant,
|
||||||
|
size,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ToggleGroupPrimitive.Root> &
|
||||||
|
VariantProps<typeof toggleVariants>) {
|
||||||
|
return (
|
||||||
|
<ToggleGroupPrimitive.Root
|
||||||
|
data-slot="toggle-group"
|
||||||
|
data-variant={variant}
|
||||||
|
data-size={size}
|
||||||
|
className={cn(
|
||||||
|
"group/toggle-group flex w-fit items-center rounded-md data-[variant=outline]:shadow-xs",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
<ToggleGroupContext.Provider value={{ variant, size }}>
|
||||||
|
{children}
|
||||||
|
</ToggleGroupContext.Provider>
|
||||||
|
</ToggleGroupPrimitive.Root>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function ToggleGroupItem({
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
variant,
|
||||||
|
size,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof ToggleGroupPrimitive.Item> &
|
||||||
|
VariantProps<typeof toggleVariants>) {
|
||||||
|
const context = React.useContext(ToggleGroupContext);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<ToggleGroupPrimitive.Item
|
||||||
|
data-slot="toggle-group-item"
|
||||||
|
data-variant={context.variant || variant}
|
||||||
|
data-size={context.size || size}
|
||||||
|
className={cn(
|
||||||
|
toggleVariants({
|
||||||
|
variant: context.variant || variant,
|
||||||
|
size: context.size || size,
|
||||||
|
}),
|
||||||
|
"min-w-0 flex-1 shrink-0 rounded-none shadow-none first:rounded-l-md last:rounded-r-md focus:z-10 focus-visible:z-10 data-[variant=outline]:border-l-0 data-[variant=outline]:first:border-l",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</ToggleGroupPrimitive.Item>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { ToggleGroup, ToggleGroupItem };
|
||||||
|
|
@ -0,0 +1,45 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as TogglePrimitive from "@radix-ui/react-toggle";
|
||||||
|
import { cva, type VariantProps } from "class-variance-authority";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
const toggleVariants = cva(
|
||||||
|
"inline-flex items-center justify-center gap-2 rounded-md text-sm font-medium hover:bg-muted hover:text-muted-foreground disabled:pointer-events-none disabled:opacity-50 data-[state=on]:bg-accent data-[state=on]:text-accent-foreground [&_svg]:pointer-events-none [&_svg:not([class*='size-'])]:size-4 [&_svg]:shrink-0 focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px] outline-none transition-[color,box-shadow] aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive whitespace-nowrap",
|
||||||
|
{
|
||||||
|
variants: {
|
||||||
|
variant: {
|
||||||
|
default: "bg-transparent",
|
||||||
|
outline:
|
||||||
|
"border border-input bg-transparent shadow-xs hover:bg-accent hover:text-accent-foreground",
|
||||||
|
},
|
||||||
|
size: {
|
||||||
|
default: "h-9 px-2 min-w-9",
|
||||||
|
sm: "h-8 px-1.5 min-w-8",
|
||||||
|
lg: "h-10 px-2.5 min-w-10",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
defaultVariants: {
|
||||||
|
variant: "default",
|
||||||
|
size: "default",
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
|
function Toggle({
|
||||||
|
className,
|
||||||
|
variant,
|
||||||
|
size,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof TogglePrimitive.Root> &
|
||||||
|
VariantProps<typeof toggleVariants>) {
|
||||||
|
return (
|
||||||
|
<TogglePrimitive.Root
|
||||||
|
data-slot="toggle"
|
||||||
|
className={cn(toggleVariants({ variant, size, className }))}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Toggle, toggleVariants };
|
||||||
|
|
@ -0,0 +1,59 @@
|
||||||
|
import * as React from "react";
|
||||||
|
import * as TooltipPrimitive from "@radix-ui/react-tooltip";
|
||||||
|
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
function TooltipProvider({
|
||||||
|
delayDuration = 0,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof TooltipPrimitive.Provider>) {
|
||||||
|
return (
|
||||||
|
<TooltipPrimitive.Provider
|
||||||
|
data-slot="tooltip-provider"
|
||||||
|
delayDuration={delayDuration}
|
||||||
|
{...props}
|
||||||
|
/>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function Tooltip({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof TooltipPrimitive.Root>) {
|
||||||
|
return (
|
||||||
|
<TooltipProvider>
|
||||||
|
<TooltipPrimitive.Root data-slot="tooltip" {...props} />
|
||||||
|
</TooltipProvider>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
function TooltipTrigger({
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof TooltipPrimitive.Trigger>) {
|
||||||
|
return <TooltipPrimitive.Trigger data-slot="tooltip-trigger" {...props} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
function TooltipContent({
|
||||||
|
className,
|
||||||
|
sideOffset = 0,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.ComponentProps<typeof TooltipPrimitive.Content>) {
|
||||||
|
return (
|
||||||
|
<TooltipPrimitive.Portal>
|
||||||
|
<TooltipPrimitive.Content
|
||||||
|
data-slot="tooltip-content"
|
||||||
|
sideOffset={sideOffset}
|
||||||
|
className={cn(
|
||||||
|
"bg-foreground text-background animate-in fade-in-0 zoom-in-95 data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=closed]:zoom-out-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 w-fit origin-(--radix-tooltip-content-transform-origin) rounded-md px-3 py-1.5 text-xs text-balance",
|
||||||
|
className
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
<TooltipPrimitive.Arrow className="bg-foreground fill-foreground z-50 size-2.5 translate-y-[calc(-50%_-_2px)] rotate-45 rounded-[2px]" />
|
||||||
|
</TooltipPrimitive.Content>
|
||||||
|
</TooltipPrimitive.Portal>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { Tooltip, TooltipTrigger, TooltipContent, TooltipProvider };
|
||||||
|
|
@ -0,0 +1,17 @@
|
||||||
|
export { COOKIE_NAME, ONE_YEAR_MS } from "@shared/const";
|
||||||
|
|
||||||
|
// Generate login URL at runtime so redirect URI reflects the current origin.
|
||||||
|
export const getLoginUrl = () => {
|
||||||
|
const oauthPortalUrl = import.meta.env.VITE_OAUTH_PORTAL_URL;
|
||||||
|
const appId = import.meta.env.VITE_APP_ID;
|
||||||
|
const redirectUri = `${window.location.origin}/api/oauth/callback`;
|
||||||
|
const state = btoa(redirectUri);
|
||||||
|
|
||||||
|
const url = new URL(`${oauthPortalUrl}/app-auth`);
|
||||||
|
url.searchParams.set("appId", appId);
|
||||||
|
url.searchParams.set("redirectUri", redirectUri);
|
||||||
|
url.searchParams.set("state", state);
|
||||||
|
url.searchParams.set("type", "signIn");
|
||||||
|
|
||||||
|
return url.toString();
|
||||||
|
};
|
||||||
|
|
@ -0,0 +1,64 @@
|
||||||
|
import React, { createContext, useContext, useEffect, useState } from "react";
|
||||||
|
|
||||||
|
type Theme = "light" | "dark";
|
||||||
|
|
||||||
|
interface ThemeContextType {
|
||||||
|
theme: Theme;
|
||||||
|
toggleTheme?: () => void;
|
||||||
|
switchable: boolean;
|
||||||
|
}
|
||||||
|
|
||||||
|
const ThemeContext = createContext<ThemeContextType | undefined>(undefined);
|
||||||
|
|
||||||
|
interface ThemeProviderProps {
|
||||||
|
children: React.ReactNode;
|
||||||
|
defaultTheme?: Theme;
|
||||||
|
switchable?: boolean;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function ThemeProvider({
|
||||||
|
children,
|
||||||
|
defaultTheme = "light",
|
||||||
|
switchable = false,
|
||||||
|
}: ThemeProviderProps) {
|
||||||
|
const [theme, setTheme] = useState<Theme>(() => {
|
||||||
|
if (switchable) {
|
||||||
|
const stored = localStorage.getItem("theme");
|
||||||
|
return (stored as Theme) || defaultTheme;
|
||||||
|
}
|
||||||
|
return defaultTheme;
|
||||||
|
});
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
const root = document.documentElement;
|
||||||
|
if (theme === "dark") {
|
||||||
|
root.classList.add("dark");
|
||||||
|
} else {
|
||||||
|
root.classList.remove("dark");
|
||||||
|
}
|
||||||
|
|
||||||
|
if (switchable) {
|
||||||
|
localStorage.setItem("theme", theme);
|
||||||
|
}
|
||||||
|
}, [theme, switchable]);
|
||||||
|
|
||||||
|
const toggleTheme = switchable
|
||||||
|
? () => {
|
||||||
|
setTheme(prev => (prev === "light" ? "dark" : "light"));
|
||||||
|
}
|
||||||
|
: undefined;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<ThemeContext.Provider value={{ theme, toggleTheme, switchable }}>
|
||||||
|
{children}
|
||||||
|
</ThemeContext.Provider>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useTheme() {
|
||||||
|
const context = useContext(ThemeContext);
|
||||||
|
if (!context) {
|
||||||
|
throw new Error("useTheme must be used within ThemeProvider");
|
||||||
|
}
|
||||||
|
return context;
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,81 @@
|
||||||
|
import { useRef } from "react";
|
||||||
|
import { usePersistFn } from "./usePersistFn";
|
||||||
|
|
||||||
|
export interface UseCompositionReturn<
|
||||||
|
T extends HTMLInputElement | HTMLTextAreaElement,
|
||||||
|
> {
|
||||||
|
onCompositionStart: React.CompositionEventHandler<T>;
|
||||||
|
onCompositionEnd: React.CompositionEventHandler<T>;
|
||||||
|
onKeyDown: React.KeyboardEventHandler<T>;
|
||||||
|
isComposing: () => boolean;
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface UseCompositionOptions<
|
||||||
|
T extends HTMLInputElement | HTMLTextAreaElement,
|
||||||
|
> {
|
||||||
|
onKeyDown?: React.KeyboardEventHandler<T>;
|
||||||
|
onCompositionStart?: React.CompositionEventHandler<T>;
|
||||||
|
onCompositionEnd?: React.CompositionEventHandler<T>;
|
||||||
|
}
|
||||||
|
|
||||||
|
type TimerResponse = ReturnType<typeof setTimeout>;
|
||||||
|
|
||||||
|
export function useComposition<
|
||||||
|
T extends HTMLInputElement | HTMLTextAreaElement = HTMLInputElement,
|
||||||
|
>(options: UseCompositionOptions<T> = {}): UseCompositionReturn<T> {
|
||||||
|
const {
|
||||||
|
onKeyDown: originalOnKeyDown,
|
||||||
|
onCompositionStart: originalOnCompositionStart,
|
||||||
|
onCompositionEnd: originalOnCompositionEnd,
|
||||||
|
} = options;
|
||||||
|
|
||||||
|
const c = useRef(false);
|
||||||
|
const timer = useRef<TimerResponse | null>(null);
|
||||||
|
const timer2 = useRef<TimerResponse | null>(null);
|
||||||
|
|
||||||
|
const onCompositionStart = usePersistFn((e: React.CompositionEvent<T>) => {
|
||||||
|
if (timer.current) {
|
||||||
|
clearTimeout(timer.current);
|
||||||
|
timer.current = null;
|
||||||
|
}
|
||||||
|
if (timer2.current) {
|
||||||
|
clearTimeout(timer2.current);
|
||||||
|
timer2.current = null;
|
||||||
|
}
|
||||||
|
c.current = true;
|
||||||
|
originalOnCompositionStart?.(e);
|
||||||
|
});
|
||||||
|
|
||||||
|
const onCompositionEnd = usePersistFn((e: React.CompositionEvent<T>) => {
|
||||||
|
// 使用两层 setTimeout 来处理 Safari 浏览器中 compositionEnd 先于 onKeyDown 触发的问题
|
||||||
|
timer.current = setTimeout(() => {
|
||||||
|
timer2.current = setTimeout(() => {
|
||||||
|
c.current = false;
|
||||||
|
});
|
||||||
|
});
|
||||||
|
originalOnCompositionEnd?.(e);
|
||||||
|
});
|
||||||
|
|
||||||
|
const onKeyDown = usePersistFn((e: React.KeyboardEvent<T>) => {
|
||||||
|
// 在 composition 状态下,阻止 ESC 和 Enter(非 shift+Enter)事件的冒泡
|
||||||
|
if (
|
||||||
|
c.current &&
|
||||||
|
(e.key === "Escape" || (e.key === "Enter" && !e.shiftKey))
|
||||||
|
) {
|
||||||
|
e.stopPropagation();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
originalOnKeyDown?.(e);
|
||||||
|
});
|
||||||
|
|
||||||
|
const isComposing = usePersistFn(() => {
|
||||||
|
return c.current;
|
||||||
|
});
|
||||||
|
|
||||||
|
return {
|
||||||
|
onCompositionStart,
|
||||||
|
onCompositionEnd,
|
||||||
|
onKeyDown,
|
||||||
|
isComposing,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,21 @@
|
||||||
|
import * as React from "react";
|
||||||
|
|
||||||
|
const MOBILE_BREAKPOINT = 768;
|
||||||
|
|
||||||
|
export function useIsMobile() {
|
||||||
|
const [isMobile, setIsMobile] = React.useState<boolean | undefined>(
|
||||||
|
undefined
|
||||||
|
);
|
||||||
|
|
||||||
|
React.useEffect(() => {
|
||||||
|
const mql = window.matchMedia(`(max-width: ${MOBILE_BREAKPOINT - 1}px)`);
|
||||||
|
const onChange = () => {
|
||||||
|
setIsMobile(window.innerWidth < MOBILE_BREAKPOINT);
|
||||||
|
};
|
||||||
|
mql.addEventListener("change", onChange);
|
||||||
|
setIsMobile(window.innerWidth < MOBILE_BREAKPOINT);
|
||||||
|
return () => mql.removeEventListener("change", onChange);
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return !!isMobile;
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,20 @@
|
||||||
|
import { useRef } from "react";
|
||||||
|
|
||||||
|
type noop = (...args: any[]) => any;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* usePersistFn instead of useCallback to reduce cognitive load
|
||||||
|
*/
|
||||||
|
export function usePersistFn<T extends noop>(fn: T) {
|
||||||
|
const fnRef = useRef<T>(fn);
|
||||||
|
fnRef.current = fn;
|
||||||
|
|
||||||
|
const persistFn = useRef<T>(null);
|
||||||
|
if (!persistFn.current) {
|
||||||
|
persistFn.current = function (this: unknown, ...args) {
|
||||||
|
return fnRef.current!.apply(this, args);
|
||||||
|
} as T;
|
||||||
|
}
|
||||||
|
|
||||||
|
return persistFn.current!;
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,300 @@
|
||||||
|
// NAC XIC Presale — Purchase Logic Hook v2
|
||||||
|
// 适配新合约 XICPresale(购买即时发放版本)
|
||||||
|
// 关键变更:
|
||||||
|
// - 函数名: buyTokensWithUSDT → buyWithUSDT
|
||||||
|
// - 函数名: buyTokens (BNB) → buyWithBNB
|
||||||
|
// - BSC USDT 精度: 18 decimals(保持不变,BSC USDT 是 18d)
|
||||||
|
// - 新增: 从链上读取实时预售状态(剩余时间、进度等)
|
||||||
|
// - 新增: BNB 购买支持
|
||||||
|
|
||||||
|
import { useState, useCallback, useEffect } from "react";
|
||||||
|
import { Contract, parseUnits, formatUnits, parseEther } from "ethers";
|
||||||
|
import { CONTRACTS, PRESALE_ABI, ERC20_ABI, PRESALE_CONFIG, formatNumber } from "@/lib/contracts";
|
||||||
|
import { WalletState } from "./useWallet";
|
||||||
|
|
||||||
|
export type PurchaseStep =
|
||||||
|
| "idle"
|
||||||
|
| "approving"
|
||||||
|
| "approved"
|
||||||
|
| "purchasing"
|
||||||
|
| "success"
|
||||||
|
| "error";
|
||||||
|
|
||||||
|
export interface PurchaseState {
|
||||||
|
step: PurchaseStep;
|
||||||
|
txHash: string | null;
|
||||||
|
error: string | null;
|
||||||
|
tokenAmount: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface PresaleStats {
|
||||||
|
totalSold: number; // 已售 XIC 数量
|
||||||
|
totalRaised: number; // 已筹 USDT 金额
|
||||||
|
hardCap: number; // 硬顶 XIC 数量
|
||||||
|
progressPercent: number; // 进度百分比 0-100
|
||||||
|
timeRemaining: number; // 剩余秒数
|
||||||
|
isActive: boolean; // 是否可购买
|
||||||
|
presaleStarted: boolean; // 是否已启动
|
||||||
|
presaleEndTime: number; // 结束时间戳(秒)
|
||||||
|
availableXIC: number; // 合约可售 XIC 余额
|
||||||
|
bnbPrice: number; // BNB 当前价格(USD)
|
||||||
|
}
|
||||||
|
|
||||||
|
export function usePresale(wallet: WalletState, network: "BSC" | "ETH") {
|
||||||
|
const [purchaseState, setPurchaseState] = useState<PurchaseState>({
|
||||||
|
step: "idle",
|
||||||
|
txHash: null,
|
||||||
|
error: null,
|
||||||
|
tokenAmount: 0,
|
||||||
|
});
|
||||||
|
|
||||||
|
const [presaleStats, setPresaleStats] = useState<PresaleStats>({
|
||||||
|
totalSold: 0,
|
||||||
|
totalRaised: 0,
|
||||||
|
hardCap: PRESALE_CONFIG.presaleAllocation,
|
||||||
|
progressPercent: 0,
|
||||||
|
timeRemaining: 0,
|
||||||
|
isActive: false,
|
||||||
|
presaleStarted: false,
|
||||||
|
presaleEndTime: 0,
|
||||||
|
availableXIC: 0,
|
||||||
|
bnbPrice: 0,
|
||||||
|
});
|
||||||
|
|
||||||
|
const networkConfig = CONTRACTS[network];
|
||||||
|
|
||||||
|
// ── 从链上读取预售状态 ──────────────────────────────────────
|
||||||
|
const fetchPresaleStats = useCallback(async () => {
|
||||||
|
if (network !== "BSC") return; // 新合约只在 BSC
|
||||||
|
try {
|
||||||
|
const provider = wallet.provider;
|
||||||
|
if (!provider) return;
|
||||||
|
|
||||||
|
const presaleContract = new Contract(networkConfig.presale, PRESALE_ABI, provider);
|
||||||
|
|
||||||
|
const [
|
||||||
|
totalSoldRaw,
|
||||||
|
totalRaisedRaw,
|
||||||
|
hardCapRaw,
|
||||||
|
progressResult,
|
||||||
|
timeRemainingRaw,
|
||||||
|
isActive,
|
||||||
|
presaleStarted,
|
||||||
|
presaleEndTimeRaw,
|
||||||
|
availableXICRaw,
|
||||||
|
bnbPriceRaw,
|
||||||
|
] = await Promise.all([
|
||||||
|
presaleContract.totalTokensSold(),
|
||||||
|
presaleContract.totalRaised(),
|
||||||
|
presaleContract.hardCap(),
|
||||||
|
presaleContract.presaleProgress(),
|
||||||
|
presaleContract.timeRemaining(),
|
||||||
|
presaleContract.isPresaleActive(),
|
||||||
|
presaleContract.presaleStarted(),
|
||||||
|
presaleContract.presaleEndTime(),
|
||||||
|
presaleContract.availableXIC(),
|
||||||
|
presaleContract.getBNBPrice().catch(() => BigInt(0)),
|
||||||
|
]);
|
||||||
|
|
||||||
|
setPresaleStats({
|
||||||
|
totalSold: parseFloat(formatUnits(totalSoldRaw, 18)),
|
||||||
|
totalRaised: parseFloat(formatUnits(totalRaisedRaw, 18)), // BSC USDT 18d
|
||||||
|
hardCap: parseFloat(formatUnits(hardCapRaw, 18)),
|
||||||
|
progressPercent: Number(progressResult.progressBps) / 100,
|
||||||
|
timeRemaining: Number(timeRemainingRaw),
|
||||||
|
isActive: Boolean(isActive),
|
||||||
|
presaleStarted: Boolean(presaleStarted),
|
||||||
|
presaleEndTime: Number(presaleEndTimeRaw),
|
||||||
|
availableXIC: parseFloat(formatUnits(availableXICRaw, 18)),
|
||||||
|
bnbPrice: parseFloat(formatUnits(bnbPriceRaw, 18)),
|
||||||
|
});
|
||||||
|
} catch (err) {
|
||||||
|
console.error("[usePresale] fetchPresaleStats error:", err);
|
||||||
|
}
|
||||||
|
}, [wallet.provider, network, networkConfig]);
|
||||||
|
|
||||||
|
// 定期刷新预售状态(每 30 秒)
|
||||||
|
useEffect(() => {
|
||||||
|
fetchPresaleStats();
|
||||||
|
const interval = setInterval(fetchPresaleStats, 30_000);
|
||||||
|
return () => clearInterval(interval);
|
||||||
|
}, [fetchPresaleStats]);
|
||||||
|
|
||||||
|
// ── 用 USDT 购买(新合约函数名: buyWithUSDT)──────────────────
|
||||||
|
const buyWithUSDT = useCallback(
|
||||||
|
async (usdtAmount: number) => {
|
||||||
|
if (!wallet.signer || !wallet.address) {
|
||||||
|
setPurchaseState(s => ({ ...s, step: "error", error: "请先连接钱包。" }));
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
const tokenAmount = usdtAmount / PRESALE_CONFIG.tokenPrice;
|
||||||
|
setPurchaseState({ step: "approving", txHash: null, error: null, tokenAmount });
|
||||||
|
|
||||||
|
try {
|
||||||
|
// BSC USDT 是 18 decimals
|
||||||
|
const usdtDecimals = network === "ETH" ? 6 : 18;
|
||||||
|
const usdtAmountWei = parseUnits(usdtAmount.toString(), usdtDecimals);
|
||||||
|
|
||||||
|
const usdtContract = new Contract(networkConfig.usdt, ERC20_ABI, wallet.signer);
|
||||||
|
const presaleAddress = networkConfig.presale;
|
||||||
|
|
||||||
|
// Step 1: 检查并授权 USDT
|
||||||
|
const currentAllowance = await usdtContract.allowance(wallet.address, presaleAddress);
|
||||||
|
if (currentAllowance < usdtAmountWei) {
|
||||||
|
const approveTx = await usdtContract.approve(presaleAddress, usdtAmountWei);
|
||||||
|
await approveTx.wait();
|
||||||
|
}
|
||||||
|
|
||||||
|
setPurchaseState(s => ({ ...s, step: "approved" }));
|
||||||
|
|
||||||
|
// Step 2: 调用新合约的 buyWithUSDT(不是 buyTokensWithUSDT)
|
||||||
|
const presaleContract = new Contract(presaleAddress, PRESALE_ABI, wallet.signer);
|
||||||
|
const buyTx = await presaleContract.buyWithUSDT(usdtAmountWei);
|
||||||
|
setPurchaseState(s => ({ ...s, step: "purchasing", txHash: buyTx.hash }));
|
||||||
|
|
||||||
|
const receipt = await buyTx.wait();
|
||||||
|
|
||||||
|
// 从事件中读取实际收到的 XIC 数量
|
||||||
|
let actualTokenAmount = tokenAmount;
|
||||||
|
if (receipt?.logs) {
|
||||||
|
for (const log of receipt.logs) {
|
||||||
|
try {
|
||||||
|
const parsed = presaleContract.interface.parseLog(log);
|
||||||
|
if (parsed?.name === "TokensPurchased") {
|
||||||
|
actualTokenAmount = parseFloat(formatUnits(parsed.args.tokenAmount, 18));
|
||||||
|
}
|
||||||
|
} catch { /* ignore */ }
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
setPurchaseState(s => ({ ...s, step: "success", tokenAmount: actualTokenAmount }));
|
||||||
|
|
||||||
|
// 刷新预售状态
|
||||||
|
await fetchPresaleStats();
|
||||||
|
|
||||||
|
} catch (err: unknown) {
|
||||||
|
const errMsg = (err as { reason?: string; message?: string }).reason
|
||||||
|
|| (err as Error).message
|
||||||
|
|| "Transaction failed";
|
||||||
|
setPurchaseState(s => ({ ...s, step: "error", error: errMsg }));
|
||||||
|
}
|
||||||
|
},
|
||||||
|
[wallet, network, networkConfig, fetchPresaleStats]
|
||||||
|
);
|
||||||
|
|
||||||
|
// ── 用 BNB 购买(新合约函数名: buyWithBNB)──────────────────
|
||||||
|
const buyWithBNB = useCallback(
|
||||||
|
async (bnbAmount: number) => {
|
||||||
|
if (!wallet.signer || !wallet.address) {
|
||||||
|
setPurchaseState(s => ({ ...s, step: "error", error: "请先连接钱包。" }));
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
const bnbAmountWei = parseEther(bnbAmount.toString());
|
||||||
|
const estimatedTokens = presaleStats.bnbPrice > 0
|
||||||
|
? (bnbAmount * presaleStats.bnbPrice) / PRESALE_CONFIG.tokenPrice
|
||||||
|
: 0;
|
||||||
|
|
||||||
|
setPurchaseState({ step: "purchasing", txHash: null, error: null, tokenAmount: estimatedTokens });
|
||||||
|
|
||||||
|
try {
|
||||||
|
const presaleContract = new Contract(networkConfig.presale, PRESALE_ABI, wallet.signer);
|
||||||
|
const buyTx = await presaleContract.buyWithBNB({ value: bnbAmountWei });
|
||||||
|
setPurchaseState(s => ({ ...s, txHash: buyTx.hash }));
|
||||||
|
|
||||||
|
const receipt = await buyTx.wait();
|
||||||
|
|
||||||
|
let actualTokenAmount = estimatedTokens;
|
||||||
|
if (receipt?.logs) {
|
||||||
|
for (const log of receipt.logs) {
|
||||||
|
try {
|
||||||
|
const parsed = presaleContract.interface.parseLog(log);
|
||||||
|
if (parsed?.name === "TokensPurchased") {
|
||||||
|
actualTokenAmount = parseFloat(formatUnits(parsed.args.tokenAmount, 18));
|
||||||
|
}
|
||||||
|
} catch { /* ignore */ }
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
setPurchaseState(s => ({ ...s, step: "success", tokenAmount: actualTokenAmount }));
|
||||||
|
await fetchPresaleStats();
|
||||||
|
|
||||||
|
} catch (err: unknown) {
|
||||||
|
const errMsg = (err as { reason?: string; message?: string }).reason
|
||||||
|
|| (err as Error).message
|
||||||
|
|| "Transaction failed";
|
||||||
|
setPurchaseState(s => ({ ...s, step: "error", error: errMsg }));
|
||||||
|
}
|
||||||
|
},
|
||||||
|
[wallet, networkConfig, presaleStats.bnbPrice, fetchPresaleStats]
|
||||||
|
);
|
||||||
|
|
||||||
|
const reset = useCallback(() => {
|
||||||
|
setPurchaseState({ step: "idle", txHash: null, error: null, tokenAmount: 0 });
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// 计算 USDT 对应的 XIC 数量
|
||||||
|
const calcTokens = (usdtAmount: number): number => {
|
||||||
|
return usdtAmount / PRESALE_CONFIG.tokenPrice;
|
||||||
|
};
|
||||||
|
|
||||||
|
// 计算 BNB 对应的 XIC 数量
|
||||||
|
const calcTokensForBNB = (bnbAmount: number): number => {
|
||||||
|
if (presaleStats.bnbPrice <= 0) return 0;
|
||||||
|
return (bnbAmount * presaleStats.bnbPrice) / PRESALE_CONFIG.tokenPrice;
|
||||||
|
};
|
||||||
|
|
||||||
|
// 获取用户 USDT 余额
|
||||||
|
const getUsdtBalance = useCallback(async (): Promise<number> => {
|
||||||
|
if (!wallet.provider || !wallet.address) return 0;
|
||||||
|
try {
|
||||||
|
const usdtDecimals = network === "ETH" ? 6 : 18;
|
||||||
|
const usdtContract = new Contract(networkConfig.usdt, ERC20_ABI, wallet.provider);
|
||||||
|
const balance = await usdtContract.balanceOf(wallet.address);
|
||||||
|
return parseFloat(formatUnits(balance, usdtDecimals));
|
||||||
|
} catch {
|
||||||
|
return 0;
|
||||||
|
}
|
||||||
|
}, [wallet, network, networkConfig]);
|
||||||
|
|
||||||
|
// 获取用户 XIC 余额
|
||||||
|
const getXICBalance = useCallback(async (): Promise<number> => {
|
||||||
|
if (!wallet.provider || !wallet.address || network !== "BSC") return 0;
|
||||||
|
try {
|
||||||
|
const xicContract = new Contract(CONTRACTS.BSC.token, ERC20_ABI, wallet.provider);
|
||||||
|
const balance = await xicContract.balanceOf(wallet.address);
|
||||||
|
return parseFloat(formatUnits(balance, 18));
|
||||||
|
} catch {
|
||||||
|
return 0;
|
||||||
|
}
|
||||||
|
}, [wallet, network]);
|
||||||
|
|
||||||
|
// 格式化剩余时间
|
||||||
|
const formatTimeRemaining = (seconds: number): string => {
|
||||||
|
if (seconds <= 0) return "已结束";
|
||||||
|
const days = Math.floor(seconds / 86400);
|
||||||
|
const hours = Math.floor((seconds % 86400) / 3600);
|
||||||
|
const minutes = Math.floor((seconds % 3600) / 60);
|
||||||
|
const secs = seconds % 60;
|
||||||
|
if (days > 0) return `${days}天 ${hours}小时 ${minutes}分`;
|
||||||
|
if (hours > 0) return `${hours}小时 ${minutes}分 ${secs}秒`;
|
||||||
|
return `${minutes}分 ${secs}秒`;
|
||||||
|
};
|
||||||
|
|
||||||
|
return {
|
||||||
|
purchaseState,
|
||||||
|
presaleStats,
|
||||||
|
buyWithUSDT,
|
||||||
|
buyWithBNB,
|
||||||
|
reset,
|
||||||
|
calcTokens,
|
||||||
|
calcTokensForBNB,
|
||||||
|
getUsdtBalance,
|
||||||
|
getXICBalance,
|
||||||
|
fetchPresaleStats,
|
||||||
|
formatTimeRemaining,
|
||||||
|
// 兼容旧接口
|
||||||
|
calcTokens: calcTokens,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,360 @@
|
||||||
|
// NAC XIC Presale — Wallet Connection Hook
|
||||||
|
// Supports MetaMask, Trust Wallet, OKX Wallet, Coinbase Wallet, and all EVM-compatible wallets
|
||||||
|
// v4: added forceConnect(address) for WalletSelector callback sync
|
||||||
|
|
||||||
|
import { useState, useEffect, useCallback, useRef } from "react";
|
||||||
|
import { BrowserProvider, JsonRpcSigner, Eip1193Provider } from "ethers";
|
||||||
|
import { shortenAddress, switchToNetwork } from "@/lib/contracts";
|
||||||
|
|
||||||
|
export type NetworkType = "BSC" | "ETH" | "TRON";
|
||||||
|
|
||||||
|
export interface WalletState {
|
||||||
|
address: string | null;
|
||||||
|
shortAddress: string;
|
||||||
|
isConnected: boolean;
|
||||||
|
chainId: number | null;
|
||||||
|
provider: BrowserProvider | null;
|
||||||
|
signer: JsonRpcSigner | null;
|
||||||
|
isConnecting: boolean;
|
||||||
|
error: string | null;
|
||||||
|
}
|
||||||
|
|
||||||
|
const INITIAL_STATE: WalletState = {
|
||||||
|
address: null,
|
||||||
|
shortAddress: "",
|
||||||
|
isConnected: false,
|
||||||
|
chainId: null,
|
||||||
|
provider: null,
|
||||||
|
signer: null,
|
||||||
|
isConnecting: false,
|
||||||
|
error: null,
|
||||||
|
};
|
||||||
|
|
||||||
|
// Detect the best available EVM provider across all major wallets
|
||||||
|
export function detectProvider(): Eip1193Provider | null {
|
||||||
|
if (typeof window === "undefined") return null;
|
||||||
|
|
||||||
|
const w = window as unknown as Record<string, unknown>;
|
||||||
|
const eth = w.ethereum as (Eip1193Provider & {
|
||||||
|
providers?: Eip1193Provider[];
|
||||||
|
isMetaMask?: boolean;
|
||||||
|
isTrust?: boolean;
|
||||||
|
isOKExWallet?: boolean;
|
||||||
|
isCoinbaseWallet?: boolean;
|
||||||
|
}) | undefined;
|
||||||
|
|
||||||
|
if (!eth) {
|
||||||
|
// Fallback: check wallet-specific globals
|
||||||
|
if (w.okxwallet) return w.okxwallet as Eip1193Provider;
|
||||||
|
if (w.coinbaseWalletExtension) return w.coinbaseWalletExtension as Eip1193Provider;
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
// If multiple providers are injected (common when multiple extensions installed)
|
||||||
|
if (eth.providers && Array.isArray(eth.providers) && eth.providers.length > 0) {
|
||||||
|
const metamask = eth.providers.find((p: Eip1193Provider & { isMetaMask?: boolean }) => p.isMetaMask);
|
||||||
|
return metamask ?? eth.providers[0];
|
||||||
|
}
|
||||||
|
|
||||||
|
return eth;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Check if MetaMask is installed but not yet initialized (no wallet created/imported)
|
||||||
|
export async function checkWalletReady(rawProvider: Eip1193Provider): Promise<{ ready: boolean; reason?: string }> {
|
||||||
|
try {
|
||||||
|
// eth_accounts is silent — if it returns empty array, wallet is installed but locked or not initialized
|
||||||
|
const accounts = await (rawProvider as { request: (args: { method: string }) => Promise<string[]> }).request({
|
||||||
|
method: "eth_accounts",
|
||||||
|
});
|
||||||
|
// If we get here, the wallet is at least initialized (even if locked / no accounts)
|
||||||
|
return { ready: true };
|
||||||
|
} catch (err: unknown) {
|
||||||
|
const error = err as { code?: number; message?: string };
|
||||||
|
// -32002: Request already pending (MetaMask not initialized or another request pending)
|
||||||
|
if (error?.code === -32002) {
|
||||||
|
return { ready: false, reason: "pending" };
|
||||||
|
}
|
||||||
|
// Any other error — treat as not ready
|
||||||
|
return { ready: false, reason: error?.message || "unknown" };
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Build wallet state from a provider and accounts
|
||||||
|
async function buildWalletState(
|
||||||
|
rawProvider: Eip1193Provider,
|
||||||
|
address: string
|
||||||
|
): Promise<Partial<WalletState>> {
|
||||||
|
const provider = new BrowserProvider(rawProvider);
|
||||||
|
let chainId: number | null = null;
|
||||||
|
let signer: JsonRpcSigner | null = null;
|
||||||
|
|
||||||
|
try {
|
||||||
|
const network = await provider.getNetwork();
|
||||||
|
chainId = Number(network.chainId);
|
||||||
|
} catch {
|
||||||
|
try {
|
||||||
|
const chainHex = await (rawProvider as { request: (args: { method: string }) => Promise<string> }).request({ method: "eth_chainId" });
|
||||||
|
chainId = parseInt(chainHex, 16);
|
||||||
|
} catch {
|
||||||
|
chainId = null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
signer = await provider.getSigner();
|
||||||
|
} catch {
|
||||||
|
signer = null;
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
address,
|
||||||
|
shortAddress: shortenAddress(address),
|
||||||
|
isConnected: true,
|
||||||
|
chainId,
|
||||||
|
provider,
|
||||||
|
signer,
|
||||||
|
isConnecting: false,
|
||||||
|
error: null,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useWallet() {
|
||||||
|
const [state, setState] = useState<WalletState>(INITIAL_STATE);
|
||||||
|
const retryRef = useRef<ReturnType<typeof setTimeout> | null>(null);
|
||||||
|
const mountedRef = useRef(true);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
mountedRef.current = true;
|
||||||
|
return () => {
|
||||||
|
mountedRef.current = false;
|
||||||
|
if (retryRef.current) clearTimeout(retryRef.current);
|
||||||
|
};
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// ── Connect (explicit user action) ─────────────────────────────────────────
|
||||||
|
const connect = useCallback(async (): Promise<{ success: boolean; error?: string }> => {
|
||||||
|
const rawProvider = detectProvider();
|
||||||
|
|
||||||
|
if (!rawProvider) {
|
||||||
|
const msg = "未检测到钱包插件。请安装 MetaMask 或其他 EVM 兼容钱包后刷新页面。";
|
||||||
|
if (mountedRef.current) setState(s => ({ ...s, error: msg }));
|
||||||
|
return { success: false, error: msg };
|
||||||
|
}
|
||||||
|
|
||||||
|
setState(s => ({ ...s, isConnecting: true, error: null }));
|
||||||
|
|
||||||
|
try {
|
||||||
|
// Request accounts — this triggers the wallet popup
|
||||||
|
const accounts = await (rawProvider as {
|
||||||
|
request: (args: { method: string; params?: unknown[] }) => Promise<string[]>
|
||||||
|
}).request({
|
||||||
|
method: "eth_requestAccounts",
|
||||||
|
params: [],
|
||||||
|
});
|
||||||
|
|
||||||
|
if (!accounts || accounts.length === 0) {
|
||||||
|
throw new Error("no_accounts");
|
||||||
|
}
|
||||||
|
|
||||||
|
const partial = await buildWalletState(rawProvider, accounts[0]);
|
||||||
|
if (mountedRef.current) setState({ ...INITIAL_STATE, ...partial });
|
||||||
|
return { success: true };
|
||||||
|
|
||||||
|
} catch (err: unknown) {
|
||||||
|
const error = err as { code?: number; message?: string };
|
||||||
|
let msg: string;
|
||||||
|
|
||||||
|
if (error?.code === 4001) {
|
||||||
|
// User rejected
|
||||||
|
msg = "已取消连接 / Connection cancelled";
|
||||||
|
} else if (error?.code === -32002) {
|
||||||
|
// MetaMask has a pending request — usually means it's not initialized or popup is already open
|
||||||
|
msg = "钱包请求处理中,请检查 MetaMask 弹窗。如未弹出,请先完成 MetaMask 初始化设置(创建或导入钱包),然后刷新页面重试。";
|
||||||
|
} else if (error?.message === "no_accounts") {
|
||||||
|
msg = "未获取到账户,请确认钱包已解锁并授权此网站。";
|
||||||
|
} else if (
|
||||||
|
error?.message?.toLowerCase().includes("not initialized") ||
|
||||||
|
error?.message?.toLowerCase().includes("setup") ||
|
||||||
|
error?.message?.toLowerCase().includes("onboarding")
|
||||||
|
) {
|
||||||
|
msg = "MetaMask 尚未完成初始化。请先打开 MetaMask 扩展,创建或导入钱包,然后刷新页面重试。";
|
||||||
|
} else {
|
||||||
|
msg = `连接失败: ${error?.message || "未知错误"}。请刷新页面重试。`;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (mountedRef.current) setState(s => ({ ...s, isConnecting: false, error: msg }));
|
||||||
|
return { success: false, error: msg };
|
||||||
|
}
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// ── Force connect with known address (from WalletSelector callback) ─────────
|
||||||
|
// Use this when WalletSelector has already called eth_requestAccounts and got the address.
|
||||||
|
// Directly builds wallet state without triggering another popup.
|
||||||
|
const forceConnect = useCallback(async (address: string): Promise<void> => {
|
||||||
|
if (!address) return;
|
||||||
|
const rawProvider = detectProvider();
|
||||||
|
if (!rawProvider) {
|
||||||
|
// No provider available — set minimal connected state with just the address
|
||||||
|
if (mountedRef.current) {
|
||||||
|
setState({
|
||||||
|
...INITIAL_STATE,
|
||||||
|
address,
|
||||||
|
shortAddress: shortenAddress(address),
|
||||||
|
isConnected: true,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
const partial = await buildWalletState(rawProvider, address);
|
||||||
|
if (mountedRef.current) setState({ ...INITIAL_STATE, ...partial });
|
||||||
|
} catch {
|
||||||
|
// Fallback: set minimal state
|
||||||
|
if (mountedRef.current) {
|
||||||
|
setState({
|
||||||
|
...INITIAL_STATE,
|
||||||
|
address,
|
||||||
|
shortAddress: shortenAddress(address),
|
||||||
|
isConnected: true,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// ── Disconnect ──────────────────────────────────────────────────────────────
|
||||||
|
const disconnect = useCallback(() => {
|
||||||
|
setState(INITIAL_STATE);
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// ── Switch Network ──────────────────────────────────────────────────────────
|
||||||
|
const switchNetwork = useCallback(async (chainId: number) => {
|
||||||
|
try {
|
||||||
|
await switchToNetwork(chainId);
|
||||||
|
const rawProvider = detectProvider();
|
||||||
|
if (rawProvider) {
|
||||||
|
const provider = new BrowserProvider(rawProvider);
|
||||||
|
const network = await provider.getNetwork();
|
||||||
|
let signer: JsonRpcSigner | null = null;
|
||||||
|
try { signer = await provider.getSigner(); } catch { /* ignore */ }
|
||||||
|
if (mountedRef.current) {
|
||||||
|
setState(s => ({
|
||||||
|
...s,
|
||||||
|
chainId: Number(network.chainId),
|
||||||
|
provider,
|
||||||
|
signer,
|
||||||
|
error: null,
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
} catch (err: unknown) {
|
||||||
|
if (mountedRef.current) setState(s => ({ ...s, error: (err as Error).message }));
|
||||||
|
}
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// ── Auto-detect on page load (silent, no popup) ─────────────────────────────
|
||||||
|
useEffect(() => {
|
||||||
|
let cancelled = false;
|
||||||
|
|
||||||
|
const tryAutoDetect = async (attempt: number) => {
|
||||||
|
if (cancelled) return;
|
||||||
|
|
||||||
|
const rawProvider = detectProvider();
|
||||||
|
if (!rawProvider) {
|
||||||
|
if (attempt < 3) {
|
||||||
|
retryRef.current = setTimeout(() => tryAutoDetect(attempt + 1), 800 * attempt);
|
||||||
|
}
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
const accounts = await (rawProvider as { request: (args: { method: string }) => Promise<string[]> }).request({
|
||||||
|
method: "eth_accounts", // Silent — no popup
|
||||||
|
});
|
||||||
|
if (cancelled) return;
|
||||||
|
if (accounts && accounts.length > 0) {
|
||||||
|
const partial = await buildWalletState(rawProvider, accounts[0]);
|
||||||
|
if (!cancelled && mountedRef.current) {
|
||||||
|
setState({ ...INITIAL_STATE, ...partial });
|
||||||
|
}
|
||||||
|
} else if (attempt < 3) {
|
||||||
|
retryRef.current = setTimeout(() => tryAutoDetect(attempt + 1), 1000 * attempt);
|
||||||
|
}
|
||||||
|
} catch {
|
||||||
|
// Silently ignore — user hasn't connected yet
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
retryRef.current = setTimeout(() => tryAutoDetect(1), 300);
|
||||||
|
|
||||||
|
return () => {
|
||||||
|
cancelled = true;
|
||||||
|
if (retryRef.current) clearTimeout(retryRef.current);
|
||||||
|
};
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// ── Listen for account / chain changes ─────────────────────────────────────
|
||||||
|
useEffect(() => {
|
||||||
|
const rawProvider = detectProvider();
|
||||||
|
if (!rawProvider) return;
|
||||||
|
|
||||||
|
const eth = rawProvider as {
|
||||||
|
on?: (event: string, handler: (data: unknown) => void) => void;
|
||||||
|
removeListener?: (event: string, handler: (data: unknown) => void) => void;
|
||||||
|
};
|
||||||
|
if (!eth.on) return;
|
||||||
|
|
||||||
|
const handleAccountsChanged = async (accounts: unknown) => {
|
||||||
|
const accs = accounts as string[];
|
||||||
|
if (!mountedRef.current) return;
|
||||||
|
if (!accs || accs.length === 0) {
|
||||||
|
setState(INITIAL_STATE);
|
||||||
|
} else {
|
||||||
|
try {
|
||||||
|
const partial = await buildWalletState(rawProvider, accs[0]);
|
||||||
|
if (mountedRef.current) setState({ ...INITIAL_STATE, ...partial });
|
||||||
|
} catch {
|
||||||
|
if (mountedRef.current) {
|
||||||
|
setState(s => ({
|
||||||
|
...s,
|
||||||
|
address: accs[0],
|
||||||
|
shortAddress: shortenAddress(accs[0]),
|
||||||
|
isConnected: true,
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleChainChanged = async () => {
|
||||||
|
if (!mountedRef.current) return;
|
||||||
|
try {
|
||||||
|
const provider = new BrowserProvider(rawProvider);
|
||||||
|
const network = await provider.getNetwork();
|
||||||
|
let signer: JsonRpcSigner | null = null;
|
||||||
|
try { signer = await provider.getSigner(); } catch { /* ignore */ }
|
||||||
|
if (mountedRef.current) {
|
||||||
|
setState(s => ({
|
||||||
|
...s,
|
||||||
|
chainId: Number(network.chainId),
|
||||||
|
provider,
|
||||||
|
signer,
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
} catch {
|
||||||
|
window.location.reload();
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
eth.on("accountsChanged", handleAccountsChanged);
|
||||||
|
eth.on("chainChanged", handleChainChanged);
|
||||||
|
|
||||||
|
return () => {
|
||||||
|
if (eth.removeListener) {
|
||||||
|
eth.removeListener("accountsChanged", handleAccountsChanged);
|
||||||
|
eth.removeListener("chainChanged", handleChainChanged);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return { ...state, connect, forceConnect, disconnect, switchNetwork };
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,334 @@
|
||||||
|
@import "tailwindcss";
|
||||||
|
@import "tw-animate-css";
|
||||||
|
|
||||||
|
@custom-variant dark (&:is(.dark *));
|
||||||
|
|
||||||
|
/* ============================================================
|
||||||
|
NAC XIC Token Presale — Global Theme
|
||||||
|
Design: Dark Cyberpunk / Quantum Finance
|
||||||
|
Colors: Amber Gold #f0b429 | Quantum Blue #00d4ff | Deep Black #0a0a0f
|
||||||
|
Fonts: Space Grotesk (headings) | JetBrains Mono (numbers) | DM Sans (body)
|
||||||
|
============================================================ */
|
||||||
|
|
||||||
|
@theme inline {
|
||||||
|
--radius-sm: calc(var(--radius) - 4px);
|
||||||
|
--radius-md: calc(var(--radius) - 2px);
|
||||||
|
--radius-lg: var(--radius);
|
||||||
|
--radius-xl: calc(var(--radius) + 4px);
|
||||||
|
--color-background: var(--background);
|
||||||
|
--color-foreground: var(--foreground);
|
||||||
|
--color-card: var(--card);
|
||||||
|
--color-card-foreground: var(--card-foreground);
|
||||||
|
--color-popover: var(--popover);
|
||||||
|
--color-popover-foreground: var(--popover-foreground);
|
||||||
|
--color-primary: var(--primary);
|
||||||
|
--color-primary-foreground: var(--primary-foreground);
|
||||||
|
--color-secondary: var(--secondary);
|
||||||
|
--color-secondary-foreground: var(--secondary-foreground);
|
||||||
|
--color-muted: var(--muted);
|
||||||
|
--color-muted-foreground: var(--muted-foreground);
|
||||||
|
--color-accent: var(--accent);
|
||||||
|
--color-accent-foreground: var(--accent-foreground);
|
||||||
|
--color-destructive: var(--destructive);
|
||||||
|
--color-destructive-foreground: var(--destructive-foreground);
|
||||||
|
--color-border: var(--border);
|
||||||
|
--color-input: var(--input);
|
||||||
|
--color-ring: var(--ring);
|
||||||
|
--color-chart-1: var(--chart-1);
|
||||||
|
--color-chart-2: var(--chart-2);
|
||||||
|
--color-chart-3: var(--chart-3);
|
||||||
|
--color-chart-4: var(--chart-4);
|
||||||
|
--color-chart-5: var(--chart-5);
|
||||||
|
--color-sidebar: var(--sidebar);
|
||||||
|
--color-sidebar-foreground: var(--sidebar-foreground);
|
||||||
|
--color-sidebar-primary: var(--sidebar-primary);
|
||||||
|
--color-sidebar-primary-foreground: var(--sidebar-primary-foreground);
|
||||||
|
--color-sidebar-accent: var(--sidebar-accent);
|
||||||
|
--color-sidebar-accent-foreground: var(--sidebar-accent-foreground);
|
||||||
|
--color-sidebar-border: var(--sidebar-border);
|
||||||
|
--color-sidebar-ring: var(--sidebar-ring);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Dark theme — NAC Cyberpunk palette */
|
||||||
|
:root {
|
||||||
|
--radius: 0.75rem;
|
||||||
|
--background: oklch(0.08 0.005 280);
|
||||||
|
--foreground: oklch(0.92 0.005 80);
|
||||||
|
--card: oklch(0.11 0.006 280);
|
||||||
|
--card-foreground: oklch(0.92 0.005 80);
|
||||||
|
--popover: oklch(0.11 0.006 280);
|
||||||
|
--popover-foreground: oklch(0.92 0.005 80);
|
||||||
|
--primary: oklch(0.78 0.18 75); /* Amber Gold */
|
||||||
|
--primary-foreground: oklch(0.08 0.005 280);
|
||||||
|
--secondary: oklch(0.15 0.006 280);
|
||||||
|
--secondary-foreground: oklch(0.75 0.005 80);
|
||||||
|
--muted: oklch(0.15 0.006 280);
|
||||||
|
--muted-foreground: oklch(0.55 0.01 280);
|
||||||
|
--accent: oklch(0.7 0.2 210); /* Quantum Blue */
|
||||||
|
--accent-foreground: oklch(0.08 0.005 280);
|
||||||
|
--destructive: oklch(0.65 0.22 25);
|
||||||
|
--destructive-foreground: oklch(0.985 0 0);
|
||||||
|
--border: oklch(1 0 0 / 8%);
|
||||||
|
--input: oklch(1 0 0 / 10%);
|
||||||
|
--ring: oklch(0.78 0.18 75);
|
||||||
|
--chart-1: oklch(0.78 0.18 75);
|
||||||
|
--chart-2: oklch(0.7 0.2 210);
|
||||||
|
--chart-3: oklch(0.65 0.22 25);
|
||||||
|
--chart-4: oklch(0.75 0.15 150);
|
||||||
|
--chart-5: oklch(0.7 0.18 300);
|
||||||
|
--sidebar: oklch(0.11 0.006 280);
|
||||||
|
--sidebar-foreground: oklch(0.92 0.005 80);
|
||||||
|
--sidebar-primary: oklch(0.78 0.18 75);
|
||||||
|
--sidebar-primary-foreground: oklch(0.08 0.005 280);
|
||||||
|
--sidebar-accent: oklch(0.15 0.006 280);
|
||||||
|
--sidebar-accent-foreground: oklch(0.92 0.005 80);
|
||||||
|
--sidebar-border: oklch(1 0 0 / 8%);
|
||||||
|
--sidebar-ring: oklch(0.78 0.18 75);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Force dark mode globally */
|
||||||
|
.dark {
|
||||||
|
--background: oklch(0.08 0.005 280);
|
||||||
|
--foreground: oklch(0.92 0.005 80);
|
||||||
|
--card: oklch(0.11 0.006 280);
|
||||||
|
--card-foreground: oklch(0.92 0.005 80);
|
||||||
|
}
|
||||||
|
|
||||||
|
@layer base {
|
||||||
|
* {
|
||||||
|
@apply border-border outline-ring/50;
|
||||||
|
}
|
||||||
|
html {
|
||||||
|
color-scheme: dark;
|
||||||
|
}
|
||||||
|
body {
|
||||||
|
@apply bg-background text-foreground;
|
||||||
|
font-family: 'DM Sans', system-ui, sans-serif;
|
||||||
|
background-color: #0a0a0f;
|
||||||
|
color: rgba(255, 255, 255, 0.87);
|
||||||
|
-webkit-font-smoothing: antialiased;
|
||||||
|
}
|
||||||
|
button:not(:disabled),
|
||||||
|
[role="button"]:not([aria-disabled="true"]),
|
||||||
|
a[href] {
|
||||||
|
@apply cursor-pointer;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@layer components {
|
||||||
|
.container {
|
||||||
|
width: 100%;
|
||||||
|
margin-left: auto;
|
||||||
|
margin-right: auto;
|
||||||
|
padding-left: 1rem;
|
||||||
|
padding-right: 1rem;
|
||||||
|
}
|
||||||
|
.flex {
|
||||||
|
min-height: 0;
|
||||||
|
min-width: 0;
|
||||||
|
}
|
||||||
|
@media (min-width: 640px) {
|
||||||
|
.container { padding-left: 1.5rem; padding-right: 1.5rem; }
|
||||||
|
}
|
||||||
|
@media (min-width: 1024px) {
|
||||||
|
.container { padding-left: 2rem; padding-right: 2rem; max-width: 1280px; }
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── NAC Card ── */
|
||||||
|
.nac-card {
|
||||||
|
background: rgba(255, 255, 255, 0.03);
|
||||||
|
border: 1px solid rgba(255, 255, 255, 0.07);
|
||||||
|
backdrop-filter: blur(8px);
|
||||||
|
transition: border-color 0.2s ease;
|
||||||
|
}
|
||||||
|
.nac-card:hover {
|
||||||
|
border-color: rgba(240, 180, 41, 0.15);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── NAC Card Blue ── */
|
||||||
|
.nac-card-blue {
|
||||||
|
background: rgba(0, 212, 255, 0.04);
|
||||||
|
border: 1px solid rgba(0, 212, 255, 0.15);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Amber Glow Effect ── */
|
||||||
|
.amber-glow {
|
||||||
|
box-shadow: 0 0 40px rgba(240, 180, 41, 0.06), 0 0 80px rgba(240, 180, 41, 0.03);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Amber Text Glow ── */
|
||||||
|
.amber-text-glow {
|
||||||
|
text-shadow: 0 0 20px rgba(240, 180, 41, 0.4);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Counter / Monospace Numbers ── */
|
||||||
|
.counter-digit {
|
||||||
|
font-family: 'JetBrains Mono', 'Courier New', monospace;
|
||||||
|
font-variant-numeric: tabular-nums;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── TRC20 Address Display ── */
|
||||||
|
.trc20-address {
|
||||||
|
font-family: 'JetBrains Mono', monospace;
|
||||||
|
font-size: 0.7rem;
|
||||||
|
word-break: break-all;
|
||||||
|
color: rgba(0, 212, 255, 0.9);
|
||||||
|
line-height: 1.6;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Primary Button ── */
|
||||||
|
.btn-primary-nac {
|
||||||
|
background: linear-gradient(135deg, #f0b429 0%, #ffd700 50%, #f0b429 100%);
|
||||||
|
color: #0a0a0f;
|
||||||
|
font-weight: 700;
|
||||||
|
border: none;
|
||||||
|
transition: all 0.2s ease;
|
||||||
|
position: relative;
|
||||||
|
overflow: hidden;
|
||||||
|
}
|
||||||
|
.btn-primary-nac::before {
|
||||||
|
content: '';
|
||||||
|
position: absolute;
|
||||||
|
inset: 0;
|
||||||
|
background: linear-gradient(135deg, rgba(255,255,255,0.15) 0%, transparent 100%);
|
||||||
|
opacity: 0;
|
||||||
|
transition: opacity 0.2s;
|
||||||
|
}
|
||||||
|
.btn-primary-nac:hover:not(:disabled)::before { opacity: 1; }
|
||||||
|
.btn-primary-nac:hover:not(:disabled) {
|
||||||
|
transform: translateY(-1px);
|
||||||
|
box-shadow: 0 8px 24px rgba(240, 180, 41, 0.35);
|
||||||
|
}
|
||||||
|
.btn-primary-nac:active:not(:disabled) { transform: translateY(0); }
|
||||||
|
.btn-primary-nac:disabled {
|
||||||
|
opacity: 0.4;
|
||||||
|
cursor: not-allowed;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Secondary Button ── */
|
||||||
|
.btn-secondary-nac {
|
||||||
|
background: rgba(240, 180, 41, 0.1);
|
||||||
|
color: #f0b429;
|
||||||
|
border: 1px solid rgba(240, 180, 41, 0.3);
|
||||||
|
font-weight: 600;
|
||||||
|
transition: all 0.2s ease;
|
||||||
|
}
|
||||||
|
.btn-secondary-nac:hover {
|
||||||
|
background: rgba(240, 180, 41, 0.18);
|
||||||
|
border-color: rgba(240, 180, 41, 0.5);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Input Field ── */
|
||||||
|
.input-nac {
|
||||||
|
background: rgba(255, 255, 255, 0.04);
|
||||||
|
border: 1px solid rgba(255, 255, 255, 0.1);
|
||||||
|
color: rgba(255, 255, 255, 0.9);
|
||||||
|
outline: none;
|
||||||
|
transition: border-color 0.2s ease, box-shadow 0.2s ease;
|
||||||
|
}
|
||||||
|
.input-nac:focus {
|
||||||
|
border-color: rgba(240, 180, 41, 0.5);
|
||||||
|
box-shadow: 0 0 0 3px rgba(240, 180, 41, 0.08);
|
||||||
|
}
|
||||||
|
.input-nac::placeholder { color: rgba(255, 255, 255, 0.25); }
|
||||||
|
.input-nac::-webkit-inner-spin-button,
|
||||||
|
.input-nac::-webkit-outer-spin-button { -webkit-appearance: none; }
|
||||||
|
|
||||||
|
/* ── Network Tab ── */
|
||||||
|
.network-tab {
|
||||||
|
background: rgba(255, 255, 255, 0.03);
|
||||||
|
border: 1px solid rgba(255, 255, 255, 0.07);
|
||||||
|
color: rgba(255, 255, 255, 0.55);
|
||||||
|
transition: all 0.2s ease;
|
||||||
|
cursor: pointer;
|
||||||
|
}
|
||||||
|
.network-tab:hover {
|
||||||
|
background: rgba(240, 180, 41, 0.06);
|
||||||
|
border-color: rgba(240, 180, 41, 0.2);
|
||||||
|
color: rgba(255, 255, 255, 0.8);
|
||||||
|
}
|
||||||
|
.network-tab.active {
|
||||||
|
background: rgba(240, 180, 41, 0.1);
|
||||||
|
border-color: rgba(240, 180, 41, 0.4);
|
||||||
|
color: #f0b429;
|
||||||
|
box-shadow: 0 0 16px rgba(240, 180, 41, 0.12);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Progress Bar ── */
|
||||||
|
.progress-bar-animated {
|
||||||
|
background: linear-gradient(90deg, #f0b429, #ffd700, #f0b429);
|
||||||
|
background-size: 200% 100%;
|
||||||
|
animation: shimmer 2s linear infinite;
|
||||||
|
box-shadow: 0 0 12px rgba(240, 180, 41, 0.4);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Step Number Badge ── */
|
||||||
|
.step-num {
|
||||||
|
width: 22px;
|
||||||
|
height: 22px;
|
||||||
|
min-width: 22px;
|
||||||
|
border-radius: 50%;
|
||||||
|
background: rgba(240, 180, 41, 0.15);
|
||||||
|
border: 1px solid rgba(240, 180, 41, 0.4);
|
||||||
|
color: #f0b429;
|
||||||
|
font-size: 0.7rem;
|
||||||
|
font-weight: 700;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
font-family: 'Space Grotesk', sans-serif;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Hex Background Pattern ── */
|
||||||
|
.hex-bg {
|
||||||
|
background-image: radial-gradient(circle at 20% 50%, rgba(240, 180, 41, 0.04) 0%, transparent 50%),
|
||||||
|
radial-gradient(circle at 80% 20%, rgba(0, 212, 255, 0.04) 0%, transparent 50%);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Scan Line Effect ── */
|
||||||
|
.scan-line {
|
||||||
|
position: relative;
|
||||||
|
overflow: hidden;
|
||||||
|
}
|
||||||
|
.scan-line::after {
|
||||||
|
content: '';
|
||||||
|
position: absolute;
|
||||||
|
top: -100%;
|
||||||
|
left: 0;
|
||||||
|
right: 0;
|
||||||
|
height: 2px;
|
||||||
|
background: linear-gradient(90deg, transparent, rgba(240, 180, 41, 0.3), transparent);
|
||||||
|
animation: scan 4s linear infinite;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Pulse Amber ── */
|
||||||
|
.pulse-amber {
|
||||||
|
animation: pulseAmber 2s ease-in-out infinite;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Fade In Up ── */
|
||||||
|
.fade-in-up {
|
||||||
|
animation: fadeInUp 0.6s ease-out;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ── Keyframes ── */
|
||||||
|
@keyframes shimmer {
|
||||||
|
0% { background-position: 200% 0; }
|
||||||
|
100% { background-position: -200% 0; }
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes scan {
|
||||||
|
0% { top: -2px; }
|
||||||
|
100% { top: 102%; }
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes pulseAmber {
|
||||||
|
0%, 100% { box-shadow: 0 4px 20px rgba(240, 180, 41, 0.25); }
|
||||||
|
50% { box-shadow: 0 4px 32px rgba(240, 180, 41, 0.5); }
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes fadeInUp {
|
||||||
|
from { opacity: 0; transform: translateY(16px); }
|
||||||
|
to { opacity: 1; transform: translateY(0); }
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,377 @@
|
||||||
|
// NAC XIC Token Presale — Contract Configuration v2
|
||||||
|
// New Contract: XICPresale (购买即时发放版本)
|
||||||
|
// 预售总量: 25亿 XIC | 价格: $0.02/XIC | 时长: 180天 | 无购买上下限
|
||||||
|
|
||||||
|
// ============================================================
|
||||||
|
// CONTRACT ADDRESSES
|
||||||
|
// ============================================================
|
||||||
|
export const CONTRACTS = {
|
||||||
|
// BSC Mainnet (Chain ID: 56)
|
||||||
|
BSC: {
|
||||||
|
chainId: 56,
|
||||||
|
chainName: "BNB Smart Chain",
|
||||||
|
rpcUrl: "https://bsc-dataseed1.binance.org/",
|
||||||
|
explorerUrl: "https://bscscan.com",
|
||||||
|
nativeCurrency: { name: "BNB", symbol: "BNB", decimals: 18 },
|
||||||
|
// ⚠️ 新合约地址(部署后更新此处)
|
||||||
|
presale: "0x5953c025dA734e710886916F2d739A3A78f8bbc4",
|
||||||
|
token: "0x59FF34dD59680a7125782b1f6df2A86ed46F5A24",
|
||||||
|
usdt: "0x55d398326f99059fF775485246999027B3197955",
|
||||||
|
},
|
||||||
|
// Ethereum Mainnet (Chain ID: 1)
|
||||||
|
ETH: {
|
||||||
|
chainId: 1,
|
||||||
|
chainName: "Ethereum",
|
||||||
|
rpcUrl: "https://eth.llamarpc.com",
|
||||||
|
explorerUrl: "https://etherscan.io",
|
||||||
|
nativeCurrency: { name: "Ether", symbol: "ETH", decimals: 18 },
|
||||||
|
presale: "0x85AB2F2d9f7ca7ecB272b5E8726c70f3fd45D1E3",
|
||||||
|
token: "",
|
||||||
|
usdt: "0xdAC17F958D2ee523a2206206994597C13D831ec7",
|
||||||
|
},
|
||||||
|
// TRON (TRC20) — Manual transfer
|
||||||
|
TRON: {
|
||||||
|
chainId: 0,
|
||||||
|
chainName: "TRON",
|
||||||
|
explorerUrl: "https://tronscan.org",
|
||||||
|
presale: "",
|
||||||
|
token: "",
|
||||||
|
usdt: "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t",
|
||||||
|
receivingWallet: "TYASr5UV6HEcXatwdFyffSGZszd6Gkjkvb",
|
||||||
|
},
|
||||||
|
} as const;
|
||||||
|
|
||||||
|
// ============================================================
|
||||||
|
// PRESALE PARAMETERS
|
||||||
|
// ============================================================
|
||||||
|
export const PRESALE_CONFIG = {
|
||||||
|
tokenPrice: 0.02, // $0.02 per XIC
|
||||||
|
tokenSymbol: "XIC",
|
||||||
|
tokenName: "New AssetChain Token",
|
||||||
|
tokenDecimals: 18,
|
||||||
|
minPurchaseUSDT: 0, // 无最小购买限制
|
||||||
|
maxPurchaseUSDT: 0, // 无最大购买限制(0 = 无限制)
|
||||||
|
totalSupply: 100_000_000_000, // 1000亿 XIC 总量
|
||||||
|
presaleAllocation: 2_500_000_000, // 25亿 XIC 预售总量
|
||||||
|
presaleDurationDays: 180, // 预售时长 180天
|
||||||
|
trc20Memo: "XIC_PRESALE",
|
||||||
|
};
|
||||||
|
|
||||||
|
// ============================================================
|
||||||
|
// NEW PRESALE CONTRACT ABI (XICPresale v2 — 购买即时发放)
|
||||||
|
// ============================================================
|
||||||
|
export const PRESALE_ABI = [
|
||||||
|
// ── Read Functions ──────────────────────────────────────
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "PRESALE_DURATION",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "availableXIC",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [{ "internalType": "uint256", "name": "usdtAmount", "type": "uint256" }],
|
||||||
|
"name": "calculateTokenAmount",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [{ "internalType": "uint256", "name": "bnbAmount", "type": "uint256" }],
|
||||||
|
"name": "calculateTokenAmountForBNB",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "getBNBPrice",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "hardCap",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "isPresaleActive",
|
||||||
|
"outputs": [{ "internalType": "bool", "name": "", "type": "bool" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "owner",
|
||||||
|
"outputs": [{ "internalType": "address", "name": "", "type": "address" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "presaleEndTime",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "presalePaused",
|
||||||
|
"outputs": [{ "internalType": "bool", "name": "", "type": "bool" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "presaleProgress",
|
||||||
|
"outputs": [
|
||||||
|
{ "internalType": "uint256", "name": "sold", "type": "uint256" },
|
||||||
|
{ "internalType": "uint256", "name": "cap", "type": "uint256" },
|
||||||
|
{ "internalType": "uint256", "name": "progressBps", "type": "uint256" }
|
||||||
|
],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "presaleStartTime",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "presaleStarted",
|
||||||
|
"outputs": [{ "internalType": "bool", "name": "", "type": "bool" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "timeRemaining",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "tokenPrice",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "totalRaised",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "totalTokensSold",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [{ "internalType": "address", "name": "", "type": "address" }],
|
||||||
|
"name": "userPurchases",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [{ "internalType": "address", "name": "", "type": "address" }],
|
||||||
|
"name": "userSpent",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "wallet",
|
||||||
|
"outputs": [{ "internalType": "address", "name": "", "type": "address" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "xicToken",
|
||||||
|
"outputs": [{ "internalType": "address", "name": "", "type": "address" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
// ── Write Functions ─────────────────────────────────────
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "buyWithBNB",
|
||||||
|
"outputs": [],
|
||||||
|
"stateMutability": "payable",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [{ "internalType": "uint256", "name": "usdtAmount", "type": "uint256" }],
|
||||||
|
"name": "buyWithUSDT",
|
||||||
|
"outputs": [],
|
||||||
|
"stateMutability": "nonpayable",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "startPresale",
|
||||||
|
"outputs": [],
|
||||||
|
"stateMutability": "nonpayable",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [{ "internalType": "bool", "name": "_paused", "type": "bool" }],
|
||||||
|
"name": "setPaused",
|
||||||
|
"outputs": [],
|
||||||
|
"stateMutability": "nonpayable",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "recoverUnsoldTokens",
|
||||||
|
"outputs": [],
|
||||||
|
"stateMutability": "nonpayable",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [{ "internalType": "address", "name": "token", "type": "address" }, { "internalType": "uint256", "name": "amount", "type": "uint256" }],
|
||||||
|
"name": "emergencyWithdraw",
|
||||||
|
"outputs": [],
|
||||||
|
"stateMutability": "nonpayable",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
// ── Events ──────────────────────────────────────────────
|
||||||
|
{
|
||||||
|
"anonymous": false,
|
||||||
|
"inputs": [
|
||||||
|
{ "indexed": true, "internalType": "address", "name": "buyer", "type": "address" },
|
||||||
|
{ "indexed": false, "internalType": "uint256", "name": "usdtAmount", "type": "uint256" },
|
||||||
|
{ "indexed": false, "internalType": "uint256", "name": "tokenAmount", "type": "uint256" },
|
||||||
|
{ "indexed": false, "internalType": "string", "name": "paymentMethod", "type": "string" }
|
||||||
|
],
|
||||||
|
"name": "TokensPurchased",
|
||||||
|
"type": "event"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"anonymous": false,
|
||||||
|
"inputs": [
|
||||||
|
{ "indexed": false, "internalType": "uint256", "name": "startTime", "type": "uint256" },
|
||||||
|
{ "indexed": false, "internalType": "uint256", "name": "endTime", "type": "uint256" }
|
||||||
|
],
|
||||||
|
"name": "PresaleStarted",
|
||||||
|
"type": "event"
|
||||||
|
}
|
||||||
|
] as const;
|
||||||
|
|
||||||
|
// ============================================================
|
||||||
|
// ERC20 USDT ABI (minimal)
|
||||||
|
// ============================================================
|
||||||
|
export const ERC20_ABI = [
|
||||||
|
{
|
||||||
|
"inputs": [
|
||||||
|
{ "internalType": "address", "name": "spender", "type": "address" },
|
||||||
|
{ "internalType": "uint256", "name": "amount", "type": "uint256" }
|
||||||
|
],
|
||||||
|
"name": "approve",
|
||||||
|
"outputs": [{ "internalType": "bool", "name": "", "type": "bool" }],
|
||||||
|
"stateMutability": "nonpayable",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [
|
||||||
|
{ "internalType": "address", "name": "owner", "type": "address" },
|
||||||
|
{ "internalType": "address", "name": "spender", "type": "address" }
|
||||||
|
],
|
||||||
|
"name": "allowance",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [{ "internalType": "address", "name": "account", "type": "address" }],
|
||||||
|
"name": "balanceOf",
|
||||||
|
"outputs": [{ "internalType": "uint256", "name": "", "type": "uint256" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"inputs": [],
|
||||||
|
"name": "decimals",
|
||||||
|
"outputs": [{ "internalType": "uint8", "name": "", "type": "uint8" }],
|
||||||
|
"stateMutability": "view",
|
||||||
|
"type": "function"
|
||||||
|
}
|
||||||
|
] as const;
|
||||||
|
|
||||||
|
// ============================================================
|
||||||
|
// NETWORK SWITCH HELPER
|
||||||
|
// ============================================================
|
||||||
|
export async function switchToNetwork(chainId: number): Promise<void> {
|
||||||
|
if (!window.ethereum) throw new Error("No wallet detected");
|
||||||
|
const hexChainId = "0x" + chainId.toString(16);
|
||||||
|
try {
|
||||||
|
await window.ethereum.request({
|
||||||
|
method: "wallet_switchEthereumChain",
|
||||||
|
params: [{ chainId: hexChainId }],
|
||||||
|
});
|
||||||
|
} catch (err: unknown) {
|
||||||
|
if ((err as { code?: number }).code === 4902) {
|
||||||
|
const network = Object.values(CONTRACTS).find(n => n.chainId === chainId);
|
||||||
|
if (!network || !("rpcUrl" in network)) throw new Error("Unknown network");
|
||||||
|
await window.ethereum.request({
|
||||||
|
method: "wallet_addEthereumChain",
|
||||||
|
params: [{
|
||||||
|
chainId: hexChainId,
|
||||||
|
chainName: network.chainName,
|
||||||
|
rpcUrls: [(network as { rpcUrl: string }).rpcUrl],
|
||||||
|
nativeCurrency: (network as { nativeCurrency: { name: string; symbol: string; decimals: number } }).nativeCurrency,
|
||||||
|
blockExplorerUrls: [network.explorerUrl],
|
||||||
|
}],
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
throw err;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ============================================================
|
||||||
|
// FORMAT HELPERS
|
||||||
|
// ============================================================
|
||||||
|
export function formatNumber(n: number, decimals = 2): string {
|
||||||
|
if (n >= 1_000_000_000) return (n / 1_000_000_000).toFixed(decimals) + "B";
|
||||||
|
if (n >= 1_000_000) return (n / 1_000_000).toFixed(decimals) + "M";
|
||||||
|
if (n >= 1_000) return (n / 1_000).toFixed(decimals) + "K";
|
||||||
|
return n.toFixed(decimals);
|
||||||
|
}
|
||||||
|
|
||||||
|
export function shortenAddress(addr: string): string {
|
||||||
|
if (!addr) return "";
|
||||||
|
return addr.slice(0, 6) + "..." + addr.slice(-4);
|
||||||
|
}
|
||||||
|
|
||||||
|
declare global {
|
||||||
|
interface Window {
|
||||||
|
ethereum?: {
|
||||||
|
request: (args: { method: string; params?: unknown[] }) => Promise<unknown>;
|
||||||
|
on: (event: string, handler: (...args: unknown[]) => void) => void;
|
||||||
|
removeListener: (event: string, handler: (...args: unknown[]) => void) => void;
|
||||||
|
isMetaMask?: boolean;
|
||||||
|
};
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,351 @@
|
||||||
|
/**
|
||||||
|
* i18n translations for NAC XIC Presale
|
||||||
|
* Supports: English (en) | Chinese Simplified (zh)
|
||||||
|
*/
|
||||||
|
|
||||||
|
export type Lang = "en" | "zh";
|
||||||
|
|
||||||
|
export const translations = {
|
||||||
|
en: {
|
||||||
|
// Nav
|
||||||
|
nav_website: "Website",
|
||||||
|
nav_explorer: "Explorer",
|
||||||
|
nav_docs: "Docs",
|
||||||
|
nav_connect: "Connect Wallet",
|
||||||
|
nav_connecting: "Connecting...",
|
||||||
|
nav_disconnect: "Disconnect",
|
||||||
|
nav_connected: "Connected Wallet",
|
||||||
|
|
||||||
|
// Hero
|
||||||
|
hero_badge: "Presale is LIVE",
|
||||||
|
hero_title: "XIC Token Presale",
|
||||||
|
hero_subtitle:
|
||||||
|
"New AssetChain — The next-generation RWA native blockchain with AI-native compliance, CBPP consensus, and Charter smart contracts.",
|
||||||
|
hero_price: "$0.02 per XIC",
|
||||||
|
hero_supply: "100B Total Supply",
|
||||||
|
hero_networks: "BSC · ETH · TRC20",
|
||||||
|
hero_no_min: "No Minimum Purchase",
|
||||||
|
|
||||||
|
// Stats
|
||||||
|
stats_ends_in: "Presale Ends In",
|
||||||
|
stats_days: "Days",
|
||||||
|
stats_hours: "Hours",
|
||||||
|
stats_mins: "Mins",
|
||||||
|
stats_secs: "Secs",
|
||||||
|
stats_raised: "Funds Raised",
|
||||||
|
stats_raised_label: "Raised",
|
||||||
|
stats_hard_cap: "Hard Cap",
|
||||||
|
stats_tokens_sold: "Tokens Sold",
|
||||||
|
stats_participants: "Participants",
|
||||||
|
stats_wallets: "Wallets",
|
||||||
|
stats_token_price: "Token Price",
|
||||||
|
stats_listing: "Listing Price",
|
||||||
|
stats_target: "Target",
|
||||||
|
stats_live_feed: "Live Purchase Feed",
|
||||||
|
stats_live: "Live",
|
||||||
|
|
||||||
|
// Token Details
|
||||||
|
token_details: "Token Details",
|
||||||
|
token_name: "Name",
|
||||||
|
token_symbol: "Symbol",
|
||||||
|
token_network: "Network",
|
||||||
|
token_decimals: "Decimals",
|
||||||
|
token_supply: "Total Supply",
|
||||||
|
token_view_contract: "View Token Contract →",
|
||||||
|
|
||||||
|
// Purchase
|
||||||
|
buy_title: "Buy XIC Tokens",
|
||||||
|
buy_subtitle: "1 XIC =",
|
||||||
|
buy_no_min: "No Minimum",
|
||||||
|
buy_select_network: "Select Network",
|
||||||
|
buy_usdt_amount: "USDT Amount",
|
||||||
|
buy_usdt_trc20: "USDT Amount (TRC20)",
|
||||||
|
buy_placeholder: "Enter any USDT amount",
|
||||||
|
buy_you_receive: "You receive",
|
||||||
|
buy_price_per: "Price per token",
|
||||||
|
buy_step1: "Approve USDT",
|
||||||
|
buy_step2: "Confirm Purchase",
|
||||||
|
buy_btn: "Buy",
|
||||||
|
buy_approving: "Approving USDT...",
|
||||||
|
buy_approved: "Approved! Buying...",
|
||||||
|
buy_processing: "Processing...",
|
||||||
|
buy_max: "Max:",
|
||||||
|
buy_no_min_max: "No minimum · Max:",
|
||||||
|
buy_success_title: "Purchase Successful!",
|
||||||
|
buy_success_msg: "You received",
|
||||||
|
buy_success_tokens: "XIC tokens",
|
||||||
|
buy_view_explorer: "View on Explorer →",
|
||||||
|
buy_more: "Buy More",
|
||||||
|
buy_balance: "Balance:",
|
||||||
|
buy_wrong_network: "Wrong Network",
|
||||||
|
buy_wrong_msg: "Please switch to",
|
||||||
|
buy_switch: "Switch to",
|
||||||
|
buy_connect_msg: "Connect your wallet to purchase XIC tokens with USDT",
|
||||||
|
buy_connect_btn: "Connect Wallet",
|
||||||
|
buy_connect_hint: "Supports MetaMask, Trust Wallet, and all EVM-compatible wallets",
|
||||||
|
buy_contracts: "Verified Presale Contracts",
|
||||||
|
buy_bsc_contract: "BSC Contract ↗",
|
||||||
|
buy_eth_contract: "ETH Contract ↗",
|
||||||
|
|
||||||
|
// TRC20
|
||||||
|
trc20_send_to: "Send TRC20 USDT to this address:",
|
||||||
|
trc20_copy: "Copy Address",
|
||||||
|
trc20_copied: "✓ Copied!",
|
||||||
|
trc20_step1: "Send",
|
||||||
|
trc20_step1b: "USDT (TRC20) to the address above",
|
||||||
|
trc20_step1_any: "any amount of USDT",
|
||||||
|
trc20_step2: "Include memo:",
|
||||||
|
trc20_step2b: "(optional but recommended)",
|
||||||
|
trc20_step3: "You will receive",
|
||||||
|
trc20_step3b: "XIC tokens after confirmation (1-24h)",
|
||||||
|
trc20_step3_any: "You will receive XIC tokens proportional to your USDT amount after confirmation (1-24h)",
|
||||||
|
trc20_step4: "Contact support with your TX hash if tokens are not received within 24 hours",
|
||||||
|
trc20_warning: "⚠️ Only send USDT on the TRON network (TRC20). Sending other tokens or using a different network will result in permanent loss.",
|
||||||
|
|
||||||
|
// Why NAC
|
||||||
|
why_rwa_title: "Native RWA Chain",
|
||||||
|
why_rwa_desc: "Purpose-built for Real World Asset tokenization with AI-native compliance",
|
||||||
|
why_cbpp_title: "CBPP Consensus",
|
||||||
|
why_cbpp_desc: "Constitutional Block Production Protocol — next-gen consensus beyond PoS/PoW",
|
||||||
|
why_charter_title: "Charter Contracts",
|
||||||
|
why_charter_desc: "NAC-native smart contract language with built-in regulatory compliance",
|
||||||
|
|
||||||
|
// FAQ
|
||||||
|
faq_title: "Frequently Asked Questions",
|
||||||
|
faq_subtitle: "Everything you need to know about the XIC Token presale and New AssetChain ecosystem.",
|
||||||
|
faq_still: "Still have questions?",
|
||||||
|
faq_ask: "Ask on Telegram",
|
||||||
|
faq: [
|
||||||
|
{
|
||||||
|
q: "What is XIC Token?",
|
||||||
|
a: "XIC is the native utility token of New AssetChain (NAC), a purpose-built RWA (Real World Asset) blockchain featuring AI-native compliance, CBPP consensus, and Charter smart contracts. XIC powers governance, transaction fees, and staking within the NAC ecosystem.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "What is the presale price?",
|
||||||
|
a: "The presale price is $0.02 USD per XIC token. The projected listing price is $0.10 USD, representing a 5x potential return for presale participants.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "Which payment methods are supported?",
|
||||||
|
a: "We accept USDT on three networks: BSC (BEP-20), Ethereum (ERC-20), and TRON (TRC-20). For BSC and ETH, connect your MetaMask or compatible EVM wallet. For TRC-20, send USDT directly to our receiving address.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "Is there a minimum purchase amount?",
|
||||||
|
a: "No, there is no minimum purchase amount. You can buy any amount of XIC tokens starting from any USDT value. The maximum single purchase is $50,000 USDT.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "When will I receive my XIC tokens?",
|
||||||
|
a: "For BSC and ETH purchases, tokens are distributed immediately after the transaction is confirmed on-chain. For TRC-20 manual transfers, token distribution occurs within 1–24 hours after confirmation.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "When will XIC be listed on exchanges?",
|
||||||
|
a: "XIC is planned for listing on major centralized and decentralized exchanges following the presale completion. The target listing price is $0.10 USD. Specific exchange announcements will be made through our official Telegram and Twitter channels.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "Is the presale contract audited?",
|
||||||
|
a: "Yes. Both the BSC and ETH presale contracts are verified on their respective block explorers (BscScan and Etherscan). You can view the contract source code and transaction history directly on-chain.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "What is NAC's technology advantage?",
|
||||||
|
a: "NAC is a fully independent blockchain — not a fork or derivative of Ethereum or any existing chain. It features NVM (NAC Virtual Machine), CBPP consensus protocol, Charter smart contract language, CSNP network protocol, and built-in AI compliance for RWA tokenization.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
|
||||||
|
// Support
|
||||||
|
support_title: "NAC Support",
|
||||||
|
support_online: "Online",
|
||||||
|
support_msg: "👋 Hi! Need help with the XIC presale? Our team is available 24/7 to assist you.",
|
||||||
|
support_telegram: "Chat on Telegram",
|
||||||
|
support_email: "Email Support",
|
||||||
|
support_response: "Avg. response time: < 2 hours",
|
||||||
|
|
||||||
|
// Footer
|
||||||
|
footer_risk: "This presale involves risk. Only invest what you can afford to lose. XIC tokens are not available to US persons or residents of restricted jurisdictions.",
|
||||||
|
footer_website: "Website",
|
||||||
|
footer_explorer: "Explorer",
|
||||||
|
footer_telegram: "Telegram",
|
||||||
|
footer_twitter: "Twitter",
|
||||||
|
|
||||||
|
// Loading
|
||||||
|
loading_stats: "Loading on-chain data...",
|
||||||
|
stats_live_data: "Live On-Chain Data",
|
||||||
|
stats_cached: "Cached",
|
||||||
|
stats_updated: "Updated",
|
||||||
|
},
|
||||||
|
|
||||||
|
zh: {
|
||||||
|
// Nav
|
||||||
|
nav_website: "官网",
|
||||||
|
nav_explorer: "浏览器",
|
||||||
|
nav_docs: "文档",
|
||||||
|
nav_connect: "连接钱包",
|
||||||
|
nav_connecting: "连接中...",
|
||||||
|
nav_disconnect: "断开连接",
|
||||||
|
nav_connected: "已连接钱包",
|
||||||
|
|
||||||
|
// Hero
|
||||||
|
hero_badge: "预售进行中",
|
||||||
|
hero_title: "XIC 代币预售",
|
||||||
|
hero_subtitle:
|
||||||
|
"New AssetChain — 下一代 RWA 原生公链,内置 AI 合规审批、CBPP 共识协议与 Charter 智能合约语言。",
|
||||||
|
hero_price: "$0.02 / XIC",
|
||||||
|
hero_supply: "总供应量 1000亿",
|
||||||
|
hero_networks: "BSC · ETH · TRC20",
|
||||||
|
hero_no_min: "无最低购买限制",
|
||||||
|
|
||||||
|
// Stats
|
||||||
|
stats_ends_in: "预售结束倒计时",
|
||||||
|
stats_days: "天",
|
||||||
|
stats_hours: "时",
|
||||||
|
stats_mins: "分",
|
||||||
|
stats_secs: "秒",
|
||||||
|
stats_raised: "募资进度",
|
||||||
|
stats_raised_label: "已募资",
|
||||||
|
stats_hard_cap: "硬顶",
|
||||||
|
stats_tokens_sold: "已售代币",
|
||||||
|
stats_participants: "参与人数",
|
||||||
|
stats_wallets: "钱包",
|
||||||
|
stats_token_price: "代币价格",
|
||||||
|
stats_listing: "上市目标价",
|
||||||
|
stats_target: "目标",
|
||||||
|
stats_live_feed: "实时购买记录",
|
||||||
|
stats_live: "实时",
|
||||||
|
|
||||||
|
// Token Details
|
||||||
|
token_details: "代币信息",
|
||||||
|
token_name: "名称",
|
||||||
|
token_symbol: "符号",
|
||||||
|
token_network: "网络",
|
||||||
|
token_decimals: "精度",
|
||||||
|
token_supply: "总供应量",
|
||||||
|
token_view_contract: "查看代币合约 →",
|
||||||
|
|
||||||
|
// Purchase
|
||||||
|
buy_title: "购买 XIC 代币",
|
||||||
|
buy_subtitle: "1 XIC =",
|
||||||
|
buy_no_min: "无最低限制",
|
||||||
|
buy_select_network: "选择网络",
|
||||||
|
buy_usdt_amount: "USDT 数量",
|
||||||
|
buy_usdt_trc20: "USDT 数量(TRC20)",
|
||||||
|
buy_placeholder: "输入任意 USDT 金额",
|
||||||
|
buy_you_receive: "您将获得",
|
||||||
|
buy_price_per: "单价",
|
||||||
|
buy_step1: "授权 USDT",
|
||||||
|
buy_step2: "确认购买",
|
||||||
|
buy_btn: "购买",
|
||||||
|
buy_approving: "授权中...",
|
||||||
|
buy_approved: "授权成功!购买中...",
|
||||||
|
buy_processing: "处理中...",
|
||||||
|
buy_max: "最大:",
|
||||||
|
buy_no_min_max: "无最低限制 · 最大:",
|
||||||
|
buy_success_title: "购买成功!",
|
||||||
|
buy_success_msg: "您已获得",
|
||||||
|
buy_success_tokens: "枚 XIC 代币",
|
||||||
|
buy_view_explorer: "在浏览器中查看 →",
|
||||||
|
buy_more: "继续购买",
|
||||||
|
buy_balance: "余额:",
|
||||||
|
buy_wrong_network: "网络错误",
|
||||||
|
buy_wrong_msg: "请切换到",
|
||||||
|
buy_switch: "切换到",
|
||||||
|
buy_connect_msg: "连接钱包后即可使用 USDT 购买 XIC 代币",
|
||||||
|
buy_connect_btn: "连接钱包",
|
||||||
|
buy_connect_hint: "支持 MetaMask、Trust Wallet 及所有 EVM 兼容钱包",
|
||||||
|
buy_contracts: "已验证预售合约",
|
||||||
|
buy_bsc_contract: "BSC 合约 ↗",
|
||||||
|
buy_eth_contract: "ETH 合约 ↗",
|
||||||
|
|
||||||
|
// TRC20
|
||||||
|
trc20_send_to: "请发送 TRC20 USDT 到以下地址:",
|
||||||
|
trc20_copy: "复制地址",
|
||||||
|
trc20_copied: "✓ 已复制!",
|
||||||
|
trc20_step1: "发送",
|
||||||
|
trc20_step1b: "USDT(TRC20)到上方地址",
|
||||||
|
trc20_step1_any: "任意数量 USDT",
|
||||||
|
trc20_step2: "备注填写:",
|
||||||
|
trc20_step2b: "(可选,建议填写)",
|
||||||
|
trc20_step3: "您将在确认后(1-24小时内)收到",
|
||||||
|
trc20_step3b: "枚 XIC 代币",
|
||||||
|
trc20_step3_any: "您将在确认后(1-24小时内)按比例收到 XIC 代币",
|
||||||
|
trc20_step4: "如24小时内未收到代币,请携带交易哈希联系客服",
|
||||||
|
trc20_warning: "⚠️ 请仅在 TRON 网络(TRC20)上发送 USDT。发送其他代币或使用其他网络将导致永久损失。",
|
||||||
|
|
||||||
|
// Why NAC
|
||||||
|
why_rwa_title: "原生 RWA 公链",
|
||||||
|
why_rwa_desc: "专为现实世界资产代币化而生,内置 AI 合规审批",
|
||||||
|
why_cbpp_title: "CBPP 共识协议",
|
||||||
|
why_cbpp_desc: "宪政区块生产协议 — 超越 PoS/PoW 的下一代共识",
|
||||||
|
why_charter_title: "Charter 智能合约",
|
||||||
|
why_charter_desc: "NAC 原生智能合约语言,内置监管合规机制",
|
||||||
|
|
||||||
|
// FAQ
|
||||||
|
faq_title: "常见问题",
|
||||||
|
faq_subtitle: "关于 XIC 代币预售和 New AssetChain 生态系统的一切您需要了解的信息。",
|
||||||
|
faq_still: "还有其他问题?",
|
||||||
|
faq_ask: "在 Telegram 提问",
|
||||||
|
faq: [
|
||||||
|
{
|
||||||
|
q: "XIC 代币是什么?",
|
||||||
|
a: "XIC 是 New AssetChain(NAC)的原生功能代币,NAC 是专为 RWA(现实世界资产)而生的区块链,具备 AI 原生合规、CBPP 共识和 Charter 智能合约。XIC 用于治理、交易手续费和生态质押。",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "预售价格是多少?",
|
||||||
|
a: "预售价格为每枚 XIC 0.02 美元。预计上市价格为 0.10 美元,预售参与者可获得 5 倍潜在收益。",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "支持哪些支付方式?",
|
||||||
|
a: "我们接受三个网络上的 USDT:BSC(BEP-20)、以太坊(ERC-20)和 TRON(TRC-20)。BSC 和 ETH 需连接 MetaMask 或兼容 EVM 的钱包;TRC-20 请直接向我们的收款地址转账。",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "有最低购买金额吗?",
|
||||||
|
a: "没有最低购买金额限制。您可以购买任意数量的 XIC 代币,单笔最高购买额为 50,000 USDT。",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "何时收到 XIC 代币?",
|
||||||
|
a: "BSC 和 ETH 购买:链上确认后立即发放。TRC-20 手动转账:确认后 1-24 小时内发放。",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "XIC 何时上市交易所?",
|
||||||
|
a: "预售完成后,XIC 计划在主要中心化和去中心化交易所上市,目标上市价格为 0.10 美元。具体交易所公告将通过官方 Telegram 和 Twitter 发布。",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "预售合约是否经过审计?",
|
||||||
|
a: "是的。BSC 和 ETH 预售合约均已在各自的区块链浏览器(BscScan 和 Etherscan)上验证。您可以直接在链上查看合约源代码和交易历史。",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
q: "NAC 的技术优势是什么?",
|
||||||
|
a: "NAC 是完全独立的区块链,不是以太坊或任何现有链的分叉或衍生。它具备 NVM(NAC 虚拟机)、CBPP 共识协议、Charter 智能合约语言、CSNP 网络协议,以及用于 RWA 代币化的内置 AI 合规。",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
|
||||||
|
// Support
|
||||||
|
support_title: "NAC 客服",
|
||||||
|
support_online: "在线",
|
||||||
|
support_msg: "👋 您好!需要 XIC 预售帮助吗?我们的团队 24/7 全天候为您服务。",
|
||||||
|
support_telegram: "Telegram 咨询",
|
||||||
|
support_email: "邮件支持",
|
||||||
|
support_response: "平均响应时间:< 2 小时",
|
||||||
|
|
||||||
|
// Footer
|
||||||
|
footer_risk: "参与预售存在风险,请仅投入您能承受损失的资金。XIC 代币不向美国公民及受限制司法管辖区居民提供。",
|
||||||
|
footer_website: "官网",
|
||||||
|
footer_explorer: "浏览器",
|
||||||
|
footer_telegram: "Telegram",
|
||||||
|
footer_twitter: "Twitter",
|
||||||
|
|
||||||
|
// Loading
|
||||||
|
loading_stats: "正在加载链上数据...",
|
||||||
|
stats_live_data: "实时链上数据",
|
||||||
|
stats_cached: "缓存",
|
||||||
|
stats_updated: "更新于",
|
||||||
|
},
|
||||||
|
} as const;
|
||||||
|
|
||||||
|
export type TranslationKey = keyof typeof translations.en;
|
||||||
|
|
||||||
|
export function useTranslation(lang: Lang) {
|
||||||
|
const t = translations[lang];
|
||||||
|
return {
|
||||||
|
t: (key: TranslationKey) => (t as Record<string, unknown>)[key] as string,
|
||||||
|
faq: t.faq,
|
||||||
|
lang,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,4 @@
|
||||||
|
import { createTRPCReact } from "@trpc/react-query";
|
||||||
|
import type { AppRouter } from "../../../server/routers";
|
||||||
|
|
||||||
|
export const trpc = createTRPCReact<AppRouter>();
|
||||||
|
|
@ -0,0 +1,6 @@
|
||||||
|
import { clsx, type ClassValue } from "clsx";
|
||||||
|
import { twMerge } from "tailwind-merge";
|
||||||
|
|
||||||
|
export function cn(...inputs: ClassValue[]) {
|
||||||
|
return twMerge(clsx(inputs));
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,39 @@
|
||||||
|
import { trpc } from "@/lib/trpc";
|
||||||
|
import { QueryClient, QueryClientProvider } from "@tanstack/react-query";
|
||||||
|
import { httpBatchLink } from "@trpc/client";
|
||||||
|
import { createRoot } from "react-dom/client";
|
||||||
|
import superjson from "superjson";
|
||||||
|
import App from "./App";
|
||||||
|
import "./index.css";
|
||||||
|
|
||||||
|
const queryClient = new QueryClient({
|
||||||
|
defaultOptions: {
|
||||||
|
queries: {
|
||||||
|
retry: 1,
|
||||||
|
staleTime: 30_000,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const trpcClient = trpc.createClient({
|
||||||
|
links: [
|
||||||
|
httpBatchLink({
|
||||||
|
url: "/api/trpc",
|
||||||
|
transformer: superjson,
|
||||||
|
fetch(input, init) {
|
||||||
|
return globalThis.fetch(input, {
|
||||||
|
...(init ?? {}),
|
||||||
|
credentials: "include",
|
||||||
|
});
|
||||||
|
},
|
||||||
|
}),
|
||||||
|
],
|
||||||
|
});
|
||||||
|
|
||||||
|
createRoot(document.getElementById("root")!).render(
|
||||||
|
<trpc.Provider client={trpcClient} queryClient={queryClient}>
|
||||||
|
<QueryClientProvider client={queryClient}>
|
||||||
|
<App />
|
||||||
|
</QueryClientProvider>
|
||||||
|
</trpc.Provider>
|
||||||
|
);
|
||||||
|
|
@ -0,0 +1,880 @@
|
||||||
|
/**
|
||||||
|
* Admin Dashboard
|
||||||
|
* Login-protected page for managing TRC20 purchases
|
||||||
|
* Features: purchase list, status updates, export, stats
|
||||||
|
*/
|
||||||
|
import { useState, useEffect } from "react";
|
||||||
|
import { trpc } from "@/lib/trpc";
|
||||||
|
import { Link } from "wouter";
|
||||||
|
|
||||||
|
// ─── Types ────────────────────────────────────────────────────────────────────
|
||||||
|
interface Purchase {
|
||||||
|
id: number;
|
||||||
|
txHash: string;
|
||||||
|
fromAddress: string;
|
||||||
|
evmAddress: string | null;
|
||||||
|
usdtAmount: number;
|
||||||
|
xicAmount: number;
|
||||||
|
status: "pending" | "confirmed" | "distributed" | "failed";
|
||||||
|
distributedAt: Date | null;
|
||||||
|
distributeTxHash: string | null;
|
||||||
|
createdAt: Date;
|
||||||
|
}
|
||||||
|
|
||||||
|
// ─── Status Badge ─────────────────────────────────────────────────────────────
|
||||||
|
function StatusBadge({ status }: { status: Purchase["status"] }) {
|
||||||
|
const config = {
|
||||||
|
pending: { color: "#f0b429", bg: "rgba(240,180,41,0.15)", label: "Pending" },
|
||||||
|
confirmed: { color: "#00d4ff", bg: "rgba(0,212,255,0.15)", label: "Confirmed" },
|
||||||
|
distributed: { color: "#00e676", bg: "rgba(0,230,118,0.15)", label: "Distributed" },
|
||||||
|
failed: { color: "#ff5252", bg: "rgba(255,82,82,0.15)", label: "Failed" },
|
||||||
|
};
|
||||||
|
const cfg = config[status] || config.pending;
|
||||||
|
return (
|
||||||
|
<span
|
||||||
|
className="text-xs font-semibold px-2 py-1 rounded-full"
|
||||||
|
style={{ color: cfg.color, background: cfg.bg }}
|
||||||
|
>
|
||||||
|
{cfg.label}
|
||||||
|
</span>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ─── Login Form ───────────────────────────────────────────────────────────────
|
||||||
|
function LoginForm({ onLogin }: { onLogin: (token: string) => void }) {
|
||||||
|
const [password, setPassword] = useState("");
|
||||||
|
const [error, setError] = useState("");
|
||||||
|
|
||||||
|
const loginMutation = trpc.admin.login.useMutation({
|
||||||
|
onSuccess: (data) => {
|
||||||
|
onLogin(data.token);
|
||||||
|
},
|
||||||
|
onError: (err) => {
|
||||||
|
setError(err.message);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const handleSubmit = (e: React.FormEvent) => {
|
||||||
|
e.preventDefault();
|
||||||
|
setError("");
|
||||||
|
loginMutation.mutate({ password });
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="min-h-screen flex items-center justify-center" style={{ background: "#0a0a0f" }}>
|
||||||
|
<div className="w-full max-w-sm px-4">
|
||||||
|
<div className="rounded-2xl p-8" style={{ background: "rgba(255,255,255,0.03)", border: "1px solid rgba(240,180,41,0.2)" }}>
|
||||||
|
<div className="text-center mb-8">
|
||||||
|
<div className="text-4xl mb-3">🔐</div>
|
||||||
|
<h1 className="text-2xl font-bold text-white" style={{ fontFamily: "'Space Grotesk', sans-serif" }}>
|
||||||
|
Admin Dashboard
|
||||||
|
</h1>
|
||||||
|
<p className="text-sm text-white/40 mt-1">NAC XIC Presale Management</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<form onSubmit={handleSubmit} className="space-y-4">
|
||||||
|
<div>
|
||||||
|
<label className="text-sm text-white/60 font-medium block mb-2">Admin Password</label>
|
||||||
|
<input
|
||||||
|
type="password"
|
||||||
|
value={password}
|
||||||
|
onChange={e => setPassword(e.target.value)}
|
||||||
|
placeholder="Enter admin password"
|
||||||
|
className="w-full px-4 py-3 rounded-xl text-sm"
|
||||||
|
style={{
|
||||||
|
background: "rgba(255,255,255,0.05)",
|
||||||
|
border: error ? "1px solid rgba(255,82,82,0.5)" : "1px solid rgba(255,255,255,0.1)",
|
||||||
|
color: "white",
|
||||||
|
outline: "none",
|
||||||
|
}}
|
||||||
|
autoFocus
|
||||||
|
/>
|
||||||
|
{error && <p className="text-xs text-red-400 mt-1">{error}</p>}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<button
|
||||||
|
type="submit"
|
||||||
|
disabled={loginMutation.isPending || !password}
|
||||||
|
className="w-full py-3 rounded-xl text-sm font-bold transition-all"
|
||||||
|
style={{
|
||||||
|
background: "linear-gradient(135deg, #f0b429 0%, #ffd700 100%)",
|
||||||
|
color: "#0a0a0f",
|
||||||
|
opacity: loginMutation.isPending || !password ? 0.6 : 1,
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
{loginMutation.isPending ? "Logging in..." : "Login"}
|
||||||
|
</button>
|
||||||
|
</form>
|
||||||
|
|
||||||
|
<div className="mt-6 text-center">
|
||||||
|
<Link href="/">
|
||||||
|
<span className="text-xs text-white/30 hover:text-white/60 cursor-pointer transition-colors">
|
||||||
|
← Back to Presale
|
||||||
|
</span>
|
||||||
|
</Link>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ─── Main D// ─── Settings Panel ───────────────────────────────────────────────
|
||||||
|
function SettingsPanel({ token }: { token: string }) {
|
||||||
|
const { data: configData, refetch: refetchConfig, isLoading } = trpc.admin.getConfig.useQuery({ token });
|
||||||
|
const [editValues, setEditValues] = useState<Record<string, string>>({});
|
||||||
|
const [savingKey, setSavingKey] = useState<string | null>(null);
|
||||||
|
const [savedKeys, setSavedKeys] = useState<Set<string>>(new Set());
|
||||||
|
const [telegramBotToken, setTelegramBotToken] = useState("");
|
||||||
|
const [telegramChatId, setTelegramChatId] = useState("");
|
||||||
|
const [telegramStatus, setTelegramStatus] = useState<"idle" | "testing" | "success" | "error">("idle");
|
||||||
|
const [telegramError, setTelegramError] = useState("");
|
||||||
|
|
||||||
|
// ── Presale Active/Paused Toggle ──────────────────────────────────────────
|
||||||
|
const isPresaleLive = (configData?.find(c => c.key === "presaleStatus")?.value ?? "live") === "live";
|
||||||
|
const [togglingPresale, setTogglingPresale] = useState(false);
|
||||||
|
|
||||||
|
const setConfigMutation = trpc.admin.setConfig.useMutation({
|
||||||
|
onSuccess: (_, vars) => {
|
||||||
|
setSavedKeys(prev => { const s = new Set(Array.from(prev)); s.add(vars.key); return s; });
|
||||||
|
setSavingKey(null);
|
||||||
|
setTogglingPresale(false);
|
||||||
|
refetchConfig();
|
||||||
|
setTimeout(() => setSavedKeys(prev => { const n = new Set(Array.from(prev)); n.delete(vars.key); return n; }), 2000);
|
||||||
|
},
|
||||||
|
onError: (err) => {
|
||||||
|
setSavingKey(null);
|
||||||
|
setTogglingPresale(false);
|
||||||
|
alert(`Save failed: ${err.message}`);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const handleTogglePresale = () => {
|
||||||
|
const newStatus = isPresaleLive ? "paused" : "live";
|
||||||
|
setTogglingPresale(true);
|
||||||
|
setConfigMutation.mutate({ token, key: "presaleStatus", value: newStatus });
|
||||||
|
};
|
||||||
|
|
||||||
|
const testTelegramMutation = trpc.admin.testTelegram.useMutation({
|
||||||
|
onSuccess: () => {
|
||||||
|
setTelegramStatus("success");
|
||||||
|
refetchConfig();
|
||||||
|
},
|
||||||
|
onError: (err) => {
|
||||||
|
setTelegramStatus("error");
|
||||||
|
setTelegramError(err.message);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
// Initialize edit values from config
|
||||||
|
useEffect(() => {
|
||||||
|
if (configData) {
|
||||||
|
const vals: Record<string, string> = {};
|
||||||
|
configData.forEach(c => { vals[c.key] = c.value; });
|
||||||
|
setEditValues(vals);
|
||||||
|
// Pre-fill Telegram fields
|
||||||
|
const botToken = configData.find(c => c.key === "telegramBotToken")?.value || "";
|
||||||
|
const chatId = configData.find(c => c.key === "telegramChatId")?.value || "";
|
||||||
|
if (botToken) setTelegramBotToken(botToken);
|
||||||
|
if (chatId) setTelegramChatId(chatId);
|
||||||
|
}
|
||||||
|
}, [configData]);
|
||||||
|
|
||||||
|
const handleSave = (key: string) => {
|
||||||
|
setSavingKey(key);
|
||||||
|
setConfigMutation.mutate({ token, key, value: editValues[key] || "" });
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleTestTelegram = () => {
|
||||||
|
if (!telegramBotToken || !telegramChatId) {
|
||||||
|
setTelegramStatus("error");
|
||||||
|
setTelegramError("Please enter both Bot Token and Chat ID");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
setTelegramStatus("testing");
|
||||||
|
setTelegramError("");
|
||||||
|
testTelegramMutation.mutate({ token, botToken: telegramBotToken, chatId: telegramChatId });
|
||||||
|
};
|
||||||
|
|
||||||
|
// Group configs by category
|
||||||
|
const presaleKeys = ["presaleEndDate", "tokenPrice", "hardCap", "listingPrice", "totalSupply", "maxPurchaseUsdt", "presaleStatus"];
|
||||||
|
const contentKeys = ["heroTitle", "heroSubtitle", "tronReceivingAddress"];
|
||||||
|
const telegramKeys = ["telegramBotToken", "telegramChatId"];
|
||||||
|
|
||||||
|
const renderConfigRow = (cfg: { key: string; value: string; label: string; description: string; type: string; updatedAt: Date | null }) => (
|
||||||
|
<div key={cfg.key} className="rounded-xl p-4 mb-3" style={{ background: "rgba(255,255,255,0.02)", border: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
<div className="flex items-start justify-between gap-4">
|
||||||
|
<div className="flex-1 min-w-0">
|
||||||
|
<div className="flex items-center gap-2 mb-1">
|
||||||
|
<span className="text-sm font-semibold text-white/80">{cfg.label}</span>
|
||||||
|
<span className="text-xs px-1.5 py-0.5 rounded" style={{ background: "rgba(255,255,255,0.06)", color: "rgba(255,255,255,0.4)" }}>{cfg.type}</span>
|
||||||
|
</div>
|
||||||
|
<p className="text-xs text-white/40 mb-2">{cfg.description}</p>
|
||||||
|
{cfg.type === "text" && cfg.key !== "heroSubtitle" ? (
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
value={editValues[cfg.key] ?? cfg.value}
|
||||||
|
onChange={e => setEditValues(prev => ({ ...prev, [cfg.key]: e.target.value }))}
|
||||||
|
className="w-full px-3 py-2 rounded-lg text-sm"
|
||||||
|
style={{ background: "rgba(255,255,255,0.05)", border: "1px solid rgba(255,255,255,0.1)", color: "white", outline: "none" }}
|
||||||
|
/>
|
||||||
|
) : cfg.key === "heroSubtitle" ? (
|
||||||
|
<textarea
|
||||||
|
value={editValues[cfg.key] ?? cfg.value}
|
||||||
|
onChange={e => setEditValues(prev => ({ ...prev, [cfg.key]: e.target.value }))}
|
||||||
|
rows={3}
|
||||||
|
className="w-full px-3 py-2 rounded-lg text-sm resize-none"
|
||||||
|
style={{ background: "rgba(255,255,255,0.05)", border: "1px solid rgba(255,255,255,0.1)", color: "white", outline: "none" }}
|
||||||
|
/>
|
||||||
|
) : cfg.type === "number" ? (
|
||||||
|
<input
|
||||||
|
type="number"
|
||||||
|
value={editValues[cfg.key] ?? cfg.value}
|
||||||
|
onChange={e => setEditValues(prev => ({ ...prev, [cfg.key]: e.target.value }))}
|
||||||
|
className="w-full px-3 py-2 rounded-lg text-sm"
|
||||||
|
style={{ background: "rgba(255,255,255,0.05)", border: "1px solid rgba(255,255,255,0.1)", color: "white", outline: "none" }}
|
||||||
|
/>
|
||||||
|
) : cfg.type === "date" ? (
|
||||||
|
<input
|
||||||
|
type="datetime-local"
|
||||||
|
value={editValues[cfg.key] ? editValues[cfg.key].replace("Z", "").slice(0, 16) : ""}
|
||||||
|
onChange={e => setEditValues(prev => ({ ...prev, [cfg.key]: e.target.value + ":00Z" }))}
|
||||||
|
className="w-full px-3 py-2 rounded-lg text-sm"
|
||||||
|
style={{ background: "rgba(255,255,255,0.05)", border: "1px solid rgba(255,255,255,0.1)", color: "white", outline: "none" }}
|
||||||
|
/>
|
||||||
|
) : (
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
value={editValues[cfg.key] ?? cfg.value}
|
||||||
|
onChange={e => setEditValues(prev => ({ ...prev, [cfg.key]: e.target.value }))}
|
||||||
|
className="w-full px-3 py-2 rounded-lg text-sm"
|
||||||
|
style={{ background: "rgba(255,255,255,0.05)", border: "1px solid rgba(255,255,255,0.1)", color: "white", outline: "none" }}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
<div className="flex flex-col items-end gap-1 flex-shrink-0">
|
||||||
|
<button
|
||||||
|
onClick={() => handleSave(cfg.key)}
|
||||||
|
disabled={savingKey === cfg.key}
|
||||||
|
className="px-4 py-2 rounded-lg text-xs font-semibold transition-all whitespace-nowrap"
|
||||||
|
style={{
|
||||||
|
background: savedKeys.has(cfg.key) ? "rgba(0,230,118,0.2)" : "rgba(240,180,41,0.15)",
|
||||||
|
border: savedKeys.has(cfg.key) ? "1px solid rgba(0,230,118,0.4)" : "1px solid rgba(240,180,41,0.3)",
|
||||||
|
color: savedKeys.has(cfg.key) ? "#00e676" : "#f0b429",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
{savingKey === cfg.key ? "Saving..." : savedKeys.has(cfg.key) ? "✓ Saved" : "Save"}
|
||||||
|
</button>
|
||||||
|
{cfg.updatedAt && (
|
||||||
|
<span className="text-xs text-white/25">{new Date(cfg.updatedAt).toLocaleDateString()}</span>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
|
||||||
|
if (isLoading) {
|
||||||
|
return <div className="text-center py-12 text-white/40">Loading settings...</div>;
|
||||||
|
}
|
||||||
|
|
||||||
|
const getConfigItem = (key: string) => configData?.find(c => c.key === key);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="space-y-6">
|
||||||
|
{/* ── Presale Active Toggle ── */}
|
||||||
|
<div
|
||||||
|
className="rounded-2xl p-6"
|
||||||
|
style={{
|
||||||
|
background: isPresaleLive ? "rgba(0,230,118,0.06)" : "rgba(255,60,60,0.06)",
|
||||||
|
border: isPresaleLive ? "2px solid rgba(0,230,118,0.45)" : "2px solid rgba(255,60,60,0.45)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<div className="flex items-center justify-between gap-4 flex-wrap">
|
||||||
|
<div>
|
||||||
|
<div className="flex items-center gap-3 mb-1">
|
||||||
|
<div
|
||||||
|
className="w-3 h-3 rounded-full"
|
||||||
|
style={{
|
||||||
|
background: isPresaleLive ? "#00e676" : "#ff4444",
|
||||||
|
boxShadow: isPresaleLive ? "0 0 8px rgba(0,230,118,0.8)" : "0 0 8px rgba(255,68,68,0.8)",
|
||||||
|
animation: isPresaleLive ? "pulse 2s infinite" : "none",
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
<h3
|
||||||
|
className="text-lg font-bold"
|
||||||
|
style={{
|
||||||
|
color: isPresaleLive ? "#00e676" : "#ff6060",
|
||||||
|
fontFamily: "'Space Grotesk', sans-serif",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
{isPresaleLive ? "预售进行中 PRESALE LIVE" : "预售已暂停 PRESALE PAUSED"}
|
||||||
|
</h3>
|
||||||
|
</div>
|
||||||
|
<p className="text-xs ml-6" style={{ color: "rgba(255,255,255,0.45)" }}>
|
||||||
|
{isPresaleLive
|
||||||
|
? "用户当前可正常购买 XIC 代币。点击《暂停预售》可立即封禁所有购买入口。"
|
||||||
|
: "预售已暂停,首页购买按钮已禁用。点击《开启预售》可重新开放购买。"}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<button
|
||||||
|
onClick={handleTogglePresale}
|
||||||
|
disabled={togglingPresale}
|
||||||
|
className="flex-shrink-0 px-8 py-3 rounded-xl font-bold text-base transition-all"
|
||||||
|
style={{
|
||||||
|
background: isPresaleLive
|
||||||
|
? "linear-gradient(135deg, rgba(255,60,60,0.25) 0%, rgba(255,60,60,0.15) 100%)"
|
||||||
|
: "linear-gradient(135deg, rgba(0,230,118,0.25) 0%, rgba(0,230,118,0.15) 100%)",
|
||||||
|
border: isPresaleLive ? "1.5px solid rgba(255,60,60,0.6)" : "1.5px solid rgba(0,230,118,0.6)",
|
||||||
|
color: isPresaleLive ? "#ff6060" : "#00e676",
|
||||||
|
fontFamily: "'Space Grotesk', sans-serif",
|
||||||
|
opacity: togglingPresale ? 0.6 : 1,
|
||||||
|
cursor: togglingPresale ? "not-allowed" : "pointer",
|
||||||
|
letterSpacing: "0.03em",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
{togglingPresale
|
||||||
|
? "处理中..."
|
||||||
|
: isPresaleLive
|
||||||
|
? "⏸ 暂停预售"
|
||||||
|
: "▶ 开启预售"}
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Presale Parameters */}
|
||||||
|
<div className="rounded-2xl p-5" style={{ background: "rgba(255,255,255,0.02)", border: "1px solid rgba(240,180,41,0.15)" }}>
|
||||||
|
<h3 className="text-sm font-semibold mb-4" style={{ color: "#f0b429" }}>Presale Parameters 预售参数</h3>
|
||||||
|
{presaleKeys.map(key => {
|
||||||
|
const cfg = getConfigItem(key);
|
||||||
|
if (!cfg) return null;
|
||||||
|
return renderConfigRow(cfg);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Site Content */}
|
||||||
|
<div className="rounded-2xl p-5" style={{ background: "rgba(255,255,255,0.02)", border: "1px solid rgba(0,212,255,0.15)" }}>
|
||||||
|
<h3 className="text-sm font-semibold mb-4" style={{ color: "#00d4ff" }}>Site Content 首页内容</h3>
|
||||||
|
{contentKeys.map(key => {
|
||||||
|
const cfg = getConfigItem(key);
|
||||||
|
if (!cfg) return null;
|
||||||
|
return renderConfigRow(cfg);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Telegram Notifications */}
|
||||||
|
<div className="rounded-2xl p-5" style={{ background: "rgba(255,255,255,0.02)", border: "1px solid rgba(0,230,118,0.15)" }}>
|
||||||
|
<h3 className="text-sm font-semibold mb-1" style={{ color: "#00e676" }}>Telegram Notifications</h3>
|
||||||
|
<p className="text-xs text-white/40 mb-4">
|
||||||
|
Set up Telegram Bot to receive instant alerts when new TRC20 purchases are confirmed.
|
||||||
|
Get your Bot Token from <a href="https://t.me/BotFather" target="_blank" rel="noopener noreferrer" style={{ color: "#00d4ff" }}>@BotFather</a>.
|
||||||
|
</p>
|
||||||
|
<div className="space-y-3 mb-4">
|
||||||
|
<div>
|
||||||
|
<label className="text-xs text-white/60 block mb-1">Bot Token (from @BotFather)</label>
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
value={telegramBotToken}
|
||||||
|
onChange={e => setTelegramBotToken(e.target.value)}
|
||||||
|
placeholder="123456789:ABCdefGHIjklMNOpqrsTUVwxyz"
|
||||||
|
className="w-full px-3 py-2 rounded-lg text-sm font-mono"
|
||||||
|
style={{ background: "rgba(255,255,255,0.05)", border: "1px solid rgba(255,255,255,0.1)", color: "white", outline: "none" }}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<label className="text-xs text-white/60 block mb-1">Chat ID (personal or group)</label>
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
value={telegramChatId}
|
||||||
|
onChange={e => setTelegramChatId(e.target.value)}
|
||||||
|
placeholder="-1001234567890 or 123456789"
|
||||||
|
className="w-full px-3 py-2 rounded-lg text-sm font-mono"
|
||||||
|
style={{ background: "rgba(255,255,255,0.05)", border: "1px solid rgba(255,255,255,0.1)", color: "white", outline: "none" }}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div className="flex items-center gap-3">
|
||||||
|
<button
|
||||||
|
onClick={handleTestTelegram}
|
||||||
|
disabled={telegramStatus === "testing"}
|
||||||
|
className="px-5 py-2 rounded-xl text-sm font-semibold transition-all"
|
||||||
|
style={{
|
||||||
|
background: telegramStatus === "success" ? "rgba(0,230,118,0.2)" : "rgba(0,230,118,0.1)",
|
||||||
|
border: telegramStatus === "success" ? "1px solid rgba(0,230,118,0.5)" : "1px solid rgba(0,230,118,0.3)",
|
||||||
|
color: "#00e676",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
{telegramStatus === "testing" ? "Sending test..." : telegramStatus === "success" ? "✓ Connected & Saved!" : "Test & Save Connection"}
|
||||||
|
</button>
|
||||||
|
{telegramStatus === "error" && (
|
||||||
|
<span className="text-xs text-red-400">{telegramError}</span>
|
||||||
|
)}
|
||||||
|
{telegramStatus === "success" && (
|
||||||
|
<span className="text-xs text-green-400">Test message sent! Check your Telegram.</span>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
<div className="mt-4 rounded-lg p-3 text-xs text-white/50" style={{ background: "rgba(255,255,255,0.03)", border: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
<p className="font-semibold text-white/70 mb-1">How to get Chat ID:</p>
|
||||||
|
<p>1. Start a chat with your bot (send any message)</p>
|
||||||
|
<p>2. Visit: <code className="text-cyan-400">https://api.telegram.org/bot<TOKEN>/getUpdates</code></p>
|
||||||
|
<p>3. Find <code className="text-cyan-400">{'{"chat":{"id": YOUR_CHAT_ID}}'}</code> in the response</p> </div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ─── Main Dashboard ─────────────────────────────────────────────
|
||||||
|
function Dashboard({ token, onLogout }: { token: string; onLogout: () => void }) {
|
||||||
|
const [page, setPage] = useState(1);
|
||||||
|
const [statusFilter, setStatusFilter] = useState<"all" | "pending" | "confirmed" | "distributed" | "failed">("all");
|
||||||
|
const [markingId, setMarkingId] = useState<number | null>(null);
|
||||||
|
const [distributeTxInput, setDistributeTxInput] = useState<Record<number, string>>({});
|
||||||
|
const [activeTab, setActiveTab] = useState<"purchases" | "intents" | "settings">("purchases");
|
||||||
|
|
||||||
|
const { data: statsData, refetch: refetchStats } = trpc.admin.stats.useQuery({ token });
|
||||||
|
const { data: intentsData, isLoading: intentsLoading } = trpc.admin.listIntents.useQuery({ token, showAll: false });
|
||||||
|
const { data: purchasesData, refetch: refetchPurchases, isLoading } = trpc.admin.listPurchases.useQuery({
|
||||||
|
token,
|
||||||
|
page,
|
||||||
|
limit: 20,
|
||||||
|
status: statusFilter,
|
||||||
|
});
|
||||||
|
|
||||||
|
const markDistributedMutation = trpc.admin.markDistributed.useMutation({
|
||||||
|
onSuccess: () => {
|
||||||
|
refetchPurchases();
|
||||||
|
refetchStats();
|
||||||
|
setMarkingId(null);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const handleMarkDistributed = (id: number) => {
|
||||||
|
setMarkingId(id);
|
||||||
|
markDistributedMutation.mutate({
|
||||||
|
token,
|
||||||
|
purchaseId: id,
|
||||||
|
distributeTxHash: distributeTxInput[id] || undefined,
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
const formatAddress = (addr: string | null) => {
|
||||||
|
if (!addr) return <span className="text-white/30 text-xs">—</span>;
|
||||||
|
return (
|
||||||
|
<span className="text-xs font-mono" style={{ color: "#00d4ff" }}>
|
||||||
|
{addr.slice(0, 8)}...{addr.slice(-6)}
|
||||||
|
</span>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
const formatDate = (d: Date | null) => {
|
||||||
|
if (!d) return "—";
|
||||||
|
return new Date(d).toLocaleString();
|
||||||
|
};
|
||||||
|
|
||||||
|
const totalStats = statsData?.reduce(
|
||||||
|
(acc, s) => ({
|
||||||
|
totalUsdt: acc.totalUsdt + s.totalUsdt,
|
||||||
|
totalXic: acc.totalXic + s.totalXic,
|
||||||
|
totalCount: acc.totalCount + s.count,
|
||||||
|
}),
|
||||||
|
{ totalUsdt: 0, totalXic: 0, totalCount: 0 }
|
||||||
|
) || { totalUsdt: 0, totalXic: 0, totalCount: 0 };
|
||||||
|
|
||||||
|
const pendingCount = statsData?.find(s => s.status === "confirmed")?.count || 0;
|
||||||
|
|
||||||
|
// Export CSV
|
||||||
|
const handleExport = () => {
|
||||||
|
if (!purchasesData?.purchases) return;
|
||||||
|
const rows = [
|
||||||
|
["ID", "TX Hash", "From Address", "EVM Address", "USDT", "XIC", "Status", "Created At", "Distributed At"],
|
||||||
|
...purchasesData.purchases.map(p => [
|
||||||
|
p.id,
|
||||||
|
p.txHash,
|
||||||
|
p.fromAddress,
|
||||||
|
p.evmAddress || "",
|
||||||
|
p.usdtAmount,
|
||||||
|
p.xicAmount,
|
||||||
|
p.status,
|
||||||
|
formatDate(p.createdAt),
|
||||||
|
formatDate(p.distributedAt),
|
||||||
|
]),
|
||||||
|
];
|
||||||
|
const csv = rows.map(r => r.join(",")).join("\n");
|
||||||
|
const blob = new Blob([csv], { type: "text/csv" });
|
||||||
|
const url = URL.createObjectURL(blob);
|
||||||
|
const a = document.createElement("a");
|
||||||
|
a.href = url;
|
||||||
|
a.download = `xic-purchases-${new Date().toISOString().slice(0, 10)}.csv`;
|
||||||
|
a.click();
|
||||||
|
URL.revokeObjectURL(url);
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="min-h-screen" style={{ background: "#0a0a0f" }}>
|
||||||
|
{/* ── Header ── */}
|
||||||
|
<nav className="sticky top-0 z-50 flex items-center justify-between px-6 py-4"
|
||||||
|
style={{ background: "rgba(10,10,15,0.95)", borderBottom: "1px solid rgba(240,180,41,0.1)", backdropFilter: "blur(12px)" }}>
|
||||||
|
<div className="flex items-center gap-3">
|
||||||
|
<span className="text-xl">⚙️</span>
|
||||||
|
<div>
|
||||||
|
<span className="font-bold text-white" style={{ fontFamily: "'Space Grotesk', sans-serif" }}>Admin Dashboard</span>
|
||||||
|
<span className="ml-2 text-xs px-2 py-0.5 rounded-full font-semibold"
|
||||||
|
style={{ background: "rgba(240,180,41,0.15)", color: "#f0b429", border: "1px solid rgba(240,180,41,0.3)" }}>
|
||||||
|
NAC XIC Presale
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div className="flex items-center gap-3">
|
||||||
|
<Link href="/">
|
||||||
|
<span className="text-sm text-white/50 hover:text-white/80 cursor-pointer transition-colors">← Presale</span>
|
||||||
|
</Link>
|
||||||
|
<button
|
||||||
|
onClick={onLogout}
|
||||||
|
className="px-4 py-2 rounded-xl text-sm font-semibold transition-all"
|
||||||
|
style={{ background: "rgba(255,82,82,0.1)", border: "1px solid rgba(255,82,82,0.3)", color: "#ff5252" }}
|
||||||
|
>
|
||||||
|
Logout
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</nav>
|
||||||
|
|
||||||
|
<div className="container mx-auto px-4 py-6 max-w-7xl">
|
||||||
|
{/* ── Stats Cards ── */}
|
||||||
|
<div className="grid grid-cols-2 md:grid-cols-4 gap-4 mb-6">
|
||||||
|
{[
|
||||||
|
{ label: "Total USDT Raised", value: `$${totalStats.totalUsdt.toLocaleString(undefined, { maximumFractionDigits: 2 })}`, color: "#f0b429" },
|
||||||
|
{ label: "Total XIC Sold", value: `${(totalStats.totalXic / 1e6).toFixed(2)}M`, color: "#00d4ff" },
|
||||||
|
{ label: "Total Purchases", value: totalStats.totalCount.toString(), color: "#00e676" },
|
||||||
|
{ label: "Pending Distribution", value: pendingCount.toString(), color: pendingCount > 0 ? "#ff5252" : "#00e676" },
|
||||||
|
].map(({ label, value, color }) => (
|
||||||
|
<div key={label} className="rounded-2xl p-5" style={{ background: "rgba(255,255,255,0.03)", border: "1px solid rgba(255,255,255,0.08)" }}>
|
||||||
|
<div className="text-2xl font-bold" style={{ color, fontFamily: "'Space Grotesk', sans-serif" }}>{value}</div>
|
||||||
|
<div className="text-xs text-white/40 mt-1">{label}</div>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* ── Status Breakdown ── */}
|
||||||
|
{statsData && statsData.length > 0 && (
|
||||||
|
<div className="rounded-2xl p-5 mb-6" style={{ background: "rgba(255,255,255,0.02)", border: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
<h3 className="text-xs font-semibold uppercase tracking-widest text-white/40 mb-4">Status Breakdown</h3>
|
||||||
|
<div className="flex flex-wrap gap-4">
|
||||||
|
{statsData.map(s => (
|
||||||
|
<div key={s.status} className="flex items-center gap-2">
|
||||||
|
<StatusBadge status={s.status as Purchase["status"]} />
|
||||||
|
<span className="text-sm text-white/60">{s.count} purchases · ${s.totalUsdt.toFixed(2)} USDT</span>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* ── Tab Navigation ── */}
|
||||||
|
<div className="flex gap-2 mb-4">
|
||||||
|
<button
|
||||||
|
onClick={() => setActiveTab("purchases")}
|
||||||
|
className="px-4 py-2 rounded-xl text-sm font-semibold transition-all"
|
||||||
|
style={{
|
||||||
|
background: activeTab === "purchases" ? "rgba(240,180,41,0.15)" : "rgba(255,255,255,0.04)",
|
||||||
|
border: activeTab === "purchases" ? "1px solid rgba(240,180,41,0.4)" : "1px solid rgba(255,255,255,0.08)",
|
||||||
|
color: activeTab === "purchases" ? "#f0b429" : "rgba(255,255,255,0.5)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
TRC20 Purchases
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
onClick={() => setActiveTab("intents")}
|
||||||
|
className="px-4 py-2 rounded-xl text-sm font-semibold transition-all"
|
||||||
|
style={{
|
||||||
|
background: activeTab === "intents" ? "rgba(0,212,255,0.15)" : "rgba(255,255,255,0.04)",
|
||||||
|
border: activeTab === "intents" ? "1px solid rgba(0,212,255,0.4)" : "1px solid rgba(255,255,255,0.08)",
|
||||||
|
color: activeTab === "intents" ? "#00d4ff" : "rgba(255,255,255,0.5)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
EVM Address Intents
|
||||||
|
{intentsData && intentsData.length > 0 && (
|
||||||
|
<span className="ml-2 px-1.5 py-0.5 rounded-full text-xs" style={{ background: "rgba(0,212,255,0.2)", color: "#00d4ff" }}>
|
||||||
|
{intentsData.length}
|
||||||
|
</span>
|
||||||
|
)}
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
onClick={() => setActiveTab("settings")}
|
||||||
|
className="px-4 py-2 rounded-xl text-sm font-semibold transition-all"
|
||||||
|
style={{
|
||||||
|
background: activeTab === "settings" ? "rgba(0,230,118,0.15)" : "rgba(255,255,255,0.04)",
|
||||||
|
border: activeTab === "settings" ? "1px solid rgba(0,230,118,0.4)" : "1px solid rgba(255,255,255,0.08)",
|
||||||
|
color: activeTab === "settings" ? "#00e676" : "rgba(255,255,255,0.5)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
⚙️ Site Settings
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* ── EVM Intents Table ── */}
|
||||||
|
{activeTab === "intents" && (
|
||||||
|
<div className="rounded-2xl overflow-hidden mb-6" style={{ background: "rgba(255,255,255,0.02)", border: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
<div className="px-5 py-4" style={{ borderBottom: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
<h3 className="font-semibold text-white/80" style={{ fontFamily: "'Space Grotesk', sans-serif" }}>
|
||||||
|
Pending EVM Address Intents
|
||||||
|
<span className="text-white/40 text-sm ml-2">(users who submitted EVM address but payment not yet detected)</span>
|
||||||
|
</h3>
|
||||||
|
</div>
|
||||||
|
<div className="overflow-x-auto">
|
||||||
|
{intentsLoading ? (
|
||||||
|
<div className="text-center py-12 text-white/40">Loading...</div>
|
||||||
|
) : !intentsData?.length ? (
|
||||||
|
<div className="text-center py-12 text-white/40">No pending intents</div>
|
||||||
|
) : (
|
||||||
|
<table className="w-full text-sm">
|
||||||
|
<thead>
|
||||||
|
<tr style={{ borderBottom: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
{["ID", "EVM Address", "Expected USDT", "Matched", "Created"].map(h => (
|
||||||
|
<th key={h} className="px-4 py-3 text-left text-xs font-semibold uppercase tracking-wider text-white/40">{h}</th>
|
||||||
|
))}
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody>
|
||||||
|
{intentsData.map((intent, i) => (
|
||||||
|
<tr
|
||||||
|
key={intent.id}
|
||||||
|
style={{
|
||||||
|
borderBottom: "1px solid rgba(255,255,255,0.04)",
|
||||||
|
background: i % 2 === 0 ? "transparent" : "rgba(255,255,255,0.01)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<td className="px-4 py-3 text-white/60">{intent.id}</td>
|
||||||
|
<td className="px-4 py-3">
|
||||||
|
<span className="text-xs font-mono" style={{ color: "#00d4ff" }}>
|
||||||
|
{intent.evmAddress.slice(0, 10)}...{intent.evmAddress.slice(-8)}
|
||||||
|
</span>
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3 text-white/60">
|
||||||
|
{intent.expectedUsdt ? `$${intent.expectedUsdt.toFixed(2)}` : "—"}
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3">
|
||||||
|
<span className="text-xs px-2 py-1 rounded-full" style={{
|
||||||
|
background: intent.matched ? "rgba(0,230,118,0.15)" : "rgba(240,180,41,0.15)",
|
||||||
|
color: intent.matched ? "#00e676" : "#f0b429",
|
||||||
|
}}>
|
||||||
|
{intent.matched ? "Matched" : "Pending"}
|
||||||
|
</span>
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3 text-white/40 text-xs">
|
||||||
|
{new Date(intent.createdAt).toLocaleString()}
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
))}
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* ── Purchases Table ── */}
|
||||||
|
{activeTab === "purchases" && (
|
||||||
|
<div className="rounded-2xl overflow-hidden" style={{ background: "rgba(255,255,255,0.02)", border: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
{/* Table Header */}
|
||||||
|
<div className="flex items-center justify-between px-5 py-4" style={{ borderBottom: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
<h3 className="font-semibold text-white/80" style={{ fontFamily: "'Space Grotesk', sans-serif" }}>
|
||||||
|
TRC20 Purchases
|
||||||
|
{purchasesData && <span className="text-white/40 text-sm ml-2">({purchasesData.total} total)</span>}
|
||||||
|
</h3>
|
||||||
|
<div className="flex items-center gap-3">
|
||||||
|
{/* Status Filter */}
|
||||||
|
<select
|
||||||
|
value={statusFilter}
|
||||||
|
onChange={e => { setStatusFilter(e.target.value as typeof statusFilter); setPage(1); }}
|
||||||
|
className="px-3 py-1.5 rounded-lg text-sm"
|
||||||
|
style={{ background: "rgba(255,255,255,0.06)", border: "1px solid rgba(255,255,255,0.12)", color: "white" }}
|
||||||
|
>
|
||||||
|
<option value="all">All Status</option>
|
||||||
|
<option value="pending">Pending</option>
|
||||||
|
<option value="confirmed">Confirmed</option>
|
||||||
|
<option value="distributed">Distributed</option>
|
||||||
|
<option value="failed">Failed</option>
|
||||||
|
</select>
|
||||||
|
{/* Export */}
|
||||||
|
<button
|
||||||
|
onClick={handleExport}
|
||||||
|
className="px-4 py-1.5 rounded-lg text-sm font-semibold transition-all"
|
||||||
|
style={{ background: "rgba(0,212,255,0.1)", border: "1px solid rgba(0,212,255,0.3)", color: "#00d4ff" }}
|
||||||
|
>
|
||||||
|
Export CSV
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Table */}
|
||||||
|
<div className="overflow-x-auto">
|
||||||
|
{isLoading ? (
|
||||||
|
<div className="text-center py-12 text-white/40">Loading...</div>
|
||||||
|
) : !purchasesData?.purchases?.length ? (
|
||||||
|
<div className="text-center py-12 text-white/40">No purchases found</div>
|
||||||
|
) : (
|
||||||
|
<table className="w-full text-sm">
|
||||||
|
<thead>
|
||||||
|
<tr style={{ borderBottom: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
{["ID", "TX Hash", "From (TRON)", "EVM Address", "USDT", "XIC", "Status", "Created", "Action"].map(h => (
|
||||||
|
<th key={h} className="px-4 py-3 text-left text-xs font-semibold uppercase tracking-wider text-white/40">{h}</th>
|
||||||
|
))}
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody>
|
||||||
|
{purchasesData.purchases.map((p, i) => (
|
||||||
|
<tr
|
||||||
|
key={p.id}
|
||||||
|
style={{
|
||||||
|
borderBottom: "1px solid rgba(255,255,255,0.04)",
|
||||||
|
background: i % 2 === 0 ? "transparent" : "rgba(255,255,255,0.01)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<td className="px-4 py-3 text-white/60">{p.id}</td>
|
||||||
|
<td className="px-4 py-3">
|
||||||
|
<a
|
||||||
|
href={`https://tronscan.org/#/transaction/${p.txHash}`}
|
||||||
|
target="_blank"
|
||||||
|
rel="noopener noreferrer"
|
||||||
|
className="text-xs font-mono hover:underline"
|
||||||
|
style={{ color: "#00d4ff" }}
|
||||||
|
>
|
||||||
|
{p.txHash.slice(0, 8)}...{p.txHash.slice(-6)}
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3">{formatAddress(p.fromAddress)}</td>
|
||||||
|
<td className="px-4 py-3">
|
||||||
|
{p.evmAddress ? (
|
||||||
|
<span className="text-xs font-mono text-green-400">
|
||||||
|
{p.evmAddress.slice(0, 8)}...{p.evmAddress.slice(-6)}
|
||||||
|
</span>
|
||||||
|
) : (
|
||||||
|
<span className="text-xs text-red-400">⚠ No EVM addr</span>
|
||||||
|
)}
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3 font-semibold" style={{ color: "#f0b429" }}>
|
||||||
|
${p.usdtAmount.toFixed(2)}
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3 text-white/70">
|
||||||
|
{(p.xicAmount / 1e6).toFixed(2)}M
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3">
|
||||||
|
<StatusBadge status={p.status} />
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3 text-white/40 text-xs">
|
||||||
|
{new Date(p.createdAt).toLocaleDateString()}
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3">
|
||||||
|
{p.status === "confirmed" && (
|
||||||
|
<div className="flex items-center gap-2">
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
placeholder="TX hash (optional)"
|
||||||
|
value={distributeTxInput[p.id] || ""}
|
||||||
|
onChange={e => setDistributeTxInput(prev => ({ ...prev, [p.id]: e.target.value }))}
|
||||||
|
className="px-2 py-1 rounded text-xs w-32"
|
||||||
|
style={{ background: "rgba(255,255,255,0.05)", border: "1px solid rgba(255,255,255,0.1)", color: "white" }}
|
||||||
|
/>
|
||||||
|
<button
|
||||||
|
onClick={() => handleMarkDistributed(p.id)}
|
||||||
|
disabled={markingId === p.id}
|
||||||
|
className="px-3 py-1 rounded-lg text-xs font-semibold transition-all whitespace-nowrap"
|
||||||
|
style={{ background: "rgba(0,230,118,0.15)", border: "1px solid rgba(0,230,118,0.3)", color: "#00e676" }}
|
||||||
|
>
|
||||||
|
{markingId === p.id ? "..." : "Mark Distributed"}
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
{p.status === "distributed" && p.distributeTxHash && (
|
||||||
|
<a
|
||||||
|
href={`https://bscscan.com/tx/${p.distributeTxHash}`}
|
||||||
|
target="_blank"
|
||||||
|
rel="noopener noreferrer"
|
||||||
|
className="text-xs hover:underline"
|
||||||
|
style={{ color: "#00e676" }}
|
||||||
|
>
|
||||||
|
View TX ↗
|
||||||
|
</a>
|
||||||
|
)}
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
))}
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Pagination */}
|
||||||
|
{purchasesData && purchasesData.total > 20 && (
|
||||||
|
<div className="flex items-center justify-between px-5 py-4" style={{ borderTop: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
<span className="text-xs text-white/40">
|
||||||
|
Showing {((page - 1) * 20) + 1}–{Math.min(page * 20, purchasesData.total)} of {purchasesData.total}
|
||||||
|
</span>
|
||||||
|
<div className="flex gap-2">
|
||||||
|
<button
|
||||||
|
onClick={() => setPage(p => Math.max(1, p - 1))}
|
||||||
|
disabled={page === 1}
|
||||||
|
className="px-3 py-1.5 rounded-lg text-xs font-semibold transition-all disabled:opacity-30"
|
||||||
|
style={{ background: "rgba(255,255,255,0.06)", border: "1px solid rgba(255,255,255,0.1)", color: "white" }}
|
||||||
|
>
|
||||||
|
← Prev
|
||||||
|
</button>
|
||||||
|
<span className="px-3 py-1.5 text-xs text-white/60">Page {page}</span>
|
||||||
|
<button
|
||||||
|
onClick={() => setPage(p => p + 1)}
|
||||||
|
disabled={page * 20 >= purchasesData.total}
|
||||||
|
className="px-3 py-1.5 rounded-lg text-xs font-semibold transition-all disabled:opacity-30"
|
||||||
|
style={{ background: "rgba(255,255,255,0.06)", border: "1px solid rgba(255,255,255,0.1)", color: "white" }}
|
||||||
|
>
|
||||||
|
Next →
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* ── Site Settings Panel ── */}
|
||||||
|
{activeTab === "settings" && (
|
||||||
|
<SettingsPanel token={token} />
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* ── Instructions ── */}
|
||||||
|
{activeTab !== "settings" && (
|
||||||
|
<div className="mt-6 rounded-2xl p-5" style={{ background: "rgba(0,212,255,0.04)", border: "1px solid rgba(0,212,255,0.15)" }}>
|
||||||
|
<h3 className="text-sm font-semibold text-cyan-400 mb-3">Distribution Workflow</h3>
|
||||||
|
<div className="space-y-2 text-sm text-white/60">
|
||||||
|
<p>1. <strong className="text-white/80">Confirmed</strong> = TRC20 USDT received, waiting for XIC distribution</p>
|
||||||
|
<p>2. Check if buyer provided an EVM address (0x...) — shown in "EVM Address" column</p>
|
||||||
|
<p>3. Send XIC tokens from operator wallet to buyer's EVM address on BSC</p>
|
||||||
|
<p>4. Enter the BSC distribution TX hash and click <strong className="text-white/80">"Mark Distributed"</strong></p>
|
||||||
|
<p>5. <strong className="text-white/80">No EVM address?</strong> Contact buyer via Telegram/email to get their BSC address</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ─── Main Component ───────────────────────────────────────────────────────────
|
||||||
|
export default function Admin() {
|
||||||
|
const [token, setToken] = useState<string | null>(() => {
|
||||||
|
return sessionStorage.getItem("nac-admin-token");
|
||||||
|
});
|
||||||
|
|
||||||
|
const handleLogin = (t: string) => {
|
||||||
|
sessionStorage.setItem("nac-admin-token", t);
|
||||||
|
setToken(t);
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleLogout = () => {
|
||||||
|
sessionStorage.removeItem("nac-admin-token");
|
||||||
|
setToken(null);
|
||||||
|
};
|
||||||
|
|
||||||
|
if (!token) {
|
||||||
|
return <LoginForm onLogin={handleLogin} />;
|
||||||
|
}
|
||||||
|
|
||||||
|
return <Dashboard token={token} onLogout={handleLogout} />;
|
||||||
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
|
|
@ -0,0 +1,52 @@
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
import { Card, CardContent } from "@/components/ui/card";
|
||||||
|
import { AlertCircle, Home } from "lucide-react";
|
||||||
|
import { useLocation } from "wouter";
|
||||||
|
|
||||||
|
export default function NotFound() {
|
||||||
|
const [, setLocation] = useLocation();
|
||||||
|
|
||||||
|
const handleGoHome = () => {
|
||||||
|
setLocation("/");
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="min-h-screen w-full flex items-center justify-center bg-gradient-to-br from-slate-50 to-slate-100">
|
||||||
|
<Card className="w-full max-w-lg mx-4 shadow-lg border-0 bg-white/80 backdrop-blur-sm">
|
||||||
|
<CardContent className="pt-8 pb-8 text-center">
|
||||||
|
<div className="flex justify-center mb-6">
|
||||||
|
<div className="relative">
|
||||||
|
<div className="absolute inset-0 bg-red-100 rounded-full animate-pulse" />
|
||||||
|
<AlertCircle className="relative h-16 w-16 text-red-500" />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<h1 className="text-4xl font-bold text-slate-900 mb-2">404</h1>
|
||||||
|
|
||||||
|
<h2 className="text-xl font-semibold text-slate-700 mb-4">
|
||||||
|
Page Not Found
|
||||||
|
</h2>
|
||||||
|
|
||||||
|
<p className="text-slate-600 mb-8 leading-relaxed">
|
||||||
|
Sorry, the page you are looking for doesn't exist.
|
||||||
|
<br />
|
||||||
|
It may have been moved or deleted.
|
||||||
|
</p>
|
||||||
|
|
||||||
|
<div
|
||||||
|
id="not-found-button-group"
|
||||||
|
className="flex flex-col sm:flex-row gap-3 justify-center"
|
||||||
|
>
|
||||||
|
<Button
|
||||||
|
onClick={handleGoHome}
|
||||||
|
className="bg-blue-600 hover:bg-blue-700 text-white px-6 py-2.5 rounded-lg transition-all duration-200 shadow-md hover:shadow-lg"
|
||||||
|
>
|
||||||
|
<Home className="w-4 h-4 mr-2" />
|
||||||
|
Go Home
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,737 @@
|
||||||
|
/**
|
||||||
|
* Purchase Tutorial Page
|
||||||
|
* Detailed step-by-step guide for BSC/ETH/TRC20 purchases
|
||||||
|
* Covers 7 wallets: MetaMask, Trust Wallet, OKX, Binance Web3, TokenPocket, imToken, WalletConnect
|
||||||
|
*/
|
||||||
|
import { useState } from "react";
|
||||||
|
import { Link } from "wouter";
|
||||||
|
|
||||||
|
// ─── Types ────────────────────────────────────────────────────────────────────
|
||||||
|
type WalletId = "metamask" | "trust" | "okx" | "binance" | "tokenpocket" | "imtoken" | "walletconnect";
|
||||||
|
type ChainId = "bsc" | "eth" | "tron";
|
||||||
|
|
||||||
|
// ─── Constants ────────────────────────────────────────────────────────────────
|
||||||
|
const RECEIVING_ADDRESSES = {
|
||||||
|
trc20: "TWc2ugYBFN5aSoimAh4qGt9oMyket6NYZp",
|
||||||
|
erc20: "0x43DAb577f3279e11D311E7d628C6201d893A9Aa3",
|
||||||
|
};
|
||||||
|
|
||||||
|
const CONTRACTS = {
|
||||||
|
bsc: {
|
||||||
|
presale: "0xc65e7a2738ed884db8d26a6eb2fecf7daca2e90c",
|
||||||
|
usdt: "0x55d398326f99059fF775485246999027B3197955",
|
||||||
|
explorer: "https://bscscan.com",
|
||||||
|
},
|
||||||
|
eth: {
|
||||||
|
presale: "0x85AB2F2d9f7ca7ecB272b5E8726c70f3fd45D1E3",
|
||||||
|
usdt: "0xdAC17F958D2ee523a2206206994597C13D831ec7",
|
||||||
|
explorer: "https://etherscan.io",
|
||||||
|
},
|
||||||
|
};
|
||||||
|
|
||||||
|
// ─── Wallet Config ────────────────────────────────────────────────────────────
|
||||||
|
const WALLETS: Array<{
|
||||||
|
id: WalletId;
|
||||||
|
name: string;
|
||||||
|
icon: string;
|
||||||
|
chains: ChainId[];
|
||||||
|
color: string;
|
||||||
|
downloadUrl: string;
|
||||||
|
}> = [
|
||||||
|
{
|
||||||
|
id: "metamask",
|
||||||
|
name: "MetaMask",
|
||||||
|
icon: "🦊",
|
||||||
|
chains: ["bsc", "eth"],
|
||||||
|
color: "#E8831D",
|
||||||
|
downloadUrl: "https://metamask.io/download/",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "trust",
|
||||||
|
name: "Trust Wallet",
|
||||||
|
icon: "🛡️",
|
||||||
|
chains: ["bsc", "eth", "tron"],
|
||||||
|
color: "#3375BB",
|
||||||
|
downloadUrl: "https://trustwallet.com/download",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "okx",
|
||||||
|
name: "OKX Wallet",
|
||||||
|
icon: "⭕",
|
||||||
|
chains: ["bsc", "eth", "tron"],
|
||||||
|
color: "#000000",
|
||||||
|
downloadUrl: "https://www.okx.com/web3",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "binance",
|
||||||
|
name: "Binance Web3",
|
||||||
|
icon: "🔶",
|
||||||
|
chains: ["bsc", "eth"],
|
||||||
|
color: "#F0B90B",
|
||||||
|
downloadUrl: "https://www.binance.com/en/web3wallet",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "tokenpocket",
|
||||||
|
name: "TokenPocket",
|
||||||
|
icon: "💼",
|
||||||
|
chains: ["bsc", "eth", "tron"],
|
||||||
|
color: "#2980FE",
|
||||||
|
downloadUrl: "https://www.tokenpocket.pro/",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "imtoken",
|
||||||
|
name: "imToken",
|
||||||
|
icon: "💎",
|
||||||
|
chains: ["bsc", "eth"],
|
||||||
|
color: "#11C4D1",
|
||||||
|
downloadUrl: "https://token.im/download",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: "walletconnect",
|
||||||
|
name: "WalletConnect",
|
||||||
|
icon: "🔗",
|
||||||
|
chains: ["bsc", "eth"],
|
||||||
|
color: "#3B99FC",
|
||||||
|
downloadUrl: "https://walletconnect.com/",
|
||||||
|
},
|
||||||
|
];
|
||||||
|
|
||||||
|
// ─── Tutorial Content ─────────────────────────────────────────────────────────
|
||||||
|
function getWalletSteps(walletId: WalletId, chain: ChainId): Array<{ title: string; desc: string; tip?: string }> {
|
||||||
|
const isTron = chain === "tron";
|
||||||
|
|
||||||
|
// EVM wallet steps for BSC/ETH
|
||||||
|
const evmSteps: Record<WalletId, Array<{ title: string; desc: string; tip?: string }>> = {
|
||||||
|
metamask: [
|
||||||
|
{
|
||||||
|
title: "Install MetaMask",
|
||||||
|
desc: "Download MetaMask from metamask.io or your browser's extension store. Create a new wallet or import an existing one. Securely backup your seed phrase.",
|
||||||
|
tip: "MetaMask is available as a browser extension (Chrome, Firefox, Edge) and as a mobile app.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Add Network",
|
||||||
|
desc: chain === "bsc"
|
||||||
|
? "In MetaMask, click the network dropdown at the top. Select 'Add Network' → 'Add a network manually'. Enter: Network Name: BNB Smart Chain, RPC URL: https://bsc-dataseed.binance.org/, Chain ID: 56, Symbol: BNB, Explorer: https://bscscan.com"
|
||||||
|
: "Ethereum Mainnet is pre-configured in MetaMask. Simply select 'Ethereum Mainnet' from the network dropdown.",
|
||||||
|
tip: chain === "bsc" ? "You can also add BSC automatically via chainlist.org" : undefined,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Get USDT",
|
||||||
|
desc: chain === "bsc"
|
||||||
|
? "Purchase BEP-20 USDT on Binance, OKX, or any exchange. Withdraw to your MetaMask address on the BSC network. Make sure you also have some BNB for gas fees."
|
||||||
|
: "Purchase ERC-20 USDT on any exchange. Withdraw to your MetaMask address on the Ethereum network. You'll need ETH for gas fees.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Connect to Presale",
|
||||||
|
desc: "Return to the presale page and click 'Connect Wallet' in the top-right corner. MetaMask will prompt you to connect — click 'Connect'. Your wallet address will appear in the navigation bar.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Find Your EVM Address",
|
||||||
|
desc: "Your EVM address is shown at the top of MetaMask (starts with 0x). Click it to copy. This is the address where your XIC tokens will be sent.",
|
||||||
|
tip: "Your BSC and ETH address are the same in MetaMask.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Purchase XIC",
|
||||||
|
desc: `Select the ${chain.toUpperCase()} tab on the presale page. Enter the USDT amount you want to spend. Click 'Buy XIC' — you'll need to approve USDT spending first, then confirm the purchase transaction.`,
|
||||||
|
tip: "Two transactions are required: first approve USDT, then confirm purchase. Both require small gas fees.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
trust: [
|
||||||
|
{
|
||||||
|
title: "Install Trust Wallet",
|
||||||
|
desc: "Download Trust Wallet from trustwallet.com or your app store. Create a new wallet and securely backup your 12-word recovery phrase.",
|
||||||
|
tip: "Trust Wallet is a mobile-first wallet supporting 100+ blockchains.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Select Network",
|
||||||
|
desc: chain === "bsc"
|
||||||
|
? "In Trust Wallet, tap the network icon at the top. Search for 'Smart Chain' and select 'BNB Smart Chain'. Your wallet is now on BSC."
|
||||||
|
: "In Trust Wallet, tap the network icon and select 'Ethereum'. Your wallet is now on Ethereum mainnet.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Get USDT",
|
||||||
|
desc: chain === "bsc"
|
||||||
|
? "Buy BEP-20 USDT via Trust Wallet's built-in swap or transfer from an exchange. Also get some BNB for gas fees."
|
||||||
|
: "Buy ERC-20 USDT via the built-in swap or transfer from an exchange. Also get some ETH for gas fees.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Find Your EVM Address",
|
||||||
|
desc: "Tap on your wallet address at the top of the screen to copy it. This 0x address is your EVM address for receiving XIC tokens.",
|
||||||
|
tip: "Your BSC and ETH addresses are identical in Trust Wallet.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Use WalletConnect",
|
||||||
|
desc: "On the presale page, click 'Connect Wallet'. If WalletConnect option appears, select it. Open Trust Wallet, go to Settings → WalletConnect, and scan the QR code shown on the presale page.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Purchase XIC",
|
||||||
|
desc: `Select the ${chain.toUpperCase()} tab. Enter USDT amount and tap 'Buy XIC'. Trust Wallet will prompt you to approve USDT and confirm the purchase.`,
|
||||||
|
},
|
||||||
|
],
|
||||||
|
okx: [
|
||||||
|
{
|
||||||
|
title: "Install OKX Wallet",
|
||||||
|
desc: "Download OKX Wallet from okx.com/web3 or the app store. Create or import a wallet. The OKX Wallet supports both browser extension and mobile.",
|
||||||
|
tip: "OKX Wallet supports 100+ networks including BSC, ETH, and TRON.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Select Network",
|
||||||
|
desc: chain === "bsc"
|
||||||
|
? "In OKX Wallet, click the network selector. Search for 'BNB Chain' and select it."
|
||||||
|
: "Select 'Ethereum' from the network list in OKX Wallet.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Get USDT",
|
||||||
|
desc: "Transfer USDT from OKX Exchange to your OKX Wallet address. Make sure to select the correct network (BSC or ETH).",
|
||||||
|
tip: "OKX Exchange users can transfer directly to OKX Wallet with zero fees.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Find Your EVM Address",
|
||||||
|
desc: "Your wallet address is shown on the main screen. Tap/click to copy it. This is your EVM address for receiving XIC tokens.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Connect & Purchase",
|
||||||
|
desc: "On the presale page, click 'Connect Wallet'. OKX Wallet will appear as an option. Approve the connection, then select the network tab and enter your USDT amount to purchase.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
binance: [
|
||||||
|
{
|
||||||
|
title: "Access Binance Web3 Wallet",
|
||||||
|
desc: "Open the Binance app. Tap the 'Web3' tab at the bottom. If you don't have a Web3 wallet yet, follow the setup wizard to create one.",
|
||||||
|
tip: "Binance Web3 Wallet is built into the Binance app — no separate download needed.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Select Network",
|
||||||
|
desc: chain === "bsc"
|
||||||
|
? "In the Web3 wallet, tap the network selector and choose 'BNB Chain'."
|
||||||
|
: "Select 'Ethereum' from the network options.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Transfer USDT",
|
||||||
|
desc: "From your Binance Spot wallet, transfer USDT to your Web3 wallet. Tap 'Transfer' → 'To Web3 Wallet'. Select the correct network.",
|
||||||
|
tip: "Transfers between Binance Spot and Web3 Wallet are instant and free.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Find Your EVM Address",
|
||||||
|
desc: "In the Web3 wallet, tap your wallet name at the top to see and copy your address. This is your EVM address.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Connect & Purchase",
|
||||||
|
desc: "In the Binance app, tap 'Discover' and enter the presale URL. Or use the browser on the presale page and connect via WalletConnect. Approve the connection and proceed to purchase.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
tokenpocket: [
|
||||||
|
{
|
||||||
|
title: "Install TokenPocket",
|
||||||
|
desc: "Download TokenPocket from tokenpocket.pro. Available on iOS, Android, and as a browser extension. Create or import your wallet.",
|
||||||
|
tip: "TokenPocket is one of the most popular multi-chain wallets in Asia.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Select Network",
|
||||||
|
desc: chain === "bsc"
|
||||||
|
? "In TokenPocket, tap the network selector at the top. Select 'BSC' (BNB Smart Chain)."
|
||||||
|
: chain === "tron"
|
||||||
|
? "Select 'TRON' from the network list."
|
||||||
|
: "Select 'ETH' (Ethereum) from the network list.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Get USDT",
|
||||||
|
desc: chain === "tron"
|
||||||
|
? "Transfer TRC20 USDT to your TRON address in TokenPocket. Also get some TRX for transaction fees."
|
||||||
|
: `Transfer ${chain === "bsc" ? "BEP-20" : "ERC-20"} USDT to your wallet. Also get ${chain === "bsc" ? "BNB" : "ETH"} for gas.`,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Find Your Address",
|
||||||
|
desc: chain === "tron"
|
||||||
|
? "Your TRON address starts with 'T'. Your EVM address (for receiving XIC) starts with '0x'. Both are shown in your wallet — make sure to note your EVM address."
|
||||||
|
: "Your EVM address starts with '0x'. Tap it to copy.",
|
||||||
|
tip: chain === "tron" ? "XIC tokens are on BSC, so you need to provide your EVM (0x) address to receive them." : undefined,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Connect & Purchase",
|
||||||
|
desc: chain === "tron"
|
||||||
|
? "Send TRC20 USDT to the presale receiving address. Enter your EVM address in the memo/note field so we can send your XIC tokens to the right address."
|
||||||
|
: "Use the built-in DApp browser in TokenPocket to visit the presale page, or connect via WalletConnect.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
imtoken: [
|
||||||
|
{
|
||||||
|
title: "Install imToken",
|
||||||
|
desc: "Download imToken from token.im. Available on iOS and Android. Create a new wallet or import an existing one.",
|
||||||
|
tip: "imToken is a trusted Ethereum-focused wallet with strong security features.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Select Network",
|
||||||
|
desc: chain === "bsc"
|
||||||
|
? "In imToken, tap the network icon and select 'ETH' then switch to 'BSC' in the network settings. Or add BSC as a custom network."
|
||||||
|
: "imToken defaults to Ethereum. Select 'ETH' from the wallet list.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Get USDT",
|
||||||
|
desc: `Transfer ${chain === "bsc" ? "BEP-20" : "ERC-20"} USDT to your imToken address. Also ensure you have ${chain === "bsc" ? "BNB" : "ETH"} for gas fees.`,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Find Your EVM Address",
|
||||||
|
desc: "Your wallet address is shown at the top of the imToken screen. Tap to copy it. This is your EVM address for receiving XIC tokens.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Connect via DApp Browser",
|
||||||
|
desc: "In imToken, tap 'Browser' at the bottom. Enter the presale URL. Connect your wallet when prompted. Then select the network and purchase XIC.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
walletconnect: [
|
||||||
|
{
|
||||||
|
title: "What is WalletConnect?",
|
||||||
|
desc: "WalletConnect is a protocol that connects your mobile wallet to desktop dApps by scanning a QR code. It works with 300+ wallets including Trust Wallet, MetaMask Mobile, OKX Wallet, and more.",
|
||||||
|
tip: "WalletConnect v2 supports multiple chains simultaneously.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Prepare Your Mobile Wallet",
|
||||||
|
desc: "Make sure you have a WalletConnect-compatible wallet installed (Trust Wallet, MetaMask Mobile, OKX Wallet, etc.) with USDT and gas tokens ready on BSC or ETH.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Initiate Connection",
|
||||||
|
desc: "On the presale page (desktop), click 'Connect Wallet'. If a WalletConnect option appears, select it. A QR code will appear on screen.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Scan QR Code",
|
||||||
|
desc: "Open your mobile wallet app. Find the WalletConnect scanner (usually in Settings or the scan icon). Scan the QR code shown on the desktop presale page.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Approve Connection",
|
||||||
|
desc: "Your mobile wallet will ask you to approve the connection to the presale site. Review the details and tap 'Approve' or 'Connect'.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Purchase XIC",
|
||||||
|
desc: "Your wallet is now connected. On the desktop presale page, select the network, enter USDT amount, and click 'Buy XIC'. Approve each transaction on your mobile wallet.",
|
||||||
|
tip: "Keep your phone nearby — each transaction requires approval on your mobile wallet.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
};
|
||||||
|
|
||||||
|
// TRON-specific steps for TRC20 purchases
|
||||||
|
const tronSteps: Record<string, Array<{ title: string; desc: string; tip?: string }>> = {
|
||||||
|
trust: [
|
||||||
|
{
|
||||||
|
title: "Open Trust Wallet",
|
||||||
|
desc: "Open Trust Wallet and switch to the TRON network. Tap the network selector at the top and choose 'TRON'.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Get TRC20 USDT",
|
||||||
|
desc: "Transfer TRC20 USDT to your TRON address. Also ensure you have at least 5-10 TRX for transaction fees.",
|
||||||
|
tip: "TRC20 USDT transfers are fast and cheap (usually < $0.01 in TRX fees).",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Find Your TRON Address",
|
||||||
|
desc: "Your TRON address starts with 'T'. Tap it to copy. This is the address you'll send FROM.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Find Your EVM Address",
|
||||||
|
desc: "Switch to the BSC or ETH network in Trust Wallet. Your 0x address is your EVM address. Copy it — you'll need it to receive XIC tokens.",
|
||||||
|
tip: "Your BSC and ETH addresses are the same 0x address.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Send TRC20 USDT",
|
||||||
|
desc: `Send TRC20 USDT to: ${RECEIVING_ADDRESSES.trc20}. In the Memo/Note field, enter your EVM (0x) address so we know where to send your XIC tokens.`,
|
||||||
|
tip: "The memo field is crucial! Without it, we cannot automatically distribute your XIC tokens.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Wait for Distribution",
|
||||||
|
desc: "After your TRC20 USDT payment is confirmed (usually 1-3 minutes), XIC tokens will be distributed to your EVM address within 1-24 hours.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
okx: [
|
||||||
|
{
|
||||||
|
title: "Switch to TRON",
|
||||||
|
desc: "In OKX Wallet, tap the network selector and choose 'TRON'. Your TRON address starts with 'T'.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Get TRC20 USDT",
|
||||||
|
desc: "Transfer TRC20 USDT from OKX Exchange to your OKX Wallet TRON address. Also get some TRX for fees.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Note Your EVM Address",
|
||||||
|
desc: "Switch to BSC or ETH network in OKX Wallet. Copy your 0x address — this is where XIC tokens will be sent.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Send with Memo",
|
||||||
|
desc: `Send TRC20 USDT to: ${RECEIVING_ADDRESSES.trc20}. In the 'Memo' or 'Note' field, enter your 0x EVM address.`,
|
||||||
|
tip: "OKX Wallet supports memo fields for TRON transfers.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Confirm & Wait",
|
||||||
|
desc: "Confirm the transaction. Your XIC tokens will be distributed to your EVM address within 1-24 hours after confirmation.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
tokenpocket: [
|
||||||
|
{
|
||||||
|
title: "Switch to TRON",
|
||||||
|
desc: "In TokenPocket, tap the network selector and choose 'TRON'. Your TRON address starts with 'T'.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Get TRC20 USDT",
|
||||||
|
desc: "Transfer TRC20 USDT to your TRON address. Also get TRX for transaction fees.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Note Your EVM Address",
|
||||||
|
desc: "Switch to BSC or ETH in TokenPocket. Copy your 0x address — XIC tokens will be sent here.",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Send with Memo",
|
||||||
|
desc: `In TokenPocket TRON, send USDT to: ${RECEIVING_ADDRESSES.trc20}. Add your 0x EVM address in the memo field.`,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
title: "Track & Receive",
|
||||||
|
desc: "Your XIC tokens will arrive at your EVM address within 1-24 hours after the TRON transaction is confirmed.",
|
||||||
|
},
|
||||||
|
],
|
||||||
|
};
|
||||||
|
|
||||||
|
if (isTron && tronSteps[walletId]) {
|
||||||
|
return tronSteps[walletId];
|
||||||
|
}
|
||||||
|
|
||||||
|
return evmSteps[walletId] || evmSteps.metamask;
|
||||||
|
}
|
||||||
|
|
||||||
|
// ─── Step Component ───────────────────────────────────────────────────────────
|
||||||
|
function StepCard({ num, title, desc, tip }: { num: number; title: string; desc: string; tip?: string }) {
|
||||||
|
return (
|
||||||
|
<div className="flex gap-4 p-4 rounded-xl" style={{ background: "rgba(255,255,255,0.03)", border: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
<div
|
||||||
|
className="flex-shrink-0 w-8 h-8 rounded-full flex items-center justify-center text-sm font-bold"
|
||||||
|
style={{ background: "rgba(240,180,41,0.15)", border: "1px solid rgba(240,180,41,0.4)", color: "#f0b429", fontFamily: "'Space Grotesk', sans-serif" }}
|
||||||
|
>
|
||||||
|
{num}
|
||||||
|
</div>
|
||||||
|
<div className="flex-1 min-w-0">
|
||||||
|
<h4 className="font-semibold text-white/90 text-sm mb-1" style={{ fontFamily: "'Space Grotesk', sans-serif" }}>{title}</h4>
|
||||||
|
<p className="text-sm text-white/60 leading-relaxed">{desc}</p>
|
||||||
|
{tip && (
|
||||||
|
<div className="mt-2 px-3 py-2 rounded-lg text-xs" style={{ background: "rgba(0,212,255,0.06)", border: "1px solid rgba(0,212,255,0.15)", color: "#00d4ff" }}>
|
||||||
|
💡 {tip}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ─── Address Copy Box ─────────────────────────────────────────────────────────
|
||||||
|
function AddressBox({ label, address, onCopy }: { label: string; address: string; onCopy: (addr: string) => void }) {
|
||||||
|
return (
|
||||||
|
<div className="rounded-xl p-4" style={{ background: "rgba(0,212,255,0.05)", border: "1px solid rgba(0,212,255,0.2)" }}>
|
||||||
|
<p className="text-xs text-white/50 mb-2">{label}</p>
|
||||||
|
<div className="flex items-center gap-2">
|
||||||
|
<code className="flex-1 text-xs text-cyan-300 break-all" style={{ fontFamily: "'JetBrains Mono', monospace" }}>{address}</code>
|
||||||
|
<button
|
||||||
|
onClick={() => onCopy(address)}
|
||||||
|
className="flex-shrink-0 px-3 py-1 rounded-lg text-xs font-semibold transition-all"
|
||||||
|
style={{ background: "rgba(0,212,255,0.15)", border: "1px solid rgba(0,212,255,0.3)", color: "#00d4ff" }}
|
||||||
|
>
|
||||||
|
Copy
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ─── Main Tutorial Page ───────────────────────────────────────────────────────
|
||||||
|
export default function Tutorial() {
|
||||||
|
const [selectedWallet, setSelectedWallet] = useState<WalletId>("metamask");
|
||||||
|
const [selectedChain, setSelectedChain] = useState<ChainId>("bsc");
|
||||||
|
const [copiedAddr, setCopiedAddr] = useState<string | null>(null);
|
||||||
|
const [lang, setLang] = useState<"en" | "zh">("en");
|
||||||
|
|
||||||
|
const wallet = WALLETS.find(w => w.id === selectedWallet)!;
|
||||||
|
const availableChains = wallet.chains;
|
||||||
|
const effectiveChain = availableChains.includes(selectedChain) ? selectedChain : availableChains[0];
|
||||||
|
const steps = getWalletSteps(selectedWallet, effectiveChain);
|
||||||
|
|
||||||
|
const handleCopy = (addr: string) => {
|
||||||
|
navigator.clipboard.writeText(addr);
|
||||||
|
setCopiedAddr(addr);
|
||||||
|
setTimeout(() => setCopiedAddr(null), 2000);
|
||||||
|
};
|
||||||
|
|
||||||
|
const chainLabels: Record<ChainId, string> = {
|
||||||
|
bsc: "BSC (BEP-20)",
|
||||||
|
eth: "Ethereum (ERC-20)",
|
||||||
|
tron: "TRON (TRC-20)",
|
||||||
|
};
|
||||||
|
|
||||||
|
const chainColors: Record<ChainId, string> = {
|
||||||
|
bsc: "#F0B90B",
|
||||||
|
eth: "#627EEA",
|
||||||
|
tron: "#FF0013",
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="min-h-screen" style={{ background: "#0a0a0f" }}>
|
||||||
|
{/* ── Navigation ── */}
|
||||||
|
<nav className="fixed top-0 left-0 right-0 z-50 flex items-center justify-between px-6 py-4"
|
||||||
|
style={{ background: "rgba(10,10,15,0.9)", borderBottom: "1px solid rgba(240,180,41,0.1)", backdropFilter: "blur(12px)" }}>
|
||||||
|
<Link href="/">
|
||||||
|
<div className="flex items-center gap-3 cursor-pointer hover:opacity-80 transition-opacity">
|
||||||
|
<span className="text-2xl">←</span>
|
||||||
|
<div>
|
||||||
|
<span className="font-bold text-white" style={{ fontFamily: "'Space Grotesk', sans-serif" }}>New AssetChain</span>
|
||||||
|
<span className="ml-2 text-xs px-2 py-0.5 rounded-full font-semibold"
|
||||||
|
style={{ background: "rgba(0,212,255,0.15)", color: "#00d4ff", border: "1px solid rgba(0,212,255,0.3)" }}>
|
||||||
|
TUTORIAL
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</Link>
|
||||||
|
<div className="flex items-center gap-3">
|
||||||
|
<button
|
||||||
|
onClick={() => setLang(l => l === "en" ? "zh" : "en")}
|
||||||
|
className="px-3 py-1.5 rounded-lg text-sm font-semibold transition-all"
|
||||||
|
style={{ background: "rgba(255,255,255,0.06)", border: "1px solid rgba(255,255,255,0.12)", color: "rgba(255,255,255,0.7)" }}
|
||||||
|
>
|
||||||
|
{lang === "en" ? "中文" : "English"}
|
||||||
|
</button>
|
||||||
|
<Link href="/">
|
||||||
|
<button className="px-4 py-2 rounded-xl text-sm font-bold transition-all"
|
||||||
|
style={{ background: "linear-gradient(135deg, rgba(240,180,41,0.9) 0%, rgba(255,215,0,0.9) 100%)", color: "#0a0a0f" }}>
|
||||||
|
{lang === "en" ? "Buy XIC →" : "购买 XIC →"}
|
||||||
|
</button>
|
||||||
|
</Link>
|
||||||
|
</div>
|
||||||
|
</nav>
|
||||||
|
|
||||||
|
{/* ── Hero ── */}
|
||||||
|
<section className="pt-24 pb-8 px-4 text-center">
|
||||||
|
<div className="inline-flex items-center gap-2 mb-4 px-4 py-2 rounded-full text-sm font-semibold"
|
||||||
|
style={{ background: "rgba(0,212,255,0.1)", border: "1px solid rgba(0,212,255,0.3)", color: "#00d4ff" }}>
|
||||||
|
📖 {lang === "en" ? "Step-by-Step Purchase Guide" : "分步购买指南"}
|
||||||
|
</div>
|
||||||
|
<h1 className="text-3xl md:text-5xl font-bold mb-4"
|
||||||
|
style={{ fontFamily: "'Space Grotesk', sans-serif", background: "linear-gradient(135deg, #f0b429 0%, #ffd700 50%, #f0b429 100%)", WebkitBackgroundClip: "text", WebkitTextFillColor: "transparent" }}>
|
||||||
|
{lang === "en" ? "How to Buy XIC Tokens" : "如何购买 XIC 代币"}
|
||||||
|
</h1>
|
||||||
|
<p className="text-white/60 max-w-2xl mx-auto">
|
||||||
|
{lang === "en"
|
||||||
|
? "Choose your wallet and payment network below for a personalized step-by-step guide."
|
||||||
|
: "在下方选择您的钱包和支付网络,获取个性化的分步操作指南。"}
|
||||||
|
</p>
|
||||||
|
</section>
|
||||||
|
|
||||||
|
{/* ── Main Content ── */}
|
||||||
|
<div className="container mx-auto px-4 pb-16 max-w-5xl">
|
||||||
|
<div className="grid grid-cols-1 lg:grid-cols-3 gap-6">
|
||||||
|
|
||||||
|
{/* ── Left: Wallet & Chain Selector ── */}
|
||||||
|
<div className="lg:col-span-1 space-y-5">
|
||||||
|
{/* Wallet Selector */}
|
||||||
|
<div className="rounded-2xl p-5" style={{ background: "rgba(255,255,255,0.03)", border: "1px solid rgba(255,255,255,0.08)" }}>
|
||||||
|
<h3 className="text-xs font-semibold uppercase tracking-widest text-white/40 mb-4">
|
||||||
|
{lang === "en" ? "1. Select Your Wallet" : "1. 选择您的钱包"}
|
||||||
|
</h3>
|
||||||
|
<div className="space-y-2">
|
||||||
|
{WALLETS.map(w => (
|
||||||
|
<button
|
||||||
|
key={w.id}
|
||||||
|
onClick={() => {
|
||||||
|
setSelectedWallet(w.id);
|
||||||
|
if (!w.chains.includes(effectiveChain)) {
|
||||||
|
setSelectedChain(w.chains[0]);
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
className="w-full flex items-center gap-3 px-4 py-3 rounded-xl text-left transition-all"
|
||||||
|
style={{
|
||||||
|
background: selectedWallet === w.id ? `${w.color}20` : "rgba(255,255,255,0.02)",
|
||||||
|
border: selectedWallet === w.id ? `1px solid ${w.color}60` : "1px solid rgba(255,255,255,0.06)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<span className="text-xl">{w.icon}</span>
|
||||||
|
<div className="flex-1">
|
||||||
|
<div className="text-sm font-semibold" style={{ color: selectedWallet === w.id ? w.color : "rgba(255,255,255,0.8)", fontFamily: "'Space Grotesk', sans-serif" }}>
|
||||||
|
{w.name}
|
||||||
|
</div>
|
||||||
|
<div className="text-xs text-white/40">
|
||||||
|
{w.chains.map(c => c.toUpperCase()).join(" · ")}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{selectedWallet === w.id && (
|
||||||
|
<span className="text-xs font-bold" style={{ color: w.color }}>✓</span>
|
||||||
|
)}
|
||||||
|
</button>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Chain Selector */}
|
||||||
|
<div className="rounded-2xl p-5" style={{ background: "rgba(255,255,255,0.03)", border: "1px solid rgba(255,255,255,0.08)" }}>
|
||||||
|
<h3 className="text-xs font-semibold uppercase tracking-widest text-white/40 mb-4">
|
||||||
|
{lang === "en" ? "2. Select Payment Network" : "2. 选择支付网络"}
|
||||||
|
</h3>
|
||||||
|
<div className="space-y-2">
|
||||||
|
{(["bsc", "eth", "tron"] as ChainId[]).map(c => {
|
||||||
|
const isAvailable = availableChains.includes(c);
|
||||||
|
return (
|
||||||
|
<button
|
||||||
|
key={c}
|
||||||
|
onClick={() => isAvailable && setSelectedChain(c)}
|
||||||
|
disabled={!isAvailable}
|
||||||
|
className="w-full flex items-center gap-3 px-4 py-3 rounded-xl text-left transition-all"
|
||||||
|
style={{
|
||||||
|
background: effectiveChain === c ? `${chainColors[c]}20` : "rgba(255,255,255,0.02)",
|
||||||
|
border: effectiveChain === c ? `1px solid ${chainColors[c]}60` : "1px solid rgba(255,255,255,0.06)",
|
||||||
|
opacity: isAvailable ? 1 : 0.3,
|
||||||
|
cursor: isAvailable ? "pointer" : "not-allowed",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<span className="text-lg">
|
||||||
|
{c === "bsc" ? "🟡" : c === "eth" ? "🔵" : "🔴"}
|
||||||
|
</span>
|
||||||
|
<div>
|
||||||
|
<div className="text-sm font-semibold" style={{ color: effectiveChain === c ? chainColors[c] : "rgba(255,255,255,0.8)" }}>
|
||||||
|
{chainLabels[c]}
|
||||||
|
</div>
|
||||||
|
{!isAvailable && (
|
||||||
|
<div className="text-xs text-white/30">{lang === "en" ? "Not supported" : "不支持"}</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
{effectiveChain === c && isAvailable && (
|
||||||
|
<span className="ml-auto text-xs font-bold" style={{ color: chainColors[c] }}>✓</span>
|
||||||
|
)}
|
||||||
|
</button>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Download Link */}
|
||||||
|
<div className="rounded-xl p-4" style={{ background: "rgba(240,180,41,0.06)", border: "1px solid rgba(240,180,41,0.2)" }}>
|
||||||
|
<p className="text-xs text-white/50 mb-2">{lang === "en" ? "Don't have this wallet?" : "还没有这个钱包?"}</p>
|
||||||
|
<a
|
||||||
|
href={wallet.downloadUrl}
|
||||||
|
target="_blank"
|
||||||
|
rel="noopener noreferrer"
|
||||||
|
className="flex items-center gap-2 text-sm font-semibold transition-all hover:opacity-80"
|
||||||
|
style={{ color: "#f0b429" }}
|
||||||
|
>
|
||||||
|
<span>{wallet.icon}</span>
|
||||||
|
{lang === "en" ? `Download ${wallet.name} →` : `下载 ${wallet.name} →`}
|
||||||
|
</a>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* ── Right: Tutorial Steps ── */}
|
||||||
|
<div className="lg:col-span-2 space-y-5">
|
||||||
|
{/* Header */}
|
||||||
|
<div className="rounded-2xl p-5" style={{ background: "rgba(255,255,255,0.03)", border: "1px solid rgba(255,255,255,0.08)" }}>
|
||||||
|
<div className="flex items-center gap-3 mb-2">
|
||||||
|
<span className="text-3xl">{wallet.icon}</span>
|
||||||
|
<div>
|
||||||
|
<h2 className="text-xl font-bold text-white" style={{ fontFamily: "'Space Grotesk', sans-serif" }}>
|
||||||
|
{wallet.name} + {chainLabels[effectiveChain]}
|
||||||
|
</h2>
|
||||||
|
<p className="text-sm text-white/50">
|
||||||
|
{lang === "en" ? `${steps.length} steps to complete your purchase` : `${steps.length} 步完成购买`}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{effectiveChain === "tron" && (
|
||||||
|
<div className="mt-3 p-3 rounded-lg text-sm" style={{ background: "rgba(255,0,19,0.08)", border: "1px solid rgba(255,0,19,0.2)", color: "rgba(255,100,100,0.9)" }}>
|
||||||
|
⚠️ {lang === "en"
|
||||||
|
? "TRC20 purchases require manual processing. You MUST provide your EVM (0x) address in the memo to receive XIC tokens automatically."
|
||||||
|
: "TRC20 购买需要人工处理。您必须在备注中填写您的 EVM(0x)地址才能自动收到 XIC 代币。"}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Steps */}
|
||||||
|
<div className="space-y-3">
|
||||||
|
{steps.map((step, i) => (
|
||||||
|
<StepCard key={i} num={i + 1} title={step.title} desc={step.desc} tip={step.tip} />
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Payment Addresses */}
|
||||||
|
{effectiveChain === "tron" && (
|
||||||
|
<div className="rounded-2xl p-5 space-y-3" style={{ background: "rgba(255,0,19,0.05)", border: "1px solid rgba(255,0,19,0.2)" }}>
|
||||||
|
<h3 className="text-sm font-semibold text-white/80" style={{ fontFamily: "'Space Grotesk', sans-serif" }}>
|
||||||
|
{lang === "en" ? "TRC20 USDT Receiving Address" : "TRC20 USDT 收款地址"}
|
||||||
|
</h3>
|
||||||
|
<AddressBox
|
||||||
|
label={lang === "en" ? "Send TRC20 USDT to:" : "发送 TRC20 USDT 到:"}
|
||||||
|
address={RECEIVING_ADDRESSES.trc20}
|
||||||
|
onCopy={handleCopy}
|
||||||
|
/>
|
||||||
|
{copiedAddr === RECEIVING_ADDRESSES.trc20 && (
|
||||||
|
<p className="text-xs text-green-400">✓ {lang === "en" ? "Copied!" : "已复制!"}</p>
|
||||||
|
)}
|
||||||
|
<div className="p-3 rounded-lg text-xs" style={{ background: "rgba(240,180,41,0.08)", border: "1px solid rgba(240,180,41,0.2)", color: "rgba(240,180,41,0.9)" }}>
|
||||||
|
📝 {lang === "en"
|
||||||
|
? "Memo/Note field: Enter your EVM address (0x...) to receive XIC tokens automatically"
|
||||||
|
: "备注/Note 字段:填写您的 EVM 地址(0x...)以自动收到 XIC 代币"}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* FAQ for this wallet */}
|
||||||
|
<div className="rounded-2xl p-5" style={{ background: "rgba(255,255,255,0.02)", border: "1px solid rgba(255,255,255,0.06)" }}>
|
||||||
|
<h3 className="text-sm font-semibold text-white/60 mb-4" style={{ fontFamily: "'Space Grotesk', sans-serif" }}>
|
||||||
|
{lang === "en" ? "Common Questions" : "常见问题"}
|
||||||
|
</h3>
|
||||||
|
<div className="space-y-4">
|
||||||
|
<div>
|
||||||
|
<p className="text-sm font-medium text-white/80 mb-1">
|
||||||
|
{lang === "en" ? "What if my wallet isn't listed?" : "如果我的钱包不在列表中怎么办?"}
|
||||||
|
</p>
|
||||||
|
<p className="text-sm text-white/50">
|
||||||
|
{lang === "en"
|
||||||
|
? "Any EVM-compatible wallet works for BSC/ETH purchases. Use WalletConnect to connect most mobile wallets to the presale page."
|
||||||
|
: "任何 EVM 兼容钱包都适用于 BSC/ETH 购买。使用 WalletConnect 可将大多数移动钱包连接到预售页面。"}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<p className="text-sm font-medium text-white/80 mb-1">
|
||||||
|
{lang === "en" ? "Where will I receive my XIC tokens?" : "我的 XIC 代币会发送到哪里?"}
|
||||||
|
</p>
|
||||||
|
<p className="text-sm text-white/50">
|
||||||
|
{lang === "en"
|
||||||
|
? "XIC tokens are on BSC (BEP-20). For BSC/ETH purchases, tokens go to your connected wallet address. For TRC20 purchases, you must provide your BSC/ETH address."
|
||||||
|
: "XIC 代币在 BSC(BEP-20)网络上。BSC/ETH 购买后代币直接发送到您连接的钱包地址。TRC20 购买需要提供您的 BSC/ETH 地址。"}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<p className="text-sm font-medium text-white/80 mb-1">
|
||||||
|
{lang === "en" ? "How long does it take?" : "需要多长时间?"}
|
||||||
|
</p>
|
||||||
|
<p className="text-sm text-white/50">
|
||||||
|
{lang === "en"
|
||||||
|
? "BSC/ETH purchases: tokens distributed immediately after on-chain confirmation (1-3 minutes). TRC20 purchases: 1-24 hours for manual processing."
|
||||||
|
: "BSC/ETH 购买:链上确认后立即发放代币(1-3 分钟)。TRC20 购买:人工处理需要 1-24 小时。"}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* CTA */}
|
||||||
|
<div className="text-center py-4">
|
||||||
|
<Link href="/">
|
||||||
|
<button
|
||||||
|
className="px-8 py-4 rounded-xl text-base font-bold transition-all hover:opacity-90"
|
||||||
|
style={{
|
||||||
|
background: "linear-gradient(135deg, #f0b429 0%, #ffd700 100%)",
|
||||||
|
color: "#0a0a0f",
|
||||||
|
fontFamily: "'Space Grotesk', sans-serif",
|
||||||
|
boxShadow: "0 0 24px rgba(240,180,41,0.3)",
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
{lang === "en" ? "🚀 Go to Presale →" : "🚀 前往预售页面 →"}
|
||||||
|
</button>
|
||||||
|
</Link>
|
||||||
|
<p className="text-xs text-white/30 mt-3">
|
||||||
|
{lang === "en" ? "Need help? Contact us on Telegram" : "需要帮助?在 Telegram 联系我们"}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,16 @@
|
||||||
|
import { defineConfig } from "drizzle-kit";
|
||||||
|
|
||||||
|
const connectionString = process.env.DATABASE_URL;
|
||||||
|
if (!connectionString) {
|
||||||
|
throw new Error("DATABASE_URL is required to run drizzle commands");
|
||||||
|
}
|
||||||
|
|
||||||
|
export default defineConfig({
|
||||||
|
schema: "./drizzle/schema.ts",
|
||||||
|
out: "./drizzle",
|
||||||
|
dialect: "mysql",
|
||||||
|
casing: "camelCase",
|
||||||
|
dbCredentials: {
|
||||||
|
url: connectionString,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
@ -0,0 +1,13 @@
|
||||||
|
CREATE TABLE `users` (
|
||||||
|
`id` int AUTO_INCREMENT NOT NULL,
|
||||||
|
`openId` varchar(64) NOT NULL,
|
||||||
|
`name` text,
|
||||||
|
`email` varchar(320),
|
||||||
|
`loginMethod` varchar(64),
|
||||||
|
`role` enum('user','admin') NOT NULL DEFAULT 'user',
|
||||||
|
`createdAt` timestamp NOT NULL DEFAULT (now()),
|
||||||
|
`updatedAt` timestamp NOT NULL DEFAULT (now()) ON UPDATE CURRENT_TIMESTAMP,
|
||||||
|
`lastSignedIn` timestamp NOT NULL DEFAULT (now()),
|
||||||
|
CONSTRAINT `users_id` PRIMARY KEY(`id`),
|
||||||
|
CONSTRAINT `users_openId_unique` UNIQUE(`openId`)
|
||||||
|
);
|
||||||
|
|
@ -0,0 +1,25 @@
|
||||||
|
CREATE TABLE `presale_stats_cache` (
|
||||||
|
`id` int AUTO_INCREMENT NOT NULL,
|
||||||
|
`chain` varchar(16) NOT NULL,
|
||||||
|
`usdtRaised` decimal(30,6) DEFAULT '0',
|
||||||
|
`tokensSold` decimal(30,6) DEFAULT '0',
|
||||||
|
`weiRaised` decimal(30,6) DEFAULT '0',
|
||||||
|
`lastUpdated` timestamp NOT NULL DEFAULT (now()),
|
||||||
|
CONSTRAINT `presale_stats_cache_id` PRIMARY KEY(`id`)
|
||||||
|
);
|
||||||
|
--> statement-breakpoint
|
||||||
|
CREATE TABLE `trc20_purchases` (
|
||||||
|
`id` int AUTO_INCREMENT NOT NULL,
|
||||||
|
`txHash` varchar(128) NOT NULL,
|
||||||
|
`fromAddress` varchar(64) NOT NULL,
|
||||||
|
`usdtAmount` decimal(20,6) NOT NULL,
|
||||||
|
`xicAmount` decimal(30,6) NOT NULL,
|
||||||
|
`blockNumber` bigint,
|
||||||
|
`status` enum('pending','confirmed','distributed','failed') NOT NULL DEFAULT 'pending',
|
||||||
|
`distributedAt` timestamp,
|
||||||
|
`distributeTxHash` varchar(128),
|
||||||
|
`createdAt` timestamp NOT NULL DEFAULT (now()),
|
||||||
|
`updatedAt` timestamp NOT NULL DEFAULT (now()) ON UPDATE CURRENT_TIMESTAMP,
|
||||||
|
CONSTRAINT `trc20_purchases_id` PRIMARY KEY(`id`),
|
||||||
|
CONSTRAINT `trc20_purchases_txHash_unique` UNIQUE(`txHash`)
|
||||||
|
);
|
||||||
|
|
@ -0,0 +1 @@
|
||||||
|
ALTER TABLE `trc20_purchases` ADD `evmAddress` varchar(64);
|
||||||
|
|
@ -0,0 +1,10 @@
|
||||||
|
CREATE TABLE `trc20_intents` (
|
||||||
|
`id` int AUTO_INCREMENT NOT NULL,
|
||||||
|
`tronAddress` varchar(64),
|
||||||
|
`evmAddress` varchar(64) NOT NULL,
|
||||||
|
`expectedUsdt` decimal(20,6),
|
||||||
|
`matched` boolean NOT NULL DEFAULT false,
|
||||||
|
`matchedPurchaseId` int,
|
||||||
|
`createdAt` timestamp NOT NULL DEFAULT (now()),
|
||||||
|
CONSTRAINT `trc20_intents_id` PRIMARY KEY(`id`)
|
||||||
|
);
|
||||||
|
|
@ -0,0 +1,11 @@
|
||||||
|
CREATE TABLE `presale_config` (
|
||||||
|
`id` int AUTO_INCREMENT NOT NULL,
|
||||||
|
`key` varchar(64) NOT NULL,
|
||||||
|
`value` text NOT NULL,
|
||||||
|
`label` varchar(128),
|
||||||
|
`description` varchar(256),
|
||||||
|
`type` varchar(32) DEFAULT 'text',
|
||||||
|
`updatedAt` timestamp NOT NULL DEFAULT (now()) ON UPDATE CURRENT_TIMESTAMP,
|
||||||
|
CONSTRAINT `presale_config_id` PRIMARY KEY(`id`),
|
||||||
|
CONSTRAINT `presale_config_key_unique` UNIQUE(`key`)
|
||||||
|
);
|
||||||
|
|
@ -0,0 +1,110 @@
|
||||||
|
{
|
||||||
|
"version": "5",
|
||||||
|
"dialect": "mysql",
|
||||||
|
"id": "1053e77f-3d87-44cd-983a-106c5a6e74a1",
|
||||||
|
"prevId": "00000000-0000-0000-0000-000000000000",
|
||||||
|
"tables": {
|
||||||
|
"users": {
|
||||||
|
"name": "users",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"openId": {
|
||||||
|
"name": "openId",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"name": {
|
||||||
|
"name": "name",
|
||||||
|
"type": "text",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"email": {
|
||||||
|
"name": "email",
|
||||||
|
"type": "varchar(320)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"loginMethod": {
|
||||||
|
"name": "loginMethod",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"role": {
|
||||||
|
"name": "role",
|
||||||
|
"type": "enum('user','admin')",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'user'"
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"lastSignedIn": {
|
||||||
|
"name": "lastSignedIn",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"users_id": {
|
||||||
|
"name": "users_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"users_openId_unique": {
|
||||||
|
"name": "users_openId_unique",
|
||||||
|
"columns": [
|
||||||
|
"openId"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"views": {},
|
||||||
|
"_meta": {
|
||||||
|
"schemas": {},
|
||||||
|
"tables": {},
|
||||||
|
"columns": {}
|
||||||
|
},
|
||||||
|
"internal": {
|
||||||
|
"tables": {},
|
||||||
|
"indexes": {}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,278 @@
|
||||||
|
{
|
||||||
|
"version": "5",
|
||||||
|
"dialect": "mysql",
|
||||||
|
"id": "33a25b6c-f9fd-41c4-bb21-858cf3adca97",
|
||||||
|
"prevId": "1053e77f-3d87-44cd-983a-106c5a6e74a1",
|
||||||
|
"tables": {
|
||||||
|
"presale_stats_cache": {
|
||||||
|
"name": "presale_stats_cache",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"chain": {
|
||||||
|
"name": "chain",
|
||||||
|
"type": "varchar(16)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"usdtRaised": {
|
||||||
|
"name": "usdtRaised",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"tokensSold": {
|
||||||
|
"name": "tokensSold",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"weiRaised": {
|
||||||
|
"name": "weiRaised",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"lastUpdated": {
|
||||||
|
"name": "lastUpdated",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"presale_stats_cache_id": {
|
||||||
|
"name": "presale_stats_cache_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"trc20_purchases": {
|
||||||
|
"name": "trc20_purchases",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"txHash": {
|
||||||
|
"name": "txHash",
|
||||||
|
"type": "varchar(128)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"fromAddress": {
|
||||||
|
"name": "fromAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"usdtAmount": {
|
||||||
|
"name": "usdtAmount",
|
||||||
|
"type": "decimal(20,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"xicAmount": {
|
||||||
|
"name": "xicAmount",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"blockNumber": {
|
||||||
|
"name": "blockNumber",
|
||||||
|
"type": "bigint",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"status": {
|
||||||
|
"name": "status",
|
||||||
|
"type": "enum('pending','confirmed','distributed','failed')",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'pending'"
|
||||||
|
},
|
||||||
|
"distributedAt": {
|
||||||
|
"name": "distributedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"distributeTxHash": {
|
||||||
|
"name": "distributeTxHash",
|
||||||
|
"type": "varchar(128)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"trc20_purchases_id": {
|
||||||
|
"name": "trc20_purchases_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"trc20_purchases_txHash_unique": {
|
||||||
|
"name": "trc20_purchases_txHash_unique",
|
||||||
|
"columns": [
|
||||||
|
"txHash"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"users": {
|
||||||
|
"name": "users",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"openId": {
|
||||||
|
"name": "openId",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"name": {
|
||||||
|
"name": "name",
|
||||||
|
"type": "text",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"email": {
|
||||||
|
"name": "email",
|
||||||
|
"type": "varchar(320)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"loginMethod": {
|
||||||
|
"name": "loginMethod",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"role": {
|
||||||
|
"name": "role",
|
||||||
|
"type": "enum('user','admin')",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'user'"
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"lastSignedIn": {
|
||||||
|
"name": "lastSignedIn",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"users_id": {
|
||||||
|
"name": "users_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"users_openId_unique": {
|
||||||
|
"name": "users_openId_unique",
|
||||||
|
"columns": [
|
||||||
|
"openId"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"views": {},
|
||||||
|
"_meta": {
|
||||||
|
"schemas": {},
|
||||||
|
"tables": {},
|
||||||
|
"columns": {}
|
||||||
|
},
|
||||||
|
"internal": {
|
||||||
|
"tables": {},
|
||||||
|
"indexes": {}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,285 @@
|
||||||
|
{
|
||||||
|
"version": "5",
|
||||||
|
"dialect": "mysql",
|
||||||
|
"id": "f6f5cc62-c675-495e-ac2c-7a5abee1a12b",
|
||||||
|
"prevId": "33a25b6c-f9fd-41c4-bb21-858cf3adca97",
|
||||||
|
"tables": {
|
||||||
|
"presale_stats_cache": {
|
||||||
|
"name": "presale_stats_cache",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"chain": {
|
||||||
|
"name": "chain",
|
||||||
|
"type": "varchar(16)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"usdtRaised": {
|
||||||
|
"name": "usdtRaised",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"tokensSold": {
|
||||||
|
"name": "tokensSold",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"weiRaised": {
|
||||||
|
"name": "weiRaised",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"lastUpdated": {
|
||||||
|
"name": "lastUpdated",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"presale_stats_cache_id": {
|
||||||
|
"name": "presale_stats_cache_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"trc20_purchases": {
|
||||||
|
"name": "trc20_purchases",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"txHash": {
|
||||||
|
"name": "txHash",
|
||||||
|
"type": "varchar(128)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"fromAddress": {
|
||||||
|
"name": "fromAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"usdtAmount": {
|
||||||
|
"name": "usdtAmount",
|
||||||
|
"type": "decimal(20,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"xicAmount": {
|
||||||
|
"name": "xicAmount",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"blockNumber": {
|
||||||
|
"name": "blockNumber",
|
||||||
|
"type": "bigint",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"status": {
|
||||||
|
"name": "status",
|
||||||
|
"type": "enum('pending','confirmed','distributed','failed')",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'pending'"
|
||||||
|
},
|
||||||
|
"distributedAt": {
|
||||||
|
"name": "distributedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"distributeTxHash": {
|
||||||
|
"name": "distributeTxHash",
|
||||||
|
"type": "varchar(128)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"evmAddress": {
|
||||||
|
"name": "evmAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"trc20_purchases_id": {
|
||||||
|
"name": "trc20_purchases_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"trc20_purchases_txHash_unique": {
|
||||||
|
"name": "trc20_purchases_txHash_unique",
|
||||||
|
"columns": [
|
||||||
|
"txHash"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"users": {
|
||||||
|
"name": "users",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"openId": {
|
||||||
|
"name": "openId",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"name": {
|
||||||
|
"name": "name",
|
||||||
|
"type": "text",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"email": {
|
||||||
|
"name": "email",
|
||||||
|
"type": "varchar(320)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"loginMethod": {
|
||||||
|
"name": "loginMethod",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"role": {
|
||||||
|
"name": "role",
|
||||||
|
"type": "enum('user','admin')",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'user'"
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"lastSignedIn": {
|
||||||
|
"name": "lastSignedIn",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"users_id": {
|
||||||
|
"name": "users_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"users_openId_unique": {
|
||||||
|
"name": "users_openId_unique",
|
||||||
|
"columns": [
|
||||||
|
"openId"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"views": {},
|
||||||
|
"_meta": {
|
||||||
|
"schemas": {},
|
||||||
|
"tables": {},
|
||||||
|
"columns": {}
|
||||||
|
},
|
||||||
|
"internal": {
|
||||||
|
"tables": {},
|
||||||
|
"indexes": {}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,353 @@
|
||||||
|
{
|
||||||
|
"version": "5",
|
||||||
|
"dialect": "mysql",
|
||||||
|
"id": "58f17be6-1ea0-44cb-9d74-094dbec51be3",
|
||||||
|
"prevId": "f6f5cc62-c675-495e-ac2c-7a5abee1a12b",
|
||||||
|
"tables": {
|
||||||
|
"presale_stats_cache": {
|
||||||
|
"name": "presale_stats_cache",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"chain": {
|
||||||
|
"name": "chain",
|
||||||
|
"type": "varchar(16)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"usdtRaised": {
|
||||||
|
"name": "usdtRaised",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"tokensSold": {
|
||||||
|
"name": "tokensSold",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"weiRaised": {
|
||||||
|
"name": "weiRaised",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"lastUpdated": {
|
||||||
|
"name": "lastUpdated",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"presale_stats_cache_id": {
|
||||||
|
"name": "presale_stats_cache_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"trc20_intents": {
|
||||||
|
"name": "trc20_intents",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"tronAddress": {
|
||||||
|
"name": "tronAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"evmAddress": {
|
||||||
|
"name": "evmAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"expectedUsdt": {
|
||||||
|
"name": "expectedUsdt",
|
||||||
|
"type": "decimal(20,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"matched": {
|
||||||
|
"name": "matched",
|
||||||
|
"type": "boolean",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": false
|
||||||
|
},
|
||||||
|
"matchedPurchaseId": {
|
||||||
|
"name": "matchedPurchaseId",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"trc20_intents_id": {
|
||||||
|
"name": "trc20_intents_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"trc20_purchases": {
|
||||||
|
"name": "trc20_purchases",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"txHash": {
|
||||||
|
"name": "txHash",
|
||||||
|
"type": "varchar(128)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"fromAddress": {
|
||||||
|
"name": "fromAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"usdtAmount": {
|
||||||
|
"name": "usdtAmount",
|
||||||
|
"type": "decimal(20,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"xicAmount": {
|
||||||
|
"name": "xicAmount",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"blockNumber": {
|
||||||
|
"name": "blockNumber",
|
||||||
|
"type": "bigint",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"status": {
|
||||||
|
"name": "status",
|
||||||
|
"type": "enum('pending','confirmed','distributed','failed')",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'pending'"
|
||||||
|
},
|
||||||
|
"distributedAt": {
|
||||||
|
"name": "distributedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"distributeTxHash": {
|
||||||
|
"name": "distributeTxHash",
|
||||||
|
"type": "varchar(128)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"evmAddress": {
|
||||||
|
"name": "evmAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"trc20_purchases_id": {
|
||||||
|
"name": "trc20_purchases_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"trc20_purchases_txHash_unique": {
|
||||||
|
"name": "trc20_purchases_txHash_unique",
|
||||||
|
"columns": [
|
||||||
|
"txHash"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"users": {
|
||||||
|
"name": "users",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"openId": {
|
||||||
|
"name": "openId",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"name": {
|
||||||
|
"name": "name",
|
||||||
|
"type": "text",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"email": {
|
||||||
|
"name": "email",
|
||||||
|
"type": "varchar(320)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"loginMethod": {
|
||||||
|
"name": "loginMethod",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"role": {
|
||||||
|
"name": "role",
|
||||||
|
"type": "enum('user','admin')",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'user'"
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"lastSignedIn": {
|
||||||
|
"name": "lastSignedIn",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"users_id": {
|
||||||
|
"name": "users_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"users_openId_unique": {
|
||||||
|
"name": "users_openId_unique",
|
||||||
|
"columns": [
|
||||||
|
"openId"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"views": {},
|
||||||
|
"_meta": {
|
||||||
|
"schemas": {},
|
||||||
|
"tables": {},
|
||||||
|
"columns": {}
|
||||||
|
},
|
||||||
|
"internal": {
|
||||||
|
"tables": {},
|
||||||
|
"indexes": {}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,429 @@
|
||||||
|
{
|
||||||
|
"version": "5",
|
||||||
|
"dialect": "mysql",
|
||||||
|
"id": "6b25cb51-fd4a-43ff-9411-e1efd553f304",
|
||||||
|
"prevId": "58f17be6-1ea0-44cb-9d74-094dbec51be3",
|
||||||
|
"tables": {
|
||||||
|
"presale_config": {
|
||||||
|
"name": "presale_config",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"key": {
|
||||||
|
"name": "key",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"value": {
|
||||||
|
"name": "value",
|
||||||
|
"type": "text",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"label": {
|
||||||
|
"name": "label",
|
||||||
|
"type": "varchar(128)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"description": {
|
||||||
|
"name": "description",
|
||||||
|
"type": "varchar(256)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"type": {
|
||||||
|
"name": "type",
|
||||||
|
"type": "varchar(32)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'text'"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"presale_config_id": {
|
||||||
|
"name": "presale_config_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"presale_config_key_unique": {
|
||||||
|
"name": "presale_config_key_unique",
|
||||||
|
"columns": [
|
||||||
|
"key"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"presale_stats_cache": {
|
||||||
|
"name": "presale_stats_cache",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"chain": {
|
||||||
|
"name": "chain",
|
||||||
|
"type": "varchar(16)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"usdtRaised": {
|
||||||
|
"name": "usdtRaised",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"tokensSold": {
|
||||||
|
"name": "tokensSold",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"weiRaised": {
|
||||||
|
"name": "weiRaised",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'0'"
|
||||||
|
},
|
||||||
|
"lastUpdated": {
|
||||||
|
"name": "lastUpdated",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"presale_stats_cache_id": {
|
||||||
|
"name": "presale_stats_cache_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"trc20_intents": {
|
||||||
|
"name": "trc20_intents",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"tronAddress": {
|
||||||
|
"name": "tronAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"evmAddress": {
|
||||||
|
"name": "evmAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"expectedUsdt": {
|
||||||
|
"name": "expectedUsdt",
|
||||||
|
"type": "decimal(20,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"matched": {
|
||||||
|
"name": "matched",
|
||||||
|
"type": "boolean",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": false
|
||||||
|
},
|
||||||
|
"matchedPurchaseId": {
|
||||||
|
"name": "matchedPurchaseId",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"trc20_intents_id": {
|
||||||
|
"name": "trc20_intents_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"trc20_purchases": {
|
||||||
|
"name": "trc20_purchases",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"txHash": {
|
||||||
|
"name": "txHash",
|
||||||
|
"type": "varchar(128)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"fromAddress": {
|
||||||
|
"name": "fromAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"usdtAmount": {
|
||||||
|
"name": "usdtAmount",
|
||||||
|
"type": "decimal(20,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"xicAmount": {
|
||||||
|
"name": "xicAmount",
|
||||||
|
"type": "decimal(30,6)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"blockNumber": {
|
||||||
|
"name": "blockNumber",
|
||||||
|
"type": "bigint",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"status": {
|
||||||
|
"name": "status",
|
||||||
|
"type": "enum('pending','confirmed','distributed','failed')",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'pending'"
|
||||||
|
},
|
||||||
|
"distributedAt": {
|
||||||
|
"name": "distributedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"distributeTxHash": {
|
||||||
|
"name": "distributeTxHash",
|
||||||
|
"type": "varchar(128)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"evmAddress": {
|
||||||
|
"name": "evmAddress",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"trc20_purchases_id": {
|
||||||
|
"name": "trc20_purchases_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"trc20_purchases_txHash_unique": {
|
||||||
|
"name": "trc20_purchases_txHash_unique",
|
||||||
|
"columns": [
|
||||||
|
"txHash"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
},
|
||||||
|
"users": {
|
||||||
|
"name": "users",
|
||||||
|
"columns": {
|
||||||
|
"id": {
|
||||||
|
"name": "id",
|
||||||
|
"type": "int",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": true
|
||||||
|
},
|
||||||
|
"openId": {
|
||||||
|
"name": "openId",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"name": {
|
||||||
|
"name": "name",
|
||||||
|
"type": "text",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"email": {
|
||||||
|
"name": "email",
|
||||||
|
"type": "varchar(320)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"loginMethod": {
|
||||||
|
"name": "loginMethod",
|
||||||
|
"type": "varchar(64)",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": false,
|
||||||
|
"autoincrement": false
|
||||||
|
},
|
||||||
|
"role": {
|
||||||
|
"name": "role",
|
||||||
|
"type": "enum('user','admin')",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "'user'"
|
||||||
|
},
|
||||||
|
"createdAt": {
|
||||||
|
"name": "createdAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"updatedAt": {
|
||||||
|
"name": "updatedAt",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"onUpdate": true,
|
||||||
|
"default": "(now())"
|
||||||
|
},
|
||||||
|
"lastSignedIn": {
|
||||||
|
"name": "lastSignedIn",
|
||||||
|
"type": "timestamp",
|
||||||
|
"primaryKey": false,
|
||||||
|
"notNull": true,
|
||||||
|
"autoincrement": false,
|
||||||
|
"default": "(now())"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"indexes": {},
|
||||||
|
"foreignKeys": {},
|
||||||
|
"compositePrimaryKeys": {
|
||||||
|
"users_id": {
|
||||||
|
"name": "users_id",
|
||||||
|
"columns": [
|
||||||
|
"id"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uniqueConstraints": {
|
||||||
|
"users_openId_unique": {
|
||||||
|
"name": "users_openId_unique",
|
||||||
|
"columns": [
|
||||||
|
"openId"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"checkConstraint": {}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"views": {},
|
||||||
|
"_meta": {
|
||||||
|
"schemas": {},
|
||||||
|
"tables": {},
|
||||||
|
"columns": {}
|
||||||
|
},
|
||||||
|
"internal": {
|
||||||
|
"tables": {},
|
||||||
|
"indexes": {}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,41 @@
|
||||||
|
{
|
||||||
|
"version": "7",
|
||||||
|
"dialect": "mysql",
|
||||||
|
"entries": [
|
||||||
|
{
|
||||||
|
"idx": 0,
|
||||||
|
"version": "5",
|
||||||
|
"when": 1772937302049,
|
||||||
|
"tag": "0000_noisy_squadron_sinister",
|
||||||
|
"breakpoints": true
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"idx": 1,
|
||||||
|
"version": "5",
|
||||||
|
"when": 1772937365168,
|
||||||
|
"tag": "0001_known_moira_mactaggert",
|
||||||
|
"breakpoints": true
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"idx": 2,
|
||||||
|
"version": "5",
|
||||||
|
"when": 1772938786281,
|
||||||
|
"tag": "0002_gray_tombstone",
|
||||||
|
"breakpoints": true
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"idx": 3,
|
||||||
|
"version": "5",
|
||||||
|
"when": 1772950356383,
|
||||||
|
"tag": "0003_volatile_firestar",
|
||||||
|
"breakpoints": true
|
||||||
|
},
|
||||||
|
{
|
||||||
|
"idx": 4,
|
||||||
|
"version": "5",
|
||||||
|
"when": 1772955197567,
|
||||||
|
"tag": "0004_parallel_unus",
|
||||||
|
"breakpoints": true
|
||||||
|
}
|
||||||
|
]
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1 @@
|
||||||
|
import {} from "./schema";
|
||||||
|
|
@ -0,0 +1,99 @@
|
||||||
|
import {
|
||||||
|
bigint,
|
||||||
|
boolean,
|
||||||
|
decimal,
|
||||||
|
int,
|
||||||
|
mysqlEnum,
|
||||||
|
mysqlTable,
|
||||||
|
text,
|
||||||
|
timestamp,
|
||||||
|
varchar,
|
||||||
|
} from "drizzle-orm/mysql-core";
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Core user table backing auth flow.
|
||||||
|
* Extend this file with additional tables as your product grows.
|
||||||
|
* Columns use camelCase to match both database fields and generated types.
|
||||||
|
*/
|
||||||
|
export const users = mysqlTable("users", {
|
||||||
|
/**
|
||||||
|
* Surrogate primary key. Auto-incremented numeric value managed by the database.
|
||||||
|
* Use this for relations between tables.
|
||||||
|
*/
|
||||||
|
id: int("id").autoincrement().primaryKey(),
|
||||||
|
/** Manus OAuth identifier (openId) returned from the OAuth callback. Unique per user. */
|
||||||
|
openId: varchar("openId", { length: 64 }).notNull().unique(),
|
||||||
|
name: text("name"),
|
||||||
|
email: varchar("email", { length: 320 }),
|
||||||
|
loginMethod: varchar("loginMethod", { length: 64 }),
|
||||||
|
role: mysqlEnum("role", ["user", "admin"]).default("user").notNull(),
|
||||||
|
createdAt: timestamp("createdAt").defaultNow().notNull(),
|
||||||
|
updatedAt: timestamp("updatedAt").defaultNow().onUpdateNow().notNull(),
|
||||||
|
lastSignedIn: timestamp("lastSignedIn").defaultNow().notNull(),
|
||||||
|
});
|
||||||
|
|
||||||
|
export type User = typeof users.$inferSelect;
|
||||||
|
export type InsertUser = typeof users.$inferInsert;
|
||||||
|
|
||||||
|
// TRC20 purchase records — monitored from TRON network
|
||||||
|
export const trc20Purchases = mysqlTable("trc20_purchases", {
|
||||||
|
id: int("id").autoincrement().primaryKey(),
|
||||||
|
txHash: varchar("txHash", { length: 128 }).notNull().unique(),
|
||||||
|
fromAddress: varchar("fromAddress", { length: 64 }).notNull(),
|
||||||
|
usdtAmount: decimal("usdtAmount", { precision: 20, scale: 6 }).notNull(),
|
||||||
|
xicAmount: decimal("xicAmount", { precision: 30, scale: 6 }).notNull(),
|
||||||
|
blockNumber: bigint("blockNumber", { mode: "number" }),
|
||||||
|
status: mysqlEnum("status", ["pending", "confirmed", "distributed", "failed"])
|
||||||
|
.default("pending")
|
||||||
|
.notNull(),
|
||||||
|
distributedAt: timestamp("distributedAt"),
|
||||||
|
distributeTxHash: varchar("distributeTxHash", { length: 128 }),
|
||||||
|
evmAddress: varchar("evmAddress", { length: 64 }), // EVM address provided by buyer for token distribution
|
||||||
|
createdAt: timestamp("createdAt").defaultNow().notNull(),
|
||||||
|
updatedAt: timestamp("updatedAt").defaultNow().onUpdateNow().notNull(),
|
||||||
|
});
|
||||||
|
|
||||||
|
export type Trc20Purchase = typeof trc20Purchases.$inferSelect;
|
||||||
|
export type InsertTrc20Purchase = typeof trc20Purchases.$inferInsert;
|
||||||
|
|
||||||
|
// Presale stats cache — refreshed from on-chain every 60 seconds
|
||||||
|
export const presaleStatsCache = mysqlTable("presale_stats_cache", {
|
||||||
|
id: int("id").autoincrement().primaryKey(),
|
||||||
|
chain: varchar("chain", { length: 16 }).notNull(),
|
||||||
|
usdtRaised: decimal("usdtRaised", { precision: 30, scale: 6 }).default("0"),
|
||||||
|
tokensSold: decimal("tokensSold", { precision: 30, scale: 6 }).default("0"),
|
||||||
|
weiRaised: decimal("weiRaised", { precision: 30, scale: 6 }).default("0"),
|
||||||
|
lastUpdated: timestamp("lastUpdated").defaultNow().notNull(),
|
||||||
|
});
|
||||||
|
|
||||||
|
export type PresaleStatsCache = typeof presaleStatsCache.$inferSelect;
|
||||||
|
|
||||||
|
// TRC20 purchase intents — user pre-registers EVM address before sending USDT
|
||||||
|
// When TRC20 Monitor detects a TX from the same TRON address, it auto-fills evmAddress
|
||||||
|
export const trc20Intents = mysqlTable("trc20_intents", {
|
||||||
|
id: int("id").autoincrement().primaryKey(),
|
||||||
|
tronAddress: varchar("tronAddress", { length: 64 }), // TRON sender address (optional, for matching)
|
||||||
|
evmAddress: varchar("evmAddress", { length: 64 }).notNull(), // BSC/ETH address to receive XIC
|
||||||
|
expectedUsdt: decimal("expectedUsdt", { precision: 20, scale: 6 }), // Expected USDT amount (optional)
|
||||||
|
matched: boolean("matched").default(false).notNull(), // Whether this intent has been matched to a purchase
|
||||||
|
matchedPurchaseId: int("matchedPurchaseId"), // ID of matched trc20_purchases record
|
||||||
|
createdAt: timestamp("createdAt").defaultNow().notNull(),
|
||||||
|
});
|
||||||
|
|
||||||
|
export type Trc20Intent = typeof trc20Intents.$inferSelect;
|
||||||
|
export type InsertTrc20Intent = typeof trc20Intents.$inferInsert;
|
||||||
|
|
||||||
|
// Presale configuration — editable by admin from the admin panel
|
||||||
|
// Each row is a key-value pair (e.g. presaleEndDate, tokenPrice, hardCap, etc.)
|
||||||
|
export const presaleConfig = mysqlTable("presale_config", {
|
||||||
|
id: int("id").autoincrement().primaryKey(),
|
||||||
|
key: varchar("key", { length: 64 }).notNull().unique(),
|
||||||
|
value: text("value").notNull(),
|
||||||
|
label: varchar("label", { length: 128 }), // Human-readable label for admin UI
|
||||||
|
description: varchar("description", { length: 256 }), // Help text
|
||||||
|
type: varchar("type", { length: 32 }).default("text"), // text | number | date | boolean | url
|
||||||
|
updatedAt: timestamp("updatedAt").defaultNow().onUpdateNow().notNull(),
|
||||||
|
});
|
||||||
|
|
||||||
|
export type PresaleConfig = typeof presaleConfig.$inferSelect;
|
||||||
|
export type InsertPresaleConfig = typeof presaleConfig.$inferInsert;
|
||||||
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue