Унификация UI раздела Партнеры и создание системы документирования

🎨 Унификация UI:
- Полная унификация визуала вкладок Рефералы и Мои контрагенты
- Исправлены React Hooks ошибки в sidebar.tsx
- Убрана лишняя обертка glass-card в partners-dashboard.tsx
- Исправлена цветовая схема (purple → yellow)
- Табличный формат вместо карточного grid-layout
- Компактные блоки статистики (4 метрики в ряд)
- Правильная прозрачность glass-morphism эффектов

📚 Документация:
- Переименован referral-system-rules.md → partners-rules.md
- Детальные UI/UX правила в partners-rules.md
- Правила унификации в visual-design-rules.md
- Обновлен current-session.md
- Создан development-diary.md

🚀 Generated with [Claude Code](https://claude.ai/code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
Veronika Smirnova
2025-08-11 15:38:23 +03:00
parent 8f7ec70fe6
commit 6b425d075f
27 changed files with 4825 additions and 463 deletions

View File

@ -30,7 +30,7 @@ const generateReferralCode = async (): Promise<string> => {
// Проверяем уникальность
const existing = await prisma.organization.findUnique({
where: { referralCode: code }
where: { referralCode: code },
})
if (!existing) {
@ -2062,7 +2062,7 @@ export const resolvers = {
const organization = await prisma.organization.findUnique({
where: { id: context.user.organizationId },
select: { referralCode: true }
select: { referralCode: true },
})
if (!organization?.referralCode) {
@ -2072,31 +2072,209 @@ export const resolvers = {
return `${process.env.NEXT_PUBLIC_APP_URL || 'http://localhost:3000'}/register?partner=${organization.referralCode}`
},
// ВРЕМЕННЫЙ myReferralLink для отладки
// Получить реферальную ссылку
myReferralLink: async (_: unknown, __: unknown, context: Context) => {
console.log('🔥 OLD RESOLVER - myReferralLink called!')
if (!context.user?.organizationId) {
console.log('❌ OLD RESOLVER - NO organizationId!')
return 'http://localhost:3000/register?ref=PLEASE_LOGIN'
}
const organization = await prisma.organization.findUnique({
where: { id: context.user.organizationId },
select: { referralCode: true },
})
if (!organization?.referralCode) {
throw new GraphQLError('Реферальный код не найден')
}
return `${process.env.NEXT_PUBLIC_APP_URL || 'http://localhost:3000'}/register?ref=${organization.referralCode}`
},
// Статистика по рефералам
myReferralStats: async (_: unknown, __: unknown, context: Context) => {
if (!context.user?.organizationId) {
throw new GraphQLError('Требуется авторизация и организация', {
extensions: { code: 'UNAUTHENTICATED' },
})
}
const organization = await prisma.organization.findUnique({
where: { id: context.user.organizationId },
select: { referralCode: true }
})
try {
// Получаем текущие реферальные очки организации
const organization = await prisma.organization.findUnique({
where: { id: context.user.organizationId },
select: { referralPoints: true },
})
if (!organization?.referralCode) {
console.log('❌ OLD RESOLVER - NO referralCode!')
throw new GraphQLError('Реферальный код не найден')
// Получаем все транзакции где эта организация - реферер
const transactions = await prisma.referralTransaction.findMany({
where: { referrerId: context.user.organizationId },
include: {
referral: {
select: {
type: true,
createdAt: true,
},
},
},
})
// Подсчитываем статистику
const totalSpheres = organization?.referralPoints || 0
const totalPartners = transactions.length
// Партнеры за последний месяц
const lastMonth = new Date()
lastMonth.setMonth(lastMonth.getMonth() - 1)
const monthlyPartners = transactions.filter(tx => tx.createdAt > lastMonth).length
const monthlySpheres = transactions
.filter(tx => tx.createdAt > lastMonth)
.reduce((sum, tx) => sum + tx.points, 0)
// Группировка по типам организаций
const typeStats: Record<string, { count: number; spheres: number }> = {}
transactions.forEach(tx => {
const type = tx.referral.type
if (!typeStats[type]) {
typeStats[type] = { count: 0, spheres: 0 }
}
typeStats[type].count++
typeStats[type].spheres += tx.points
})
// Группировка по источникам
const sourceStats: Record<string, { count: number; spheres: number }> = {}
transactions.forEach(tx => {
const source = tx.type === 'REGISTRATION' ? 'REFERRAL_LINK' : 'AUTO_BUSINESS'
if (!sourceStats[source]) {
sourceStats[source] = { count: 0, spheres: 0 }
}
sourceStats[source].count++
sourceStats[source].spheres += tx.points
})
return {
totalPartners,
totalSpheres,
monthlyPartners,
monthlySpheres,
referralsByType: [
{ type: 'SELLER', count: typeStats['SELLER']?.count || 0, spheres: typeStats['SELLER']?.spheres || 0 },
{ type: 'WHOLESALE', count: typeStats['WHOLESALE']?.count || 0, spheres: typeStats['WHOLESALE']?.spheres || 0 },
{ type: 'FULFILLMENT', count: typeStats['FULFILLMENT']?.count || 0, spheres: typeStats['FULFILLMENT']?.spheres || 0 },
{ type: 'LOGIST', count: typeStats['LOGIST']?.count || 0, spheres: typeStats['LOGIST']?.spheres || 0 },
],
referralsBySource: [
{ source: 'REFERRAL_LINK', count: sourceStats['REFERRAL_LINK']?.count || 0, spheres: sourceStats['REFERRAL_LINK']?.spheres || 0 },
{ source: 'AUTO_BUSINESS', count: sourceStats['AUTO_BUSINESS']?.count || 0, spheres: sourceStats['AUTO_BUSINESS']?.spheres || 0 },
],
}
} catch (error) {
console.error('Ошибка получения статистики рефералов:', error)
// Возвращаем заглушку в случае ошибки
return {
totalPartners: 0,
totalSpheres: 0,
monthlyPartners: 0,
monthlySpheres: 0,
referralsByType: [
{ type: 'SELLER', count: 0, spheres: 0 },
{ type: 'WHOLESALE', count: 0, spheres: 0 },
{ type: 'FULFILLMENT', count: 0, spheres: 0 },
{ type: 'LOGIST', count: 0, spheres: 0 },
],
referralsBySource: [
{ source: 'REFERRAL_LINK', count: 0, spheres: 0 },
{ source: 'AUTO_BUSINESS', count: 0, spheres: 0 },
],
}
}
},
// Получить список рефералов
myReferrals: async (_: unknown, args: any, context: Context) => {
if (!context.user?.organizationId) {
throw new GraphQLError('Требуется авторизация и организация', {
extensions: { code: 'UNAUTHENTICATED' },
})
}
const link = `${process.env.NEXT_PUBLIC_APP_URL || 'http://localhost:3000'}/register?ref=${organization.referralCode}`
console.log('✅ OLD RESOLVER - Generated link:', link)
return link
try {
const { limit = 50, offset = 0 } = args || {}
// Получаем рефералов (организации, которых пригласил текущий пользователь)
const referralTransactions = await prisma.referralTransaction.findMany({
where: { referrerId: context.user.organizationId },
include: {
referral: {
select: {
id: true,
name: true,
fullName: true,
inn: true,
type: true,
createdAt: true,
},
},
},
orderBy: { createdAt: 'desc' },
skip: offset,
take: limit,
})
// Преобразуем в формат для UI
const referrals = referralTransactions.map(tx => ({
id: tx.id,
organization: tx.referral,
source: tx.type === 'REGISTRATION' ? 'REFERRAL_LINK' : 'AUTO_BUSINESS',
spheresEarned: tx.points,
registeredAt: tx.createdAt.toISOString(),
status: 'ACTIVE',
}))
// Получаем общее количество для пагинации
const totalCount = await prisma.referralTransaction.count({
where: { referrerId: context.user.organizationId },
})
const totalPages = Math.ceil(totalCount / limit)
return {
referrals,
totalCount,
totalPages,
}
} catch (error) {
console.error('Ошибка получения рефералов:', error)
return {
referrals: [],
totalCount: 0,
totalPages: 0,
}
}
},
// Получить историю транзакций рефералов
myReferralTransactions: async (_: unknown, args: { limit?: number; offset?: number }, context: Context) => {
if (!context.user?.organizationId) {
throw new GraphQLError('Требуется авторизация и организация', {
extensions: { code: 'UNAUTHENTICATED' },
})
}
try {
// Временная заглушка для отладки
const result = {
transactions: [],
totalCount: 0,
}
return result
} catch (error) {
console.error('Ошибка получения транзакций рефералов:', error)
return {
transactions: [],
totalCount: 0,
}
}
},
},
@ -2220,13 +2398,6 @@ export const resolvers = {
},
context: Context,
) => {
console.log('🚀 registerFulfillmentOrganization called with:', {
inn: args.input.inn,
type: args.input.type,
referralCode: args.input.referralCode,
partnerCode: args.input.partnerCode,
userId: context.user?.id
})
if (!context.user) {
throw new GraphQLError('Требуется авторизация', {
@ -2337,7 +2508,7 @@ export const resolvers = {
try {
// Находим реферера по реферальному коду
const referrer = await prisma.organization.findUnique({
where: { referralCode: referralCode }
where: { referralCode: referralCode },
})
if (referrer) {
@ -2348,39 +2519,36 @@ export const resolvers = {
referralId: organization.id,
points: 100,
type: 'REGISTRATION',
description: `Регистрация ${type.toLowerCase()} организации по реферальной ссылке`
}
description: `Регистрация ${type.toLowerCase()} организации по реферальной ссылке`,
},
})
// Увеличиваем счетчик сфер у реферера
await prisma.organization.update({
where: { id: referrer.id },
data: { referralPoints: { increment: 100 } }
data: { referralPoints: { increment: 100 } },
})
// Устанавливаем связь реферала
// Устанавливаем связь реферала и источник регистрации
await prisma.organization.update({
where: { id: organization.id },
data: { referredById: referrer.id }
data: { referredById: referrer.id },
})
}
} catch (error) {
console.warn('Error processing referral code:', error)
// Не прерываем регистрацию из-за ошибки реферальной системы
} catch {
// Error processing referral code, but continue registration
}
}
if (partnerCode) {
try {
console.log(`🔍 Processing partner code: ${partnerCode}`)
// Находим партнера по партнерскому коду
const partner = await prisma.organization.findUnique({
where: { referralCode: partnerCode }
where: { referralCode: partnerCode },
})
console.log(`🏢 Partner found:`, partner ? `${partner.name} (${partner.id})` : 'NOT FOUND')
if (partner) {
// Создаем реферальную транзакцию (100 сфер)
await prisma.referralTransaction.create({
@ -2389,20 +2557,20 @@ export const resolvers = {
referralId: organization.id,
points: 100,
type: 'AUTO_PARTNERSHIP',
description: `Регистрация ${type.toLowerCase()} организации по партнерской ссылке`
}
description: `Регистрация ${type.toLowerCase()} организации по партнерской ссылке`,
},
})
// Увеличиваем счетчик сфер у партнера
await prisma.organization.update({
where: { id: partner.id },
data: { referralPoints: { increment: 100 } }
data: { referralPoints: { increment: 100 } },
})
// Устанавливаем связь реферала
// Устанавливаем связь реферала и источник регистрации
await prisma.organization.update({
where: { id: organization.id },
data: { referredById: partner.id }
data: { referredById: partner.id },
})
// Создаем партнерскую связь (автоматическое добавление в контрагенты)
@ -2411,8 +2579,8 @@ export const resolvers = {
organizationId: partner.id,
counterpartyId: organization.id,
type: 'AUTO',
triggeredBy: 'PARTNER_LINK'
}
triggeredBy: 'PARTNER_LINK',
},
})
await prisma.counterparty.create({
@ -2420,15 +2588,13 @@ export const resolvers = {
organizationId: organization.id,
counterpartyId: partner.id,
type: 'AUTO',
triggeredBy: 'PARTNER_LINK'
}
triggeredBy: 'PARTNER_LINK',
},
})
console.log(`✅ Partnership created: ${organization.name} <-> ${partner.name}`)
}
} catch (error) {
console.warn('Error processing partner code:', error)
// Не прерываем регистрацию из-за ошибки партнерской системы
}
} catch {
// Error processing partner code, but continue registration
}
}
@ -2437,8 +2603,8 @@ export const resolvers = {
message: 'Организация успешно зарегистрирована',
user: updatedUser,
}
} catch (error) {
console.error('Error registering fulfillment organization:', error)
} catch {
// Error registering fulfillment organization
return {
success: false,
message: 'Ошибка при регистрации организации',
@ -2460,14 +2626,6 @@ export const resolvers = {
},
context: Context,
) => {
console.log('🚀 registerSellerOrganization called with:', {
phone: args.input.phone,
hasWbApiKey: !!args.input.wbApiKey,
hasOzonApiKey: !!args.input.ozonApiKey,
referralCode: args.input.referralCode,
partnerCode: args.input.partnerCode,
userId: context.user?.id
})
if (!context.user) {
throw new GraphQLError('Требуется авторизация', {
@ -2568,7 +2726,7 @@ export const resolvers = {
try {
// Находим реферера по реферальному коду
const referrer = await prisma.organization.findUnique({
where: { referralCode: referralCode }
where: { referralCode: referralCode },
})
if (referrer) {
@ -2579,39 +2737,36 @@ export const resolvers = {
referralId: organization.id,
points: 100,
type: 'REGISTRATION',
description: 'Регистрация селлер организации по реферальной ссылке'
}
description: 'Регистрация селлер организации по реферальной ссылке',
},
})
// Увеличиваем счетчик сфер у реферера
await prisma.organization.update({
where: { id: referrer.id },
data: { referralPoints: { increment: 100 } }
data: { referralPoints: { increment: 100 } },
})
// Устанавливаем связь реферала
// Устанавливаем связь реферала и источник регистрации
await prisma.organization.update({
where: { id: organization.id },
data: { referredById: referrer.id }
data: { referredById: referrer.id },
})
}
} catch (error) {
console.warn('Error processing referral code:', error)
// Не прерываем регистрацию из-за ошибки реферальной системы
} catch {
// Error processing referral code, but continue registration
}
}
if (partnerCode) {
try {
console.log(`🔍 Processing partner code: ${partnerCode}`)
// Находим партнера по партнерскому коду
const partner = await prisma.organization.findUnique({
where: { referralCode: partnerCode }
where: { referralCode: partnerCode },
})
console.log(`🏢 Partner found:`, partner ? `${partner.name} (${partner.id})` : 'NOT FOUND')
if (partner) {
// Создаем реферальную транзакцию (100 сфер)
await prisma.referralTransaction.create({
@ -2620,20 +2775,20 @@ export const resolvers = {
referralId: organization.id,
points: 100,
type: 'AUTO_PARTNERSHIP',
description: 'Регистрация селлер организации по партнерской ссылке'
}
description: 'Регистрация селлер организации по партнерской ссылке',
},
})
// Увеличиваем счетчик сфер у партнера
await prisma.organization.update({
where: { id: partner.id },
data: { referralPoints: { increment: 100 } }
data: { referralPoints: { increment: 100 } },
})
// Устанавливаем связь реферала
// Устанавливаем связь реферала и источник регистрации
await prisma.organization.update({
where: { id: organization.id },
data: { referredById: partner.id }
data: { referredById: partner.id },
})
// Создаем партнерскую связь (автоматическое добавление в контрагенты)
@ -2642,8 +2797,8 @@ export const resolvers = {
organizationId: partner.id,
counterpartyId: organization.id,
type: 'AUTO',
triggeredBy: 'PARTNER_LINK'
}
triggeredBy: 'PARTNER_LINK',
},
})
await prisma.counterparty.create({
@ -2651,15 +2806,13 @@ export const resolvers = {
organizationId: organization.id,
counterpartyId: partner.id,
type: 'AUTO',
triggeredBy: 'PARTNER_LINK'
}
triggeredBy: 'PARTNER_LINK',
},
})
console.log(`✅ Partnership created: ${organization.name} <-> ${partner.name}`)
}
} catch (error) {
console.warn('Error processing partner code:', error)
// Не прерываем регистрацию из-за ошибки партнерской системы
}
} catch {
// Error processing partner code, but continue registration
}
}
@ -2668,8 +2821,8 @@ export const resolvers = {
message: 'Селлер организация успешно зарегистрирована',
user: updatedUser,
}
} catch (error) {
console.error('Error registering seller organization:', error)
} catch {
// Error registering seller organization
return {
success: false,
message: 'Ошибка при регистрации организации',
@ -4357,6 +4510,41 @@ export const resolvers = {
args.input.items.map((item) => `${item.productId}: +${item.quantity} шт.`).join(', '),
)
// Проверяем, является ли это первой сделкой организации
const isFirstOrder = await prisma.supplyOrder.count({
where: {
organizationId: currentUser.organization.id,
id: { not: supplyOrder.id },
},
}) === 0
// Если это первая сделка и организация была приглашена по реферальной ссылке
if (isFirstOrder && currentUser.organization.referredById) {
try {
// Создаем транзакцию на 100 сфер за первую сделку
await prisma.referralTransaction.create({
data: {
referrerId: currentUser.organization.referredById,
referralId: currentUser.organization.id,
points: 100,
type: 'FIRST_ORDER',
description: `Первая сделка реферала ${currentUser.organization.name || currentUser.organization.inn}`,
},
})
// Увеличиваем счетчик сфер у реферера
await prisma.organization.update({
where: { id: currentUser.organization.referredById },
data: { referralPoints: { increment: 100 } },
})
console.log(`💰 Начислено 100 сфер рефереру за первую сделку организации ${currentUser.organization.id}`)
} catch (error) {
console.error('Ошибка начисления сфер за первую сделку:', error)
// Не прерываем создание заказа из-за ошибки начисления
}
}
// Создаем расходники на основе заказанных товаров
// Расходники создаются в организации получателя (фулфилмент-центре)
const suppliesData = args.input.items.map((item) => {