ваше сообщение коммита

This commit is contained in:
2025-04-03 12:46:39 +03:00
parent 4a96bad268
commit f45fd2715f
8 changed files with 1314 additions and 643 deletions

View File

@@ -9,15 +9,136 @@ export function useAuth() {
const telegramId = ref(null);
const isAdmin = ref(false);
const email = ref(null);
const processedGuestIds = ref([]);
const identities = ref([]);
// Функция для обновления списка идентификаторов
const updateIdentities = async () => {
if (!isAuthenticated.value || !userId.value) return;
try {
const response = await axios.get('/api/auth/identities');
if (response.data.success) {
identities.value = response.data.identities;
console.log('User identities updated:', identities.value);
}
} catch (error) {
console.error('Error fetching user identities:', error);
}
};
const updateAuth = ({ authenticated, authType: newAuthType, userId: newUserId, address: newAddress, telegramId: newTelegramId, isAdmin: newIsAdmin, email: newEmail }) => {
isAuthenticated.value = authenticated;
authType.value = newAuthType;
userId.value = newUserId;
address.value = newAddress;
telegramId.value = newTelegramId;
isAdmin.value = newIsAdmin;
email.value = newEmail;
const wasAuthenticated = isAuthenticated.value;
const previousUserId = userId.value;
console.log('updateAuth called with:', {
authenticated,
newAuthType,
newUserId,
newAddress,
newTelegramId,
newIsAdmin,
newEmail
});
// Убедимся, что переменные являются реактивными
isAuthenticated.value = authenticated === true;
authType.value = newAuthType || null;
userId.value = newUserId || null;
address.value = newAddress || null;
telegramId.value = newTelegramId || null;
isAdmin.value = newIsAdmin === true;
email.value = newEmail || null;
console.log('Auth updated:', {
authenticated: isAuthenticated.value,
userId: userId.value,
address: address.value,
telegramId: telegramId.value,
email: email.value,
isAdmin: isAdmin.value
});
// Если пользователь только что аутентифицировался или сменил аккаунт,
// пробуем связать сообщения и обновить идентификаторы
if (authenticated && (!wasAuthenticated || (previousUserId && previousUserId !== newUserId))) {
console.log('Auth change detected, linking messages and updating identities');
linkMessages();
updateIdentities();
}
};
// Функция для связывания сообщений после успешной авторизации
const linkMessages = async () => {
try {
if (isAuthenticated.value) {
console.log('Linking messages after authentication');
// Создаем объект с идентификаторами для передачи на сервер
const identifiersData = {
userId: userId.value
};
// Добавляем все доступные идентификаторы
if (address.value) identifiersData.address = address.value;
if (email.value) identifiersData.email = email.value;
if (telegramId.value) identifiersData.telegramId = telegramId.value;
// Сохраняем предыдущий guestId из localStorage, если есть
const localGuestId = localStorage.getItem('guestId');
if (localGuestId && !processedGuestIds.value.includes(localGuestId)) {
console.log('Found local guestId:', localGuestId);
// Добавляем guestId в идентификаторы
identifiersData.guestId = localGuestId;
// Добавляем guestId в список обработанных
processedGuestIds.value.push(localGuestId);
}
// Логируем попытку связывания сообщений
console.log('Sending link-guest-messages request with data:', identifiersData);
try {
// Отправляем запрос на связывание сообщений
const response = await axios.post('/api/auth/link-guest-messages', identifiersData);
if (response.data.success) {
console.log('Messages linked successfully:', response.data);
// Если в ответе есть обработанные guestIds, добавляем их в список
if (response.data.results && Array.isArray(response.data.results)) {
const newProcessedIds = response.data.results
.filter(result => result.guestId)
.map(result => result.guestId);
if (newProcessedIds.length > 0) {
processedGuestIds.value = [...new Set([...processedGuestIds.value, ...newProcessedIds])];
console.log('Updated processed guest IDs:', processedGuestIds.value);
}
}
// Очищаем гостевые сообщения из localStorage после успешного связывания
localStorage.removeItem('guestMessages');
localStorage.removeItem('guestId');
return {
success: true,
processedIds: processedGuestIds.value
};
}
} catch (error) {
console.error('Error linking messages:', error);
return {
success: false,
error: error.message
};
}
}
return { success: false, message: 'Not authenticated' };
} catch (error) {
console.error('Error in linkMessages:', error);
return { success: false, error: error.message };
}
};
const checkAuth = async () => {
@@ -25,13 +146,33 @@ export function useAuth() {
const response = await axios.get('/api/auth/check');
console.log('Auth check response:', response.data);
isAuthenticated.value = response.data.authenticated;
userId.value = response.data.userId;
isAdmin.value = response.data.isAdmin;
authType.value = response.data.authType;
address.value = response.data.address;
telegramId.value = response.data.telegramId;
email.value = response.data.email;
const wasAuthenticated = isAuthenticated.value;
const previousUserId = userId.value;
// Обновляем данные авторизации через updateAuth вместо прямого изменения
updateAuth({
authenticated: response.data.authenticated,
authType: response.data.authType,
userId: response.data.userId,
address: response.data.address,
telegramId: response.data.telegramId,
email: response.data.email,
isAdmin: response.data.isAdmin
});
// Если пользователь аутентифицирован, обновляем список идентификаторов и связываем сообщения
if (response.data.authenticated) {
// Сначала обновляем идентификаторы, чтобы иметь актуальные данные
await updateIdentities();
// Если пользователь только что аутентифицировался или сменил аккаунт,
// связываем гостевые сообщения с его аккаунтом
if (!wasAuthenticated || (previousUserId && previousUserId !== response.data.userId)) {
// Немедленно связываем сообщения
const linkResult = await linkMessages();
console.log('Link messages result on auth change:', linkResult);
}
}
return response.data;
} catch (error) {
@@ -42,6 +183,11 @@ export function useAuth() {
const disconnect = async () => {
try {
// Сохраняем текущий guestId перед выходом
const newGuestId = crypto.randomUUID();
localStorage.setItem('guestId', newGuestId);
console.log('Created new guestId for future session:', newGuestId);
await axios.post('/api/auth/logout');
updateAuth({
authenticated: false,
@@ -53,7 +199,10 @@ export function useAuth() {
isAdmin: false
});
// Очищаем localStorage
// Очищаем списки идентификаторов
identities.value = [];
// Очищаем localStorage кроме guestId
localStorage.removeItem('isAuthenticated');
localStorage.removeItem('userId');
localStorage.removeItem('address');
@@ -66,6 +215,13 @@ export function useAuth() {
}
};
// Обновляем список обработанных guestIds
const updateProcessedGuestIds = (ids) => {
if (Array.isArray(ids)) {
processedGuestIds.value = [...new Set([...processedGuestIds.value, ...ids])];
}
};
onMounted(async () => {
await checkAuth();
});
@@ -78,8 +234,13 @@ export function useAuth() {
isAdmin,
telegramId,
email,
identities,
processedGuestIds,
updateAuth,
checkAuth,
disconnect
disconnect,
linkMessages,
updateIdentities,
updateProcessedGuestIds
};
}