Compare commits
2 Commits
dev
...
08c2d5bd75
| Author | SHA1 | Date | |
|---|---|---|---|
| 08c2d5bd75 | |||
| 7030dd107c |
@@ -238,8 +238,6 @@ def init_db():
|
|||||||
c.execute("ALTER TABLE recipes ADD COLUMN owner_id INTEGER")
|
c.execute("ALTER TABLE recipes ADD COLUMN owner_id INTEGER")
|
||||||
if "updated_by" not in cols:
|
if "updated_by" not in cols:
|
||||||
c.execute("ALTER TABLE recipes ADD COLUMN updated_by INTEGER")
|
c.execute("ALTER TABLE recipes ADD COLUMN updated_by INTEGER")
|
||||||
if "en_name" not in cols:
|
|
||||||
c.execute("ALTER TABLE recipes ADD COLUMN en_name TEXT DEFAULT ''")
|
|
||||||
|
|
||||||
# Seed admin user if no users exist
|
# Seed admin user if no users exist
|
||||||
count = c.execute("SELECT COUNT(*) FROM users").fetchone()[0]
|
count = c.execute("SELECT COUNT(*) FROM users").fetchone()[0]
|
||||||
|
|||||||
@@ -95,7 +95,6 @@ class RecipeIn(BaseModel):
|
|||||||
|
|
||||||
class RecipeUpdate(BaseModel):
|
class RecipeUpdate(BaseModel):
|
||||||
name: Optional[str] = None
|
name: Optional[str] = None
|
||||||
en_name: Optional[str] = None
|
|
||||||
note: Optional[str] = None
|
note: Optional[str] = None
|
||||||
ingredients: Optional[list[IngredientIn]] = None
|
ingredients: Optional[list[IngredientIn]] = None
|
||||||
tags: Optional[list[str]] = None
|
tags: Optional[list[str]] = None
|
||||||
@@ -309,7 +308,7 @@ def symptom_search(body: dict, user=Depends(get_current_user)):
|
|||||||
conn = get_db()
|
conn = get_db()
|
||||||
# Search in recipe names
|
# Search in recipe names
|
||||||
rows = conn.execute(
|
rows = conn.execute(
|
||||||
"SELECT id, name, note, owner_id, version, en_name FROM recipes ORDER BY id"
|
"SELECT id, name, note, owner_id, version FROM recipes ORDER BY id"
|
||||||
).fetchall()
|
).fetchall()
|
||||||
exact = []
|
exact = []
|
||||||
related = []
|
related = []
|
||||||
@@ -697,7 +696,6 @@ def _recipe_to_dict(conn, row):
|
|||||||
return {
|
return {
|
||||||
"id": rid,
|
"id": rid,
|
||||||
"name": row["name"],
|
"name": row["name"],
|
||||||
"en_name": row["en_name"] if "en_name" in row.keys() else "",
|
|
||||||
"note": row["note"],
|
"note": row["note"],
|
||||||
"owner_id": row["owner_id"],
|
"owner_id": row["owner_id"],
|
||||||
"owner_name": (owner["display_name"] or owner["username"]) if owner else None,
|
"owner_name": (owner["display_name"] or owner["username"]) if owner else None,
|
||||||
@@ -712,19 +710,19 @@ def list_recipes(user=Depends(get_current_user)):
|
|||||||
conn = get_db()
|
conn = get_db()
|
||||||
# Admin sees all; others see admin-owned (adopted) + their own
|
# Admin sees all; others see admin-owned (adopted) + their own
|
||||||
if user["role"] == "admin":
|
if user["role"] == "admin":
|
||||||
rows = conn.execute("SELECT id, name, note, owner_id, version, en_name FROM recipes ORDER BY id").fetchall()
|
rows = conn.execute("SELECT id, name, note, owner_id, version FROM recipes ORDER BY id").fetchall()
|
||||||
else:
|
else:
|
||||||
admin = conn.execute("SELECT id FROM users WHERE role = 'admin' LIMIT 1").fetchone()
|
admin = conn.execute("SELECT id FROM users WHERE role = 'admin' LIMIT 1").fetchone()
|
||||||
admin_id = admin["id"] if admin else 1
|
admin_id = admin["id"] if admin else 1
|
||||||
user_id = user.get("id")
|
user_id = user.get("id")
|
||||||
if user_id:
|
if user_id:
|
||||||
rows = conn.execute(
|
rows = conn.execute(
|
||||||
"SELECT id, name, note, owner_id, version, en_name FROM recipes WHERE owner_id = ? OR owner_id = ? ORDER BY id",
|
"SELECT id, name, note, owner_id, version FROM recipes WHERE owner_id = ? OR owner_id = ? ORDER BY id",
|
||||||
(admin_id, user_id)
|
(admin_id, user_id)
|
||||||
).fetchall()
|
).fetchall()
|
||||||
else:
|
else:
|
||||||
rows = conn.execute(
|
rows = conn.execute(
|
||||||
"SELECT id, name, note, owner_id, version, en_name FROM recipes WHERE owner_id = ? ORDER BY id",
|
"SELECT id, name, note, owner_id, version FROM recipes WHERE owner_id = ? ORDER BY id",
|
||||||
(admin_id,)
|
(admin_id,)
|
||||||
).fetchall()
|
).fetchall()
|
||||||
result = [_recipe_to_dict(conn, r) for r in rows]
|
result = [_recipe_to_dict(conn, r) for r in rows]
|
||||||
@@ -735,7 +733,7 @@ def list_recipes(user=Depends(get_current_user)):
|
|||||||
@app.get("/api/recipes/{recipe_id}")
|
@app.get("/api/recipes/{recipe_id}")
|
||||||
def get_recipe(recipe_id: int):
|
def get_recipe(recipe_id: int):
|
||||||
conn = get_db()
|
conn = get_db()
|
||||||
row = conn.execute("SELECT id, name, note, owner_id, version, en_name FROM recipes WHERE id = ?", (recipe_id,)).fetchone()
|
row = conn.execute("SELECT id, name, note, owner_id, version FROM recipes WHERE id = ?", (recipe_id,)).fetchone()
|
||||||
if not row:
|
if not row:
|
||||||
conn.close()
|
conn.close()
|
||||||
raise HTTPException(404, "Recipe not found")
|
raise HTTPException(404, "Recipe not found")
|
||||||
@@ -806,8 +804,6 @@ def update_recipe(recipe_id: int, update: RecipeUpdate, user=Depends(get_current
|
|||||||
c.execute("UPDATE recipes SET name = ? WHERE id = ?", (update.name, recipe_id))
|
c.execute("UPDATE recipes SET name = ? WHERE id = ?", (update.name, recipe_id))
|
||||||
if update.note is not None:
|
if update.note is not None:
|
||||||
c.execute("UPDATE recipes SET note = ? WHERE id = ?", (update.note, recipe_id))
|
c.execute("UPDATE recipes SET note = ? WHERE id = ?", (update.note, recipe_id))
|
||||||
if update.en_name is not None:
|
|
||||||
c.execute("UPDATE recipes SET en_name = ? WHERE id = ?", (update.en_name, recipe_id))
|
|
||||||
if update.ingredients is not None:
|
if update.ingredients is not None:
|
||||||
c.execute("DELETE FROM recipe_ingredients WHERE recipe_id = ?", (recipe_id,))
|
c.execute("DELETE FROM recipe_ingredients WHERE recipe_id = ?", (recipe_id,))
|
||||||
for ing in update.ingredients:
|
for ing in update.ingredients:
|
||||||
@@ -837,7 +833,7 @@ def delete_recipe(recipe_id: int, user=Depends(get_current_user)):
|
|||||||
conn = get_db()
|
conn = get_db()
|
||||||
row = _check_recipe_permission(conn, recipe_id, user)
|
row = _check_recipe_permission(conn, recipe_id, user)
|
||||||
# Save full snapshot for undo
|
# Save full snapshot for undo
|
||||||
full = conn.execute("SELECT id, name, note, owner_id, version, en_name FROM recipes WHERE id = ?", (recipe_id,)).fetchone()
|
full = conn.execute("SELECT id, name, note, owner_id, version FROM recipes WHERE id = ?", (recipe_id,)).fetchone()
|
||||||
snapshot = _recipe_to_dict(conn, full)
|
snapshot = _recipe_to_dict(conn, full)
|
||||||
log_audit(conn, user["id"], "delete_recipe", "recipe", recipe_id, row["name"],
|
log_audit(conn, user["id"], "delete_recipe", "recipe", recipe_id, row["name"],
|
||||||
json.dumps(snapshot, ensure_ascii=False))
|
json.dumps(snapshot, ensure_ascii=False))
|
||||||
@@ -1340,7 +1336,7 @@ def recipes_by_inventory(user=Depends(get_current_user)):
|
|||||||
if not inv:
|
if not inv:
|
||||||
conn.close()
|
conn.close()
|
||||||
return []
|
return []
|
||||||
rows = conn.execute("SELECT id, name, note, owner_id, version, en_name FROM recipes ORDER BY id").fetchall()
|
rows = conn.execute("SELECT id, name, note, owner_id, version FROM recipes ORDER BY id").fetchall()
|
||||||
result = []
|
result = []
|
||||||
for r in rows:
|
for r in rows:
|
||||||
recipe = _recipe_to_dict(conn, r)
|
recipe = _recipe_to_dict(conn, r)
|
||||||
|
|||||||
@@ -119,7 +119,7 @@ async function submit() {
|
|||||||
position: fixed;
|
position: fixed;
|
||||||
inset: 0;
|
inset: 0;
|
||||||
background: rgba(0, 0, 0, 0.35);
|
background: rgba(0, 0, 0, 0.35);
|
||||||
z-index: 6000;
|
z-index: 5000;
|
||||||
display: flex;
|
display: flex;
|
||||||
align-items: center;
|
align-items: center;
|
||||||
justify-content: center;
|
justify-content: center;
|
||||||
|
|||||||
@@ -36,6 +36,12 @@
|
|||||||
>English</button>
|
>English</button>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<!-- QR / brand upload hint -->
|
||||||
|
<div v-if="showBrandHint" class="brand-upload-hint">
|
||||||
|
<span class="hint-icon">✨</span>
|
||||||
|
<span>上传你的专属二维码,生成属于自己的配方卡片</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
<!-- Card image (rendered by html2canvas) -->
|
<!-- Card image (rendered by html2canvas) -->
|
||||||
<div v-show="!cardImageUrl" ref="cardRef" class="export-card">
|
<div v-show="!cardImageUrl" ref="cardRef" class="export-card">
|
||||||
<!-- Brand overlay layers -->
|
<!-- Brand overlay layers -->
|
||||||
@@ -126,6 +132,11 @@
|
|||||||
class="action-btn"
|
class="action-btn"
|
||||||
@click="showTranslationEditor = true"
|
@click="showTranslationEditor = true"
|
||||||
>✏️ 修改翻译</button>
|
>✏️ 修改翻译</button>
|
||||||
|
<button
|
||||||
|
v-if="showBrandHint"
|
||||||
|
class="action-btn action-btn-qr"
|
||||||
|
@click="goUploadQr"
|
||||||
|
>📲 上传我的二维码</button>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- Translation editor (inline) -->
|
<!-- Translation editor (inline) -->
|
||||||
@@ -342,6 +353,7 @@
|
|||||||
|
|
||||||
<script setup>
|
<script setup>
|
||||||
import { ref, computed, onMounted, nextTick, watch } from 'vue'
|
import { ref, computed, onMounted, nextTick, watch } from 'vue'
|
||||||
|
import { useRouter } from 'vue-router'
|
||||||
import html2canvas from 'html2canvas'
|
import html2canvas from 'html2canvas'
|
||||||
import { useOilsStore, DROPS_PER_ML, VOLUME_DROPS } from '../stores/oils'
|
import { useOilsStore, DROPS_PER_ML, VOLUME_DROPS } from '../stores/oils'
|
||||||
import { useRecipesStore } from '../stores/recipes'
|
import { useRecipesStore } from '../stores/recipes'
|
||||||
@@ -363,6 +375,7 @@ const recipesStore = useRecipesStore()
|
|||||||
const authStore = useAuthStore()
|
const authStore = useAuthStore()
|
||||||
const ui = useUiStore()
|
const ui = useUiStore()
|
||||||
const diaryStore = useDiaryStore()
|
const diaryStore = useDiaryStore()
|
||||||
|
const router = useRouter()
|
||||||
|
|
||||||
// ---- View state ----
|
// ---- View state ----
|
||||||
const viewMode = ref('card')
|
const viewMode = ref('card')
|
||||||
@@ -453,6 +466,22 @@ async function loadBrand() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Whether to show the brand/QR upload hint (show to all users who haven't set up brand assets)
|
||||||
|
const showBrandHint = computed(() =>
|
||||||
|
!!brand.value && !brand.value.qr_code && !brand.value.brand_bg
|
||||||
|
)
|
||||||
|
|
||||||
|
function goUploadQr() {
|
||||||
|
if (!authStore.isLoggedIn) {
|
||||||
|
ui.openLogin()
|
||||||
|
return
|
||||||
|
}
|
||||||
|
if (recipe.value._id) {
|
||||||
|
localStorage.setItem('oil_return_recipe_id', recipe.value._id)
|
||||||
|
}
|
||||||
|
router.push('/mydiary')
|
||||||
|
}
|
||||||
|
|
||||||
// ---- Card image generation ----
|
// ---- Card image generation ----
|
||||||
async function generateCardImage() {
|
async function generateCardImage() {
|
||||||
if (!cardRef.value || generatingImage.value) return
|
if (!cardRef.value || generatingImage.value) return
|
||||||
@@ -518,20 +547,9 @@ function copyText() {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
async function applyTranslation() {
|
function applyTranslation() {
|
||||||
|
// translations stored in customOilNameEn / customRecipeNameEn
|
||||||
showTranslationEditor.value = false
|
showTranslationEditor.value = false
|
||||||
// Persist en_name to backend
|
|
||||||
if (recipe.value._id && customRecipeNameEn.value) {
|
|
||||||
try {
|
|
||||||
await api.put(`/api/recipes/${recipe.value._id}`, {
|
|
||||||
en_name: customRecipeNameEn.value,
|
|
||||||
version: recipe.value._version,
|
|
||||||
})
|
|
||||||
ui.showToast('翻译已保存')
|
|
||||||
} catch (e) {
|
|
||||||
ui.showToast('翻译保存失败')
|
|
||||||
}
|
|
||||||
}
|
|
||||||
cardImageUrl.value = null
|
cardImageUrl.value = null
|
||||||
nextTick(() => generateCardImage())
|
nextTick(() => generateCardImage())
|
||||||
}
|
}
|
||||||
@@ -546,7 +564,7 @@ function getCardOilName(name) {
|
|||||||
|
|
||||||
function getCardRecipeName() {
|
function getCardRecipeName() {
|
||||||
if (cardLang.value === 'en') {
|
if (cardLang.value === 'en') {
|
||||||
return customRecipeNameEn.value || recipe.value.en_name || recipeNameEn(recipe.value.name)
|
return customRecipeNameEn.value || recipeNameEn(recipe.value.name)
|
||||||
}
|
}
|
||||||
return recipe.value.name
|
return recipe.value.name
|
||||||
}
|
}
|
||||||
@@ -651,7 +669,7 @@ onMounted(() => {
|
|||||||
editTags.value = [...(r.tags || [])]
|
editTags.value = [...(r.tags || [])]
|
||||||
editIngredients.value = (r.ingredients || []).map(i => ({ oil: i.oil, drops: i.drops }))
|
editIngredients.value = (r.ingredients || []).map(i => ({ oil: i.oil, drops: i.drops }))
|
||||||
// Init translation defaults
|
// Init translation defaults
|
||||||
customRecipeNameEn.value = r.en_name || recipeNameEn(r.name)
|
customRecipeNameEn.value = recipeNameEn(r.name)
|
||||||
const enMap = {}
|
const enMap = {}
|
||||||
;(r.ingredients || []).forEach(ing => {
|
;(r.ingredients || []).forEach(ing => {
|
||||||
enMap[ing.oil] = oilEn(ing.oil) || ing.oil
|
enMap[ing.oil] = oilEn(ing.oil) || ing.oil
|
||||||
@@ -801,6 +819,7 @@ async function saveRecipe() {
|
|||||||
ingredients: ingredients.map(i => ({ oil_name: i.oil, drops: i.drops })),
|
ingredients: ingredients.map(i => ({ oil_name: i.oil, drops: i.drops })),
|
||||||
}
|
}
|
||||||
await recipesStore.saveRecipe(payload)
|
await recipesStore.saveRecipe(payload)
|
||||||
|
// Reload recipes so the data is fresh when re-opened
|
||||||
await recipesStore.loadRecipes()
|
await recipesStore.loadRecipes()
|
||||||
ui.showToast('保存成功')
|
ui.showToast('保存成功')
|
||||||
emit('close')
|
emit('close')
|
||||||
@@ -1146,6 +1165,42 @@ async function saveRecipe() {
|
|||||||
background: var(--sage-mist, #eef4ee);
|
background: var(--sage-mist, #eef4ee);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/* Brand upload hint banner */
|
||||||
|
.brand-upload-hint {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 8px;
|
||||||
|
background: linear-gradient(135deg, #eef4ee, #f5f0e8);
|
||||||
|
border: 1.5px dashed var(--sage-light, #c8ddc9);
|
||||||
|
border-radius: 10px;
|
||||||
|
padding: 10px 16px;
|
||||||
|
margin-bottom: 14px;
|
||||||
|
font-size: 13px;
|
||||||
|
color: var(--sage-dark, #5a7d5e);
|
||||||
|
font-weight: 500;
|
||||||
|
animation: hint-pop 0.3s ease;
|
||||||
|
}
|
||||||
|
|
||||||
|
.hint-icon {
|
||||||
|
font-size: 18px;
|
||||||
|
flex-shrink: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes hint-pop {
|
||||||
|
from { opacity: 0; transform: translateY(-6px); }
|
||||||
|
to { opacity: 1; transform: translateY(0); }
|
||||||
|
}
|
||||||
|
|
||||||
|
.action-btn-qr {
|
||||||
|
background: linear-gradient(135deg, #c8ddc9, var(--sage, #7a9e7e));
|
||||||
|
color: #fff;
|
||||||
|
border-color: transparent;
|
||||||
|
}
|
||||||
|
|
||||||
|
.action-btn-qr:hover {
|
||||||
|
opacity: 0.88;
|
||||||
|
}
|
||||||
|
|
||||||
/* Card bottom actions */
|
/* Card bottom actions */
|
||||||
.card-bottom-actions {
|
.card-bottom-actions {
|
||||||
display: flex;
|
display: flex;
|
||||||
|
|||||||
@@ -16,7 +16,6 @@ export const useRecipesStore = defineStore('recipes', () => {
|
|||||||
_owner_name: r._owner_name ?? r.owner_name ?? '',
|
_owner_name: r._owner_name ?? r.owner_name ?? '',
|
||||||
_version: r._version ?? r.version ?? 1,
|
_version: r._version ?? r.version ?? 1,
|
||||||
name: r.name,
|
name: r.name,
|
||||||
en_name: r.en_name ?? '',
|
|
||||||
note: r.note ?? '',
|
note: r.note ?? '',
|
||||||
tags: r.tags ?? [],
|
tags: r.tags ?? [],
|
||||||
ingredients: (r.ingredients ?? []).map((ing) => ({
|
ingredients: (r.ingredients ?? []).map((ing) => ({
|
||||||
|
|||||||
@@ -123,6 +123,16 @@
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<div class="form-group">
|
||||||
|
<label>我的二维码图片</label>
|
||||||
|
<div class="upload-area" @click="triggerUpload('qr')">
|
||||||
|
<img v-if="brandQrImage" :src="brandQrImage" class="upload-preview qr-upload-preview" />
|
||||||
|
<span v-else class="upload-hint">📲 点击上传二维码图片</span>
|
||||||
|
</div>
|
||||||
|
<input ref="qrInput" type="file" accept="image/*" style="display:none" @change="handleUpload('qr', $event)" />
|
||||||
|
<div class="field-hint">上传后将显示在配方卡片右下角</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
<div class="form-group">
|
<div class="form-group">
|
||||||
<label>品牌Logo</label>
|
<label>品牌Logo</label>
|
||||||
<div class="upload-area" @click="triggerUpload('logo')">
|
<div class="upload-area" @click="triggerUpload('logo')">
|
||||||
@@ -202,6 +212,7 @@
|
|||||||
|
|
||||||
<script setup>
|
<script setup>
|
||||||
import { ref, computed, onMounted, watch } from 'vue'
|
import { ref, computed, onMounted, watch } from 'vue'
|
||||||
|
import { useRouter } from 'vue-router'
|
||||||
import { useAuthStore } from '../stores/auth'
|
import { useAuthStore } from '../stores/auth'
|
||||||
import { useOilsStore } from '../stores/oils'
|
import { useOilsStore } from '../stores/oils'
|
||||||
import { useDiaryStore } from '../stores/diary'
|
import { useDiaryStore } from '../stores/diary'
|
||||||
@@ -214,6 +225,7 @@ const auth = useAuthStore()
|
|||||||
const oils = useOilsStore()
|
const oils = useOilsStore()
|
||||||
const diaryStore = useDiaryStore()
|
const diaryStore = useDiaryStore()
|
||||||
const ui = useUiStore()
|
const ui = useUiStore()
|
||||||
|
const router = useRouter()
|
||||||
|
|
||||||
const activeTab = ref('brand')
|
const activeTab = ref('brand')
|
||||||
const pasteText = ref('')
|
const pasteText = ref('')
|
||||||
@@ -224,10 +236,12 @@ const newEntryText = ref('')
|
|||||||
// Brand settings
|
// Brand settings
|
||||||
const brandName = ref('')
|
const brandName = ref('')
|
||||||
const brandQrUrl = ref('')
|
const brandQrUrl = ref('')
|
||||||
|
const brandQrImage = ref('')
|
||||||
const brandLogo = ref('')
|
const brandLogo = ref('')
|
||||||
const brandBg = ref('')
|
const brandBg = ref('')
|
||||||
const logoInput = ref(null)
|
const logoInput = ref(null)
|
||||||
const bgInput = ref(null)
|
const bgInput = ref(null)
|
||||||
|
const qrInput = ref(null)
|
||||||
|
|
||||||
// Account settings
|
// Account settings
|
||||||
const displayName = ref('')
|
const displayName = ref('')
|
||||||
@@ -345,8 +359,9 @@ async function loadBrandSettings() {
|
|||||||
const data = await res.json()
|
const data = await res.json()
|
||||||
brandName.value = data.brand_name || ''
|
brandName.value = data.brand_name || ''
|
||||||
brandQrUrl.value = data.qr_url || ''
|
brandQrUrl.value = data.qr_url || ''
|
||||||
brandLogo.value = data.logo_url || ''
|
brandQrImage.value = data.qr_code || ''
|
||||||
brandBg.value = data.bg_url || ''
|
brandLogo.value = data.brand_logo || ''
|
||||||
|
brandBg.value = data.brand_bg || ''
|
||||||
}
|
}
|
||||||
} catch {
|
} catch {
|
||||||
// no brand settings yet
|
// no brand settings yet
|
||||||
@@ -369,26 +384,46 @@ async function saveBrandSettings() {
|
|||||||
|
|
||||||
function triggerUpload(type) {
|
function triggerUpload(type) {
|
||||||
if (type === 'logo') logoInput.value?.click()
|
if (type === 'logo') logoInput.value?.click()
|
||||||
else bgInput.value?.click()
|
else if (type === 'bg') bgInput.value?.click()
|
||||||
|
else if (type === 'qr') qrInput.value?.click()
|
||||||
|
}
|
||||||
|
|
||||||
|
function readFileAsBase64(file) {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
const reader = new FileReader()
|
||||||
|
reader.onload = e => resolve(e.target.result)
|
||||||
|
reader.onerror = reject
|
||||||
|
reader.readAsDataURL(file)
|
||||||
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
async function handleUpload(type, event) {
|
async function handleUpload(type, event) {
|
||||||
const file = event.target.files[0]
|
const file = event.target.files[0]
|
||||||
if (!file) return
|
if (!file) return
|
||||||
const formData = new FormData()
|
|
||||||
formData.append('file', file)
|
|
||||||
formData.append('type', type)
|
|
||||||
try {
|
try {
|
||||||
const token = localStorage.getItem('oil_auth_token') || ''
|
const base64 = await readFileAsBase64(file)
|
||||||
const res = await fetch('/api/brand-upload', {
|
const fieldMap = { logo: 'brand_logo', bg: 'brand_bg', qr: 'qr_code' }
|
||||||
method: 'POST',
|
const field = fieldMap[type]
|
||||||
headers: token ? { Authorization: 'Bearer ' + token } : {},
|
if (!field) return
|
||||||
body: formData,
|
const res = await api('/api/brand', {
|
||||||
|
method: 'PUT',
|
||||||
|
body: JSON.stringify({ [field]: base64 }),
|
||||||
})
|
})
|
||||||
if (res.ok) {
|
if (res.ok) {
|
||||||
const data = await res.json()
|
if (type === 'logo') brandLogo.value = base64
|
||||||
if (type === 'logo') brandLogo.value = data.url
|
else if (type === 'bg') brandBg.value = base64
|
||||||
else brandBg.value = data.url
|
else if (type === 'qr') {
|
||||||
|
brandQrImage.value = base64
|
||||||
|
// If user came here from a recipe card, navigate back
|
||||||
|
const returnRecipeId = localStorage.getItem('oil_return_recipe_id')
|
||||||
|
if (returnRecipeId) {
|
||||||
|
localStorage.removeItem('oil_return_recipe_id')
|
||||||
|
ui.showToast('二维码已上传,返回配方卡片 ✨')
|
||||||
|
await new Promise(r => setTimeout(r, 800))
|
||||||
|
router.push('/?openRecipe=' + encodeURIComponent(returnRecipeId))
|
||||||
|
return
|
||||||
|
}
|
||||||
|
}
|
||||||
ui.showToast('上传成功')
|
ui.showToast('上传成功')
|
||||||
}
|
}
|
||||||
} catch {
|
} catch {
|
||||||
@@ -783,6 +818,18 @@ async function applyBusiness() {
|
|||||||
max-height: 100px;
|
max-height: 100px;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.qr-upload-preview {
|
||||||
|
max-width: 120px;
|
||||||
|
max-height: 120px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.field-hint {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #9b94a3;
|
||||||
|
margin-top: 4px;
|
||||||
|
padding-left: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
.upload-hint {
|
.upload-hint {
|
||||||
font-size: 13px;
|
font-size: 13px;
|
||||||
color: #b0aab5;
|
color: #b0aab5;
|
||||||
|
|||||||
@@ -123,7 +123,8 @@
|
|||||||
</template>
|
</template>
|
||||||
|
|
||||||
<script setup>
|
<script setup>
|
||||||
import { ref, computed, onMounted, nextTick } from 'vue'
|
import { ref, computed, onMounted, nextTick, watch } from 'vue'
|
||||||
|
import { useRoute, useRouter } from 'vue-router'
|
||||||
import { useAuthStore } from '../stores/auth'
|
import { useAuthStore } from '../stores/auth'
|
||||||
import { useOilsStore } from '../stores/oils'
|
import { useOilsStore } from '../stores/oils'
|
||||||
import { useRecipesStore } from '../stores/recipes'
|
import { useRecipesStore } from '../stores/recipes'
|
||||||
@@ -136,6 +137,8 @@ const auth = useAuthStore()
|
|||||||
const oils = useOilsStore()
|
const oils = useOilsStore()
|
||||||
const recipeStore = useRecipesStore()
|
const recipeStore = useRecipesStore()
|
||||||
const ui = useUiStore()
|
const ui = useUiStore()
|
||||||
|
const route = useRoute()
|
||||||
|
const router = useRouter()
|
||||||
|
|
||||||
const searchQuery = ref('')
|
const searchQuery = ref('')
|
||||||
const selectedCategory = ref(null)
|
const selectedCategory = ref(null)
|
||||||
@@ -154,6 +157,27 @@ onMounted(async () => {
|
|||||||
} catch {
|
} catch {
|
||||||
// category modules are optional
|
// category modules are optional
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Return to a recipe card after QR upload redirect
|
||||||
|
const openRecipeId = route.query.openRecipe
|
||||||
|
if (openRecipeId) {
|
||||||
|
router.replace({ path: '/', query: {} })
|
||||||
|
const tryOpen = () => {
|
||||||
|
const idx = recipeStore.recipes.findIndex(r => r._id === openRecipeId)
|
||||||
|
if (idx >= 0) {
|
||||||
|
openDetail(idx)
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
if (!tryOpen()) {
|
||||||
|
// Recipes might not be loaded yet, watch until available
|
||||||
|
const stop = watch(
|
||||||
|
() => recipeStore.recipes.length,
|
||||||
|
() => { if (tryOpen()) stop() },
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
function selectCategory(cat) {
|
function selectCategory(cat) {
|
||||||
|
|||||||
Reference in New Issue
Block a user