| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428 |
- import React, { useState, useRef } from 'react';
- import Head from 'next/head';
- import { snapdom } from '@zumer/snapdom';
- // TODO: 从这里引入怪怪的,但是先这样吧!
- import { type AIGeneratedMagicalGirl } from './api/generate-magical-girl';
- import { MainColor } from '../lib/main-color';
- import Link from 'next/link';
- import { useCooldown } from '../lib/cooldown';
- import { quickCheck } from '@/lib/sensitive-word-filter';
- import { useRouter } from 'next/router';
- interface MagicalGirl {
- realName: string;
- name: string;
- flowerDescription: string;
- appearance: {
- height: string;
- weight: string;
- hairColor: string;
- hairStyle: string;
- eyeColor: string;
- skinTone: string;
- wearing: string;
- specialFeature: string;
- mainColor: string; // 写法有点诡异,但是能用就行.jpg
- firstPageColor: string;
- secondPageColor: string;
- };
- spell: string;
- level: string;
- levelEmoji: string;
- }
- // 保留原有的 levels 数组和相关函数
- const levels = [
- { name: '种', emoji: '🌱' },
- { name: '芽', emoji: '🍃' },
- { name: '叶', emoji: '🌿' },
- { name: '蕾', emoji: '🌸' },
- { name: '花', emoji: '🌺' },
- { name: '宝石权杖', emoji: '💎' }
- ];
- // 定义8套渐变配色方案,与 MainColor 枚举顺序对应
- const gradientColors: Record<string, { first: string; second: string }> = {
- [MainColor.Red]: { first: '#ff6b6b', second: '#ee5a6f' },
- [MainColor.Orange]: { first: '#ff922b', second: '#ffa94d' },
- [MainColor.Cyan]: { first: '#22b8cf', second: '#66d9e8' },
- [MainColor.Blue]: { first: '#5c7cfa', second: '#748ffc' },
- [MainColor.Purple]: { first: '#9775fa', second: '#b197fc' },
- [MainColor.Pink]: { first: '#ff9a9e', second: '#fecfef' },
- [MainColor.Yellow]: { first: '#f59f00', second: '#fcc419' },
- [MainColor.Green]: { first: '#51cf66', second: '#8ce99a' }
- };
- function seedRandom(str: string): number {
- let hash = 0;
- for (let i = 0; i < str.length; i++) {
- const char = str.charCodeAt(i);
- hash = ((hash << 5) - hash) + char;
- hash = hash & hash;
- }
- return Math.abs(hash);
- }
- function getWeightedRandomFromSeed<T>(array: T[], weights: number[], seed: number, offset: number = 0): T {
- // 使用种子生成 0-1 之间的伪随机数
- const pseudoRandom = ((seed + offset) * 9301 + 49297) % 233280 / 233280.0;
- // 累计权重
- let cumulativeWeight = 0;
- const cumulativeWeights = weights.map(weight => cumulativeWeight += weight);
- const totalWeight = cumulativeWeights[cumulativeWeights.length - 1];
- // 找到对应的索引
- const randomValue = pseudoRandom * totalWeight;
- const index = cumulativeWeights.findIndex(weight => randomValue <= weight);
- return array[index >= 0 ? index : 0];
- }
- function checkNameLength(name: string): boolean {
- return name.length <= 300;
- }
- // 使用 API 路由生成魔法少女
- async function generateMagicalGirl(inputName: string): Promise<MagicalGirl> {
- try {
- const response = await fetch('/api/generate-magical-girl', {
- method: 'POST',
- headers: {
- 'Content-Type': 'application/json',
- },
- body: JSON.stringify({ name: inputName }),
- });
- if (!response.ok) {
- const error = await response.json();
- // 处理不同的 HTTP 状态码
- if (response.status === 429) {
- const retryAfter = error.retryAfter || 60;
- throw new Error(`请求过于频繁!请等待 ${retryAfter} 秒后再试。`);
- } else if (response.status >= 500) {
- throw new Error('服务器内部错误,请稍后重试');
- } else {
- throw new Error(error.message || error.error || '生成失败');
- }
- }
- const aiGenerated: AIGeneratedMagicalGirl = await response.json();
- // 等级概率配置: [种, 芽, 叶, 蕾, 花, 宝石权杖]
- const levelProbabilities = [0.1, 0.2, 0.3, 0.3, 0.07, 0.03];
- // 使用加权随机选择生成 level
- const seed = seedRandom(aiGenerated.flowerName + inputName);
- const level = getWeightedRandomFromSeed(levels, levelProbabilities, seed, 6);
- return {
- realName: inputName,
- name: aiGenerated.flowerName,
- flowerDescription: aiGenerated.flowerDescription,
- appearance: aiGenerated.appearance,
- spell: aiGenerated.spell,
- level: level.name,
- levelEmoji: level.emoji
- };
- } catch (error) {
- // 处理网络错误和其他异常
- if (error instanceof Error) {
- // 如果已经是我们抛出的错误,直接重新抛出
- if (error.message.includes('请求过于频繁') ||
- error.message.includes('服务器内部错误') ||
- error.message.includes('生成失败')) {
- throw error;
- }
- }
- // 处理网络连接错误
- if (error instanceof TypeError && error.message.includes('fetch')) {
- throw new Error('网络连接失败,请检查网络后重试');
- }
- // 其他未知错误
- throw new Error('生成魔法少女时发生未知错误,请重试');
- }
- }
- export default function Home() {
- const [inputName, setInputName] = useState('');
- const [magicalGirl, setMagicalGirl] = useState<MagicalGirl | null>(null);
- const [isGenerating, setIsGenerating] = useState(false);
- const [showImageModal, setShowImageModal] = useState(false);
- const [savedImageUrl, setSavedImageUrl] = useState<string | null>(null);
- const [error, setError] = useState<string | null>(null);
- const resultRef = useRef<HTMLDivElement>(null);
- const { isCooldown, startCooldown, remainingTime } = useCooldown('generateMagicalGirlCooldown', 60000);
- const router = useRouter();
- const handleGenerate = async () => {
- if (isCooldown) {
- setError(`请等待 ${remainingTime} 秒后再生成`);
- return;
- }
- if (!inputName.trim()) return;
- if (!checkNameLength(inputName)) {
- setError('名字太长啦,你怎么回事!');
- return;
- }
- // 检查敏感词
- const result = await quickCheck(inputName.trim());
- if (result.hasSensitiveWords) {
- router.push('/arrested');
- return;
- }
- setIsGenerating(true);
- setError(null); // 清除之前的错误
- try {
- const result = await generateMagicalGirl(inputName.trim());
- setMagicalGirl(result);
- setError(null); // 成功时清除错误
- } catch (error) {
- // 处理不同类型的错误
- if (error instanceof Error) {
- const errorMessage = error.message;
- // 检查是否是 rate limit 错误
- if (errorMessage.includes('请求过于频繁')) {
- setError('🚫 请求太频繁了!每2分钟只能生成一次魔法少女哦~请稍后再试吧!');
- } else if (errorMessage.includes('网络')) {
- setError('🌐 网络连接有问题!请检查网络后重试~');
- } else {
- setError(`✨ 魔法失效了!${errorMessage}`);
- }
- } else {
- setError('✨ 魔法失效了!可能是用的人太多狸!请再生成一次试试吧~');
- }
- } finally {
- setIsGenerating(false);
- startCooldown();
- }
- };
- const handleSaveImage = async () => {
- if (!resultRef.current) return;
- try {
- // 临时隐藏保存按钮和说明文字
- const saveButton = resultRef.current.querySelector('.save-button') as HTMLElement;
- const logoPlaceholder = resultRef.current.querySelector('.logo-placeholder') as HTMLElement;
- if (saveButton) saveButton.style.display = 'none';
- if (logoPlaceholder) logoPlaceholder.style.display = 'flex';
- const result = await snapdom(resultRef.current, {
- scale: 1,
- });
- // 恢复按钮显示
- if (saveButton) saveButton.style.display = 'block';
- if (logoPlaceholder) logoPlaceholder.style.display = 'none';
- // 获取 result.toPng() 生成的 HTMLImageElement 的图片 URL
- // toPng() 返回 Promise<HTMLImageElement>,可通过 .src 获取图片的 base64 url
- const imgElement = await result.toPng();
- const imageUrl = imgElement.src;
- setSavedImageUrl(imageUrl);
- setShowImageModal(true);
- } catch {
- alert('生成图片失败,请重试');
- // 确保在失败时也恢复按钮显示
- const saveButton = resultRef.current?.querySelector('.save-button') as HTMLElement;
- const logoPlaceholder = resultRef.current?.querySelector('.logo-placeholder') as HTMLElement;
- if (saveButton) saveButton.style.display = 'block';
- if (logoPlaceholder) logoPlaceholder.style.display = 'none';
- }
- };
- return (
- <>
- <Head>
- <link rel="preload" href="/logo.svg" as="image" type="image/svg+xml" />
- <link rel="preload" href="/logo-white.svg" as="image" type="image/svg+xml" />
- </Head>
- <div className="magic-background">
- <div className="container">
- <div className="card">
- <div style={{ display: 'flex', justifyContent: 'center', alignItems: 'center', marginBottom: '1rem' }}>
- <img src="/logo.svg" width={250} height={160} alt="Logo" />
- </div>
- <p className="subtitle text-center">你是什么魔法少女呢!</p>
- <p className="subtitle text-center">
- 或者要不要来试试 <Link href="/details" className="footer-link">奇妙妖精大调查</Link>或 <Link href="/acg" className="footer-link">二次元魔法少女生成器</Link>?
- </p>
- <div style={{ marginTop: '1rem', marginBottom: '2rem', textAlign: 'center' }}>
- <p style={{ fontSize: '0.8rem', marginTop: '1rem', color: '#999', fontStyle: 'italic' }}>本测试设定来源于小说《下班,然后变成魔法少女》</p>
- <p style={{ fontSize: '0.8rem', marginTop: '0.2rem', color: '#999', fontStyle: '' }}><del>以及广告位募集中</del></p>
- <p style={{ fontSize: '0.8rem', marginTop: '0.2rem', color: '#999', fontStyle: '' }}><del>如有意向请联系魔法国度研究院院长 @祖母绿:1********</del></p>
- </div>
- <div className="input-group">
- <label htmlFor="name" className="input-label">
- 请输入你的名字:
- </label>
- <input
- id="name"
- type="text"
- value={inputName}
- onChange={(e) => setInputName(e.target.value)}
- className="input-field"
- placeholder="例如:鹿目圆香"
- onKeyDown={(e) => e.key === 'Enter' && handleGenerate()}
- />
- </div>
- <button
- onClick={handleGenerate}
- disabled={!inputName.trim() || isGenerating || isCooldown}
- className="generate-button"
- >
- {isCooldown
- ? `请等待 ${remainingTime} 秒`
- : isGenerating
- ? '少女创造中,请稍后捏 (≖ᴗ≖)✧✨'
- : 'へんしん(ノ゚▽゚)ノ! '}
- </button>
- {error && (
- <div className="error-message">
- {error}
- </div>
- )}
- {magicalGirl && (
- <div
- ref={resultRef}
- className="result-card"
- style={{
- background: (() => {
- const colors = gradientColors[magicalGirl.appearance.mainColor] || gradientColors[MainColor.Pink];
- return `linear-gradient(135deg, ${colors.first} 0%, ${colors.second} 100%)`;
- })()
- }}
- >
- <div className="result-content">
- <div className="flex justify-center items-center" style={{ marginBottom: '1rem', background: 'transparent' }}>
- <img src="/mahou-title.svg" width={300} height={70} alt="Logo" style={{ display: 'block', background: 'transparent' }} />
- </div>
- <div className="result-item">
- <div className="result-label">✨ 真名解放</div>
- <div className="result-value">{magicalGirl.realName}</div>
- </div>
- <div className="result-item">
- <div className="result-label">💝 魔法少女名</div>
- <div className="result-value">
- {magicalGirl.name}
- <div style={{ fontStyle: 'italic', marginTop: '8px', fontSize: '14px', opacity: 0.9 }}>
- 「{magicalGirl.flowerDescription}」
- </div>
- </div>
- </div>
- <div className="result-item">
- <div className="result-label">👗 外貌</div>
- <div className="result-value">
- 身高:{magicalGirl.appearance.height}<br />
- 体重:{magicalGirl.appearance.weight}<br />
- 发色:{magicalGirl.appearance.hairColor}<br />
- 发型:{magicalGirl.appearance.hairStyle}<br />
- 瞳色:{magicalGirl.appearance.eyeColor}<br />
- 肤色:{magicalGirl.appearance.skinTone}<br />
- 穿着:{magicalGirl.appearance.wearing}<br />
- 特征:{magicalGirl.appearance.specialFeature}
- </div>
- </div>
- <div className="result-item">
- <div className="result-label">✨ 变身咒语</div>
- <div className="result-value">
- <div style={{ whiteSpace: 'pre-line' }}>{magicalGirl.spell}</div>
- </div>
- </div>
- <div className="result-item">
- <div className="result-label">⭐ 魔法等级</div>
- <div className="result-value">
- <span className="level-badge">
- {magicalGirl.levelEmoji} {magicalGirl.level}
- </span>
- </div>
- </div>
- <button onClick={handleSaveImage} className="save-button">
- 📱 保存为图片
- </button>
- {/* Logo placeholder for saved images */}
- <div className="logo-placeholder" style={{ display: 'none', justifyContent: 'center', marginTop: '1rem' }}>
- <img
- src="/logo-white-qrcode.svg"
- width={320}
- height={80}
- alt="Logo"
- style={{
- display: 'block',
- maxWidth: '100%',
- height: 'auto'
- }}
- />
- </div>
- </div>
- </div>
- )}
- <div className="text-center w-full text-sm text-gray-500" style={{ marginTop: '8px' }}> 立绘生成功能开发中(大概)... </div>
- </div>
- <footer className="footer">
- <p>
- <a href="https://github.com/colasama" target="_blank" rel="noopener noreferrer" className="footer-link">@Colanns</a> 急速出品
- </p>
- <p>
- 本项目 AI 能力由
- <a href="https://github.com/KouriChat/KouriChat" target="_blank" rel="noopener noreferrer" className="footer-link">KouriChat</a> &
- <a href="https://api.kourichat.com/" target="_blank" rel="noopener noreferrer" className="footer-link">Kouri API</a>
- 强力支持
- </p>
- <p>
- <a href="https://github.com/colasama/MahoShojo-Generator" target="_blank" rel="noopener noreferrer" className="footer-link">colasama/MahoShojo-Generator</a>
- </p>
- </footer>
- </div>
- {/* Image Modal */}
- {showImageModal && savedImageUrl && (
- <div className="fixed inset-0 bg-black flex items-center justify-center z-50"
- style={{ backgroundColor: 'rgba(0, 0, 0, 0.7)', paddingLeft: '2rem', paddingRight: '2rem' }}
- >
- <div className="bg-white rounded-lg max-w-lg w-full max-h-[80vh] overflow-auto relative">
- <div className="flex justify-between items-center m-0">
- <div></div>
- <button
- onClick={() => setShowImageModal(false)}
- className="text-gray-500 hover:text-gray-700 text-3xl leading-none"
- style={{ marginRight: '0.5rem' }}
- >
- ×
- </button>
- </div>
- <p className="text-center text-sm text-gray-600" style={{ marginTop: '0.5rem' }}>
- 💫 长按图片保存到相册
- </p>
- <div className="items-center flex flex-col" style={{ padding: '0.5rem' }}>
- <img
- src={savedImageUrl}
- alt="魔法少女登记表"
- className="w-1/2 h-auto rounded-lg mx-auto"
- />
- </div>
- </div>
- </div>
- )}
- </div>
- </>
- );
- }
|