- Settings: add unit_system key (metric | imperial, default metric) - Recipe LLM prompts: inject unit instruction into L3 and L4 prompts so generated recipes use the user's preferred units throughout - Frontend: new utils/units.ts converter (mirrors Python units.py) - Inventory list: display quantities converted to preferred units - Settings view: metric/imperial toggle with save button - Settings store: load/save unit_system alongside cooking_equipment Closes #81
69 lines
1.7 KiB
TypeScript
69 lines
1.7 KiB
TypeScript
/**
|
|
* Settings Store
|
|
*
|
|
* Manages user settings (cooking equipment, preferences) using Pinia.
|
|
*/
|
|
|
|
import { defineStore } from 'pinia'
|
|
import { ref } from 'vue'
|
|
import { settingsAPI } from '../services/api'
|
|
import type { UnitSystem } from '../utils/units'
|
|
|
|
export const useSettingsStore = defineStore('settings', () => {
|
|
// State
|
|
const cookingEquipment = ref<string[]>([])
|
|
const unitSystem = ref<UnitSystem>('metric')
|
|
const loading = ref(false)
|
|
const saved = ref(false)
|
|
|
|
// Actions
|
|
async function load() {
|
|
loading.value = true
|
|
try {
|
|
const [rawEquipment, rawUnits] = await Promise.allSettled([
|
|
settingsAPI.getSetting('cooking_equipment'),
|
|
settingsAPI.getSetting('unit_system'),
|
|
])
|
|
if (rawEquipment.status === 'fulfilled' && rawEquipment.value) {
|
|
cookingEquipment.value = JSON.parse(rawEquipment.value)
|
|
}
|
|
if (rawUnits.status === 'fulfilled' && rawUnits.value) {
|
|
unitSystem.value = rawUnits.value as UnitSystem
|
|
}
|
|
} catch (err: unknown) {
|
|
console.error('Failed to load settings:', err)
|
|
} finally {
|
|
loading.value = false
|
|
}
|
|
}
|
|
|
|
async function save() {
|
|
loading.value = true
|
|
try {
|
|
await Promise.all([
|
|
settingsAPI.setSetting('cooking_equipment', JSON.stringify(cookingEquipment.value)),
|
|
settingsAPI.setSetting('unit_system', unitSystem.value),
|
|
])
|
|
saved.value = true
|
|
setTimeout(() => {
|
|
saved.value = false
|
|
}, 2000)
|
|
} catch (err: unknown) {
|
|
console.error('Failed to save settings:', err)
|
|
} finally {
|
|
loading.value = false
|
|
}
|
|
}
|
|
|
|
return {
|
|
// State
|
|
cookingEquipment,
|
|
unitSystem,
|
|
loading,
|
|
saved,
|
|
|
|
// Actions
|
|
load,
|
|
save,
|
|
}
|
|
})
|