Files
voyage/frontend/src/routes/settings/+page.server.ts
alex 91d907204a fix(ai): critical fixes for agent-redesign - provider selection and auto-learn
Fix 1: Provider/Model Selection (Critical - unblocks LLM)
- Add /api/chat/providers/{id}/models/ endpoint to fetch available models
- Auto-select first configured provider instead of hardcoded 'openai'
- Add model dropdown populated from provider API
- Filter provider list to only show configured providers
- Show helpful error when no providers configured

Fix 2: Auto-Learn Preferences (Replaces manual input)
- Create auto_profile.py utility to infer preferences from user data
- Learn interests from Activity sport types and Location categories
- Learn trip style from Lodging types (hostel=budget, resort=luxury, etc.)
- Learn geographic preferences from VisitedRegion/VisitedCity
- Call auto-learn on every chat start (send_message)
- System prompt now indicates preferences are auto-inferred

Fix 3: Remove Manual Preference UI
- Remove travel_preferences section from Settings
- Remove preference form fields and save logic
- Remove preference fetch from server-side load
- Keep UserRecommendationPreferenceProfile type for backend use

The LLM should now work correctly:
- Users with any configured provider will have it auto-selected
- Model list is fetched dynamically from provider API
- Preferences are learned from actual travel history
2026-03-09 00:20:11 +00:00

375 lines
10 KiB
TypeScript

import { fail, redirect, type Actions } from '@sveltejs/kit';
import type { PageServerLoad } from '../$types';
const PUBLIC_SERVER_URL = process.env['PUBLIC_SERVER_URL'];
import type { ImmichIntegration, User } from '$lib/types';
import { fetchCSRFToken } from '$lib/index.server';
const endpoint = PUBLIC_SERVER_URL || 'http://localhost:8000';
type MFAAuthenticatorResponse = {
status: number;
data: {
type: string;
created_at: number;
last_used_at: number | null;
total_code_count?: number;
unused_code_count?: number;
}[];
};
type UserAPIKey = {
id: string;
provider: string;
masked_api_key: string;
created_at: string;
updated_at: string;
};
export const load: PageServerLoad = async (event) => {
if (!event.locals.user) {
return redirect(302, '/');
}
let sessionId = event.cookies.get('sessionid');
if (!sessionId) {
return redirect(302, '/');
}
let res = await fetch(`${endpoint}/auth/user-metadata/`, {
headers: {
Cookie: `sessionid=${sessionId}`
}
});
let user = (await res.json()) as User;
let emailFetch = await fetch(`${endpoint}/auth/browser/v1/account/email`, {
headers: {
Cookie: `sessionid=${sessionId}`
}
});
let emailResponse = (await emailFetch.json()) as {
status: number;
data: { email: string; verified: boolean; primary: boolean }[];
};
let emails = emailResponse.data;
if (!res.ok || !emailFetch.ok) {
return redirect(302, '/');
}
let mfaAuthenticatorFetch = await fetch(`${endpoint}/auth/browser/v1/account/authenticators`, {
headers: {
Cookie: `sessionid=${sessionId}`
}
});
let mfaAuthenticatorResponse = (await mfaAuthenticatorFetch.json()) as MFAAuthenticatorResponse;
let authenticators = (mfaAuthenticatorResponse.data.length > 0) as boolean;
let immichIntegration: ImmichIntegration | null = null;
let immichIntegrationsFetch = await fetch(`${endpoint}/api/integrations/immich/`, {
headers: {
Cookie: `sessionid=${sessionId}`
}
});
if (immichIntegrationsFetch.ok) {
immichIntegration = await immichIntegrationsFetch.json();
}
let socialProvidersFetch = await fetch(`${endpoint}/auth/social-providers`, {
headers: {
Cookie: `sessionid=${sessionId}`
}
});
let socialProviders = await socialProvidersFetch.json();
let integrationsFetch = await fetch(`${endpoint}/api/integrations/`, {
headers: {
Cookie: `sessionid=${sessionId}`
}
});
if (!integrationsFetch.ok) {
return redirect(302, '/');
}
let integrations = await integrationsFetch.json();
let googleMapsEnabled = integrations.google_maps as boolean;
let stravaGlobalEnabled = integrations.strava.global as boolean;
let stravaUserEnabled = integrations.strava.user as boolean;
let wandererEnabled = integrations.wanderer.exists as boolean;
let wandererExpired = integrations.wanderer.expired as boolean;
let apiKeys: UserAPIKey[] = [];
let apiKeysConfigError: string | null = null;
let apiKeysFetch = await fetch(`${endpoint}/api/integrations/api-keys/`, {
headers: {
Cookie: `sessionid=${sessionId}`
}
});
if (apiKeysFetch.ok) {
apiKeys = (await apiKeysFetch.json()) as UserAPIKey[];
} else if (apiKeysFetch.status === 503) {
const errorBody = (await apiKeysFetch.json()) as { detail?: string };
apiKeysConfigError = errorBody.detail ?? 'API key storage is currently unavailable.';
}
let publicUrlFetch = await fetch(`${endpoint}/public-url/`);
let publicUrl = '';
if (!publicUrlFetch.ok) {
return redirect(302, '/');
} else {
let publicUrlJson = await publicUrlFetch.json();
publicUrl = publicUrlJson.PUBLIC_URL;
}
return {
props: {
user,
emails,
authenticators,
immichIntegration,
publicUrl,
mcpTokenHeaderFormat: 'Authorization: Token <token>',
socialProviders,
googleMapsEnabled,
stravaGlobalEnabled,
stravaUserEnabled,
apiKeys,
apiKeysConfigError,
wandererEnabled,
wandererExpired
}
};
};
export const actions: Actions = {
changeDetails: async (event) => {
if (!event.locals.user) {
return redirect(302, '/');
}
let sessionId = event.cookies.get('sessionid');
if (!sessionId) {
return redirect(302, '/');
}
try {
const formData = await event.request.formData();
let username = formData.get('username') as string | null | undefined;
let first_name = formData.get('first_name') as string | null | undefined;
let last_name = formData.get('last_name') as string | null | undefined;
let profile_pic = formData.get('profile_pic') as File | null | undefined;
let public_profile = formData.get('public_profile') as string | null | undefined | boolean;
let measurement_system = formData.get('measurement_system') as string | null | undefined;
let default_currency = formData.get('default_currency') as string | null | undefined;
const resCurrent = await fetch(`${endpoint}/auth/user-metadata/`, {
headers: {
Cookie: `sessionid=${sessionId}`,
Referer: event.url.origin // Include Referer header
}
});
if (!resCurrent.ok) {
return fail(resCurrent.status, await resCurrent.json());
}
// Gets the boolean value of the public_profile input
if (public_profile === 'on') {
public_profile = true;
} else {
public_profile = false;
}
// Gets the boolean value of the measurement_system input checked means imperial
if (measurement_system === 'on') {
measurement_system = 'imperial';
} else {
measurement_system = 'metric';
}
if (default_currency !== null && typeof default_currency === 'string') {
default_currency = default_currency.trim().toUpperCase();
}
let currentUser = (await resCurrent.json()) as User;
if (username === currentUser.username || !username) {
username = undefined;
}
if (first_name === currentUser.first_name || !first_name) {
first_name = undefined;
}
if (last_name === currentUser.last_name || !last_name) {
last_name = undefined;
}
if (currentUser.profile_pic && profile_pic?.size === 0) {
profile_pic = undefined;
}
if (!default_currency || default_currency === currentUser.default_currency) {
default_currency = undefined;
}
let formDataToSend = new FormData();
if (username) {
formDataToSend.append('username', username);
}
if (first_name) {
formDataToSend.append('first_name', first_name);
}
if (last_name) {
formDataToSend.append('last_name', last_name);
}
if (profile_pic) {
formDataToSend.append('profile_pic', profile_pic);
}
formDataToSend.append('public_profile', public_profile.toString());
formDataToSend.append('measurement_system', measurement_system.toString());
if (default_currency) {
formDataToSend.append('default_currency', default_currency);
}
let csrfToken = await fetchCSRFToken();
let res = await fetch(`${endpoint}/auth/update-user/`, {
method: 'PATCH',
headers: {
Referer: event.url.origin, // Include Referer header
Cookie: `sessionid=${sessionId}; csrftoken=${csrfToken}`,
'X-CSRFToken': csrfToken
},
body: formDataToSend
});
let response = await res.json();
if (!res.ok) {
return fail(res.status, response);
}
return { success: true };
} catch (error) {
console.error('Error:', error);
return { error: 'settings.generic_error' };
}
},
changePassword: async (event) => {
if (!event.locals.user) {
return redirect(302, '/');
}
let sessionId = event.cookies.get('sessionid');
if (!sessionId) {
return redirect(302, '/');
}
const formData = await event.request.formData();
const password1 = formData.get('password1') as string | null | undefined;
const password2 = formData.get('password2') as string | null | undefined;
let current_password = formData.get('current_password') as string | null | undefined;
if (password1 !== password2) {
return fail(400, { message: 'settings.password_does_not_match' });
}
if (!current_password) {
current_password = null;
}
if (password1 && password1?.length < 6) {
return fail(400, { message: 'settings.password_too_short' });
}
let csrfToken = await fetchCSRFToken();
if (current_password) {
let res = await fetch(`${endpoint}/auth/browser/v1/account/password/change`, {
method: 'POST',
headers: {
Referer: event.url.origin, // Include Referer header
Cookie: `sessionid=${sessionId}; csrftoken=${csrfToken}`,
'X-CSRFToken': csrfToken,
'Content-Type': 'application/json'
},
body: JSON.stringify({
current_password,
new_password: password1
})
});
if (!res.ok) {
return fail(res.status, { message: 'settings.error_change_password' });
}
return { success: true };
} else {
let res = await fetch(`${endpoint}/auth/browser/v1/account/password/change`, {
method: 'POST',
headers: {
Referer: event.url.origin, // Include Referer header
Cookie: `sessionid=${sessionId}; csrftoken=${csrfToken}`,
'X-CSRFToken': csrfToken,
'Content-Type': 'application/json'
},
body: JSON.stringify({
new_password: password1
})
});
if (!res.ok) {
console.log('Error:', await res.json());
return fail(res.status, { message: 'settings.error_change_password' });
}
return { success: true };
}
},
restoreData: async (event) => {
if (!event.locals.user) {
return redirect(302, '/');
}
let sessionId = event.cookies.get('sessionid');
if (!sessionId) {
return redirect(302, '/');
}
try {
const formData = await event.request.formData();
const file = formData.get('file') as File | null | undefined;
const confirm = formData.get('confirm') as string | null | undefined;
if (!file || file.size === 0) {
return fail(400, { message: 'settings.no_file_selected' });
}
if (confirm !== 'yes') {
return fail(400, { message: 'settings.confirmation_required' });
}
let csrfToken = await fetchCSRFToken();
// Create FormData for the API request
const apiFormData = new FormData();
apiFormData.append('file', file);
apiFormData.append('confirm', 'yes');
let res = await fetch(`${endpoint}/api/backup/import/`, {
method: 'POST',
headers: {
Referer: event.url.origin,
Cookie: `sessionid=${sessionId}; csrftoken=${csrfToken}`,
'X-CSRFToken': csrfToken
},
body: apiFormData
});
if (!res.ok) {
const errorData = await res.json();
return fail(res.status, {
message: errorData.code
? `settings.restore_error_${errorData.code}`
: 'settings.generic_error',
details: errorData
});
}
return { success: true };
} catch (error) {
console.error('Restore error:', error);
return fail(500, { message: 'settings.generic_error' });
}
}
};