Compare commits
1 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
d8a8759504 |
@@ -1,37 +0,0 @@
|
|||||||
<?php
|
|
||||||
|
|
||||||
namespace App\Http\Controllers;
|
|
||||||
|
|
||||||
use App\Services\AiSuggestorService;
|
|
||||||
use Illuminate\Http\Request;
|
|
||||||
|
|
||||||
class AiController extends Controller
|
|
||||||
{
|
|
||||||
public function suggest(Request $request)
|
|
||||||
{
|
|
||||||
$validated = $request->validate([
|
|
||||||
'task_id' => 'nullable|integer',
|
|
||||||
'custom_prompt' => 'nullable|string',
|
|
||||||
'budget' => 'nullable|numeric|min:0',
|
|
||||||
]);
|
|
||||||
|
|
||||||
try {
|
|
||||||
$service = new AiSuggestorService();
|
|
||||||
$result = $service->suggest(
|
|
||||||
$request->input('task_id'), // ✅ Безопасно: вернёт null, если нет
|
|
||||||
$request->input('custom_prompt'),
|
|
||||||
$request->input('budget')
|
|
||||||
);
|
|
||||||
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Сборка успешно сгенерирована ИИ.',
|
|
||||||
'build' => $result['build']->load('components'),
|
|
||||||
], 201);
|
|
||||||
} catch (\Exception $e) {
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Не удалось сгенерировать сборку.',
|
|
||||||
'error' => $e->getMessage()
|
|
||||||
], 500);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,246 +0,0 @@
|
|||||||
<?php
|
|
||||||
|
|
||||||
namespace App\Http\Controllers;
|
|
||||||
|
|
||||||
use App\Models\PCBuild;
|
|
||||||
use App\Models\Component;
|
|
||||||
use Illuminate\Http\Request;
|
|
||||||
use Illuminate\Support\Facades\DB;
|
|
||||||
use App\Services\BuildValidator;
|
|
||||||
|
|
||||||
class PCBuildsController extends Controller
|
|
||||||
{
|
|
||||||
/**
|
|
||||||
* @OA\Get(
|
|
||||||
* path="/api/builds",
|
|
||||||
* summary="Получить список своих сборок",
|
|
||||||
* tags={"PC Builds"},
|
|
||||||
* @OA\Response(response=200, description="Список сборок"),
|
|
||||||
* @OA\Response(response=401, description="Неавторизован")
|
|
||||||
* )
|
|
||||||
*/
|
|
||||||
public function index()
|
|
||||||
{
|
|
||||||
$builds = PCBuild::where('user_id', auth()->id())
|
|
||||||
->with('components')
|
|
||||||
->get();
|
|
||||||
|
|
||||||
return response()->json($builds);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @OA\Post(
|
|
||||||
* path="/api/builds",
|
|
||||||
* summary="Создать новую сборку",
|
|
||||||
* tags={"PC Builds"},
|
|
||||||
* @OA\RequestBody(
|
|
||||||
* required=true,
|
|
||||||
* @OA\JsonContent(
|
|
||||||
* required={"name", "component_ids"},
|
|
||||||
* @OA\Property(property="name", type="string", example="Игровой ПК 2025"),
|
|
||||||
* @OA\Property(property="description", type="string", nullable=true, example="Для игр в 1440p"),
|
|
||||||
* @OA\Property(property="component_ids", type="array", @OA\Items(type="integer", example=1)),
|
|
||||||
* @OA\Property(property="is_ai_generated", type="boolean", default=false),
|
|
||||||
* @OA\Property(property="ai_prompt", type="string", nullable=true, example="Сборка до 1000$ для игр")
|
|
||||||
* )
|
|
||||||
* ),
|
|
||||||
* @OA\Response(response=201, description="Сборка создана"),
|
|
||||||
* @OA\Response(response=400, description="Ошибка валидации"),
|
|
||||||
* @OA\Response(response=403, description="Запрещено: чужие компоненты")
|
|
||||||
* )
|
|
||||||
*/
|
|
||||||
public function store(Request $request)
|
|
||||||
{
|
|
||||||
$validated = $request->validate([
|
|
||||||
'name' => 'required|string|max:255',
|
|
||||||
'description' => 'nullable|string',
|
|
||||||
'component_ids' => 'required|array|min:1',
|
|
||||||
'component_ids.*' => 'exists:components,id',
|
|
||||||
'is_ai_generated' => 'nullable|boolean',
|
|
||||||
'ai_prompt' => 'nullable|string',
|
|
||||||
]);
|
|
||||||
|
|
||||||
// Проверяем: все компоненты — либо официальные, либо ваши
|
|
||||||
$invalidComponents = Component::whereIn('id', $validated['component_ids'])
|
|
||||||
->where(function ($query) {
|
|
||||||
$query->where('is_official', false)
|
|
||||||
->where('created_by_user_id', '!=', auth()->id());
|
|
||||||
})
|
|
||||||
->pluck('name', 'id')
|
|
||||||
->toArray();
|
|
||||||
|
|
||||||
if (!empty($invalidComponents)) {
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Запрещено использовать неофициальные компоненты, созданные другими пользователями.',
|
|
||||||
'invalid_components' => $invalidComponents
|
|
||||||
], 403);
|
|
||||||
}
|
|
||||||
|
|
||||||
// 👇 ВСТАВЛЯЕМ ПРОВЕРКУ СОВМЕСТИМОСТИ ЗДЕСЬ — ПЕРЕД СОЗДАНИЕМ СБОРКИ
|
|
||||||
$validator = new BuildValidator();
|
|
||||||
$compatibility = $validator->validateCompatibility($validated['component_ids']);
|
|
||||||
|
|
||||||
if (!$compatibility['valid']) {
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Сборка содержит несовместимые компоненты.',
|
|
||||||
'errors' => $compatibility['errors'],
|
|
||||||
'warnings' => $compatibility['warnings']
|
|
||||||
], 422); // 422 Unprocessable Entity
|
|
||||||
}
|
|
||||||
|
|
||||||
// ✅ Только если совместимость OK — создаём сборку
|
|
||||||
$build = PCBuild::create([
|
|
||||||
'user_id' => auth()->id(),
|
|
||||||
'name' => $validated['name'],
|
|
||||||
'description' => $validated['description'] ?? null,
|
|
||||||
'is_ai_generated' => $validated['is_ai_generated'] ?? false,
|
|
||||||
'ai_prompt' => $validated['ai_prompt'] ?? null,
|
|
||||||
]);
|
|
||||||
|
|
||||||
$build->components()->attach($validated['component_ids']);
|
|
||||||
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Сборка успешно создана.',
|
|
||||||
'build' => $build->load('components'),
|
|
||||||
'compatibility' => $compatibility // опционально — для отладки
|
|
||||||
], 201);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @OA\Get(
|
|
||||||
* path="/api/builds/{id}",
|
|
||||||
* summary="Получить одну сборку по ID",
|
|
||||||
* tags={"PC Builds"},
|
|
||||||
* @OA\Parameter(name="id", in="path", required=true, @OA\Schema(type="integer")),
|
|
||||||
* @OA\Response(response=200, description="Сборка найдена"),
|
|
||||||
* @OA\Response(response=403, description="Запрещено: не ваша сборка"),
|
|
||||||
* @OA\Response(response=404, description="Не найдено")
|
|
||||||
* )
|
|
||||||
*/
|
|
||||||
public function show($id)
|
|
||||||
{
|
|
||||||
$build = PCBuild::with('components')->findOrFail($id);
|
|
||||||
|
|
||||||
if ($build->user_id !== auth()->id()) {
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Вы не можете просматривать эту сборку.'
|
|
||||||
], 403);
|
|
||||||
}
|
|
||||||
|
|
||||||
return response()->json($build);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @OA\Put(
|
|
||||||
* path="/api/builds/{id}",
|
|
||||||
* summary="Обновить сборку",
|
|
||||||
* tags={"PC Builds"},
|
|
||||||
* @OA\Parameter(name="id", in="path", required=true, @OA\Schema(type="integer")),
|
|
||||||
* @OA\RequestBody(
|
|
||||||
* required=true,
|
|
||||||
* @OA\JsonContent(
|
|
||||||
* required={"name", "component_ids"},
|
|
||||||
* @OA\Property(property="name", type="string"),
|
|
||||||
* @OA\Property(property="description", type="string", nullable=true),
|
|
||||||
* @OA\Property(property="component_ids", type="array", @OA\Items(type="integer")),
|
|
||||||
* @OA\Property(property="is_ai_generated", type="boolean"),
|
|
||||||
* @OA\Property(property="ai_prompt", type="string", nullable=true)
|
|
||||||
* )
|
|
||||||
* ),
|
|
||||||
* @OA\Response(response=200, description="Сборка обновлена"),
|
|
||||||
* @OA\Response(response=403, description="Запрещено")
|
|
||||||
* )
|
|
||||||
*/
|
|
||||||
public function update(Request $request, $id)
|
|
||||||
{
|
|
||||||
$build = PCBuild::findOrFail($id);
|
|
||||||
|
|
||||||
if ($build->user_id !== auth()->id()) {
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Вы не можете редактировать эту сборку.'
|
|
||||||
], 403);
|
|
||||||
}
|
|
||||||
|
|
||||||
$validated = $request->validate([
|
|
||||||
'name' => 'required|string|max:255',
|
|
||||||
'description' => 'nullable|string',
|
|
||||||
'component_ids' => 'required|array|min:1',
|
|
||||||
'component_ids.*' => 'exists:components,id',
|
|
||||||
'is_ai_generated' => 'nullable|boolean',
|
|
||||||
'ai_prompt' => 'nullable|string',
|
|
||||||
]);
|
|
||||||
|
|
||||||
// Проверка: все компоненты — либо официальные, либо ваши
|
|
||||||
$invalidComponents = Component::whereIn('id', $validated['component_ids'])
|
|
||||||
->where(function ($query) {
|
|
||||||
$query->where('is_official', false)
|
|
||||||
->where('created_by_user_id', '!=', auth()->id());
|
|
||||||
})
|
|
||||||
->pluck('name', 'id')
|
|
||||||
->toArray();
|
|
||||||
|
|
||||||
if (!empty($invalidComponents)) {
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Запрещено использовать неофициальные компоненты, созданные другими пользователями.',
|
|
||||||
'invalid_components' => $invalidComponents
|
|
||||||
], 403);
|
|
||||||
}
|
|
||||||
|
|
||||||
// 👇 ВСТАВЛЯЕМ ПРОВЕРКУ СОВМЕСТИМОСТИ ЗДЕСЬ — ПЕРЕД ОБНОВЛЕНИЕМ
|
|
||||||
$validator = new BuildValidator();
|
|
||||||
$compatibility = $validator->validateCompatibility($validated['component_ids']);
|
|
||||||
|
|
||||||
if (!$compatibility['valid']) {
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Сборка содержит несовместимые компоненты.',
|
|
||||||
'errors' => $compatibility['errors'],
|
|
||||||
'warnings' => $compatibility['warnings']
|
|
||||||
], 422);
|
|
||||||
}
|
|
||||||
|
|
||||||
// ✅ Обновляем сборку
|
|
||||||
DB::transaction(function () use ($build, $validated) {
|
|
||||||
$build->update([
|
|
||||||
'name' => $validated['name'],
|
|
||||||
'description' => $validated['description'] ?? null,
|
|
||||||
'is_ai_generated' => $validated['is_ai_generated'] ?? $build->is_ai_generated,
|
|
||||||
'ai_prompt' => $validated['ai_prompt'] ?? $build->ai_prompt,
|
|
||||||
]);
|
|
||||||
|
|
||||||
$build->components()->sync($validated['component_ids']);
|
|
||||||
});
|
|
||||||
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Сборка обновлена.',
|
|
||||||
'build' => $build->load('components'),
|
|
||||||
'compatibility' => $compatibility // опционально
|
|
||||||
]);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @OA\Delete(
|
|
||||||
* path="/api/builds/{id}",
|
|
||||||
* summary="Удалить сборку",
|
|
||||||
* tags={"PC Builds"},
|
|
||||||
* @OA\Parameter(name="id", in="path", required=true, @OA\Schema(type="integer")),
|
|
||||||
* @OA\Response(response=200, description="Сборка удалена"),
|
|
||||||
* @OA\Response(response=403, description="Запрещено")
|
|
||||||
* )
|
|
||||||
*/
|
|
||||||
public function destroy($id)
|
|
||||||
{
|
|
||||||
$build = PCBuild::findOrFail($id);
|
|
||||||
|
|
||||||
if ($build->user_id !== auth()->id()) {
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Вы не можете удалить эту сборку.'
|
|
||||||
], 403);
|
|
||||||
}
|
|
||||||
|
|
||||||
$build->delete();
|
|
||||||
|
|
||||||
return response()->json([
|
|
||||||
'message' => 'Сборка удалена.'
|
|
||||||
]);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -10,17 +10,33 @@ class AiTask extends Model
|
|||||||
use HasFactory;
|
use HasFactory;
|
||||||
|
|
||||||
protected $fillable = [
|
protected $fillable = [
|
||||||
'title',
|
'user_id',
|
||||||
'description',
|
'name',
|
||||||
'ai_prompt_template',
|
'prompt_template',
|
||||||
'budget_min',
|
'is_active',
|
||||||
'budget_max',
|
|
||||||
'is_active'
|
|
||||||
];
|
];
|
||||||
|
|
||||||
protected $casts = [
|
protected $casts = [
|
||||||
'budget_min' => 'decimal:2',
|
'is_active' => 'boolean',
|
||||||
'budget_max' => 'decimal:2',
|
'created_at' => 'datetime',
|
||||||
'is_active' => 'boolean'
|
'updated_at' => 'datetime',
|
||||||
];
|
];
|
||||||
|
|
||||||
|
// Связь с пользователем (если шаблон пользовательский)
|
||||||
|
public function user()
|
||||||
|
{
|
||||||
|
return $this->belongsTo(User::class);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Общие (глобальные) шаблоны — где user_id IS NULL
|
||||||
|
public function scopeGlobal($query)
|
||||||
|
{
|
||||||
|
return $query->whereNull('user_id');
|
||||||
|
}
|
||||||
|
|
||||||
|
// Активные шаблоны
|
||||||
|
public function scopeActive($query)
|
||||||
|
{
|
||||||
|
return $query->where('is_active', true);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
@@ -10,20 +10,20 @@ class PcBuild extends Model
|
|||||||
use HasFactory;
|
use HasFactory;
|
||||||
|
|
||||||
protected $fillable = [
|
protected $fillable = [
|
||||||
|
'user_id',
|
||||||
'name',
|
'name',
|
||||||
'description',
|
'description',
|
||||||
'user_id',
|
|
||||||
'is_ai_generated',
|
'is_ai_generated',
|
||||||
'ai_prompt',
|
'ai_prompt',
|
||||||
];
|
];
|
||||||
|
|
||||||
// 👇 Связь "многие-ко-многим" с компонентами
|
protected $casts = [
|
||||||
public function components()
|
'is_ai_generated' => 'boolean',
|
||||||
{
|
'created_at' => 'datetime',
|
||||||
return $this->belongsToMany(Component::class, 'pc_build_components');
|
'updated_at' => 'datetime',
|
||||||
}
|
];
|
||||||
|
|
||||||
// Если хотите, можно добавить обратную связь (опционально)
|
// Связь с пользователем
|
||||||
public function user()
|
public function user()
|
||||||
{
|
{
|
||||||
return $this->belongsTo(User::class);
|
return $this->belongsTo(User::class);
|
||||||
|
|||||||
@@ -1,436 +0,0 @@
|
|||||||
<?php
|
|
||||||
|
|
||||||
namespace App\Services;
|
|
||||||
|
|
||||||
use Illuminate\Support\Facades\Http;
|
|
||||||
use Illuminate\Support\Facades\Log;
|
|
||||||
use App\Models\Component;
|
|
||||||
use App\Models\PCBuild;
|
|
||||||
use Exception;
|
|
||||||
|
|
||||||
class AiSuggestorService
|
|
||||||
{
|
|
||||||
protected $apiToken;
|
|
||||||
protected $baseUrl = 'https://gigachat.devices.sberbank.ru/api/v1/chat/completions';
|
|
||||||
|
|
||||||
public function __construct()
|
|
||||||
{
|
|
||||||
$this->apiToken = env('GIGACHAT_API_TOKEN');
|
|
||||||
if (!$this->apiToken) {
|
|
||||||
throw new Exception('GIGACHAT_API_TOKEN не установлен в .env');
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public function suggest($task_id = null, $custom_prompt = null, $budget = null)
|
|
||||||
{
|
|
||||||
$prompt = $this->generatePrompt($task_id, $custom_prompt, $budget);
|
|
||||||
|
|
||||||
$response = Http::withHeaders([
|
|
||||||
'Authorization' => 'Bearer ' . $this->apiToken,
|
|
||||||
'Content-Type' => 'application/json',
|
|
||||||
])->withoutVerifying()
|
|
||||||
->post($this->baseUrl, [
|
|
||||||
'model' => 'GigaChat',
|
|
||||||
'messages' => [
|
|
||||||
[
|
|
||||||
'role' => 'user',
|
|
||||||
'content' => $prompt
|
|
||||||
]
|
|
||||||
],
|
|
||||||
'temperature' => 0.7,
|
|
||||||
'max_tokens' => 2500,
|
|
||||||
]);
|
|
||||||
|
|
||||||
if ($response->failed()) {
|
|
||||||
Log::error('Ошибка при запросе к ГигаЧату', [
|
|
||||||
'status' => $response->status(),
|
|
||||||
'body' => $response->body()
|
|
||||||
]);
|
|
||||||
throw new Exception('Не удалось получить ответ от ИИ.');
|
|
||||||
}
|
|
||||||
|
|
||||||
$responseData = $response->json();
|
|
||||||
$aiComponents = $this->parseResponse($responseData);
|
|
||||||
|
|
||||||
// 🔹 ДЕБАГ: логируем полученные компоненты от ИИ
|
|
||||||
Log::info('Компоненты от ИИ:', [
|
|
||||||
'count' => count($aiComponents),
|
|
||||||
'types' => array_column($aiComponents, 'component_type_id'),
|
|
||||||
'components' => $aiComponents
|
|
||||||
]);
|
|
||||||
|
|
||||||
// 🔹 ШАГ 1: Удаляем дубликаты по name + component_type_id
|
|
||||||
$uniqueComponents = [];
|
|
||||||
$seen = [];
|
|
||||||
|
|
||||||
foreach ($aiComponents as $component) {
|
|
||||||
$key = $component['name'] . '|' . $component['component_type_id'];
|
|
||||||
if (!isset($seen[$key])) {
|
|
||||||
$seen[$key] = true;
|
|
||||||
$uniqueComponents[] = $component;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
$aiComponents = $uniqueComponents;
|
|
||||||
|
|
||||||
// 🔹 ШАГ 2: Гарантируем наличие всех 7 типов компонентов
|
|
||||||
$requiredTypes = [1, 2, 3, 4, 5, 6, 7];
|
|
||||||
$existingTypes = array_column($aiComponents, 'component_type_id');
|
|
||||||
|
|
||||||
// ДЕБАГ: какие типы уже есть
|
|
||||||
Log::info('Проверка типов компонентов:', [
|
|
||||||
'required' => $requiredTypes,
|
|
||||||
'existing' => $existingTypes,
|
|
||||||
'missing' => array_diff($requiredTypes, $existingTypes)
|
|
||||||
]);
|
|
||||||
|
|
||||||
foreach ($requiredTypes as $typeId) {
|
|
||||||
if (!in_array($typeId, $existingTypes)) {
|
|
||||||
Log::warning('Добавляем недостающий тип компонента:', ['type_id' => $typeId]);
|
|
||||||
|
|
||||||
switch ($typeId) {
|
|
||||||
case 1:
|
|
||||||
$aiComponents[] = [
|
|
||||||
'name' => 'AMD Ryzen 5 5600',
|
|
||||||
'price' => 15000,
|
|
||||||
'component_type_id' => 1,
|
|
||||||
'specifications' => ['socket' => 'AM4', 'cores' => 6]
|
|
||||||
];
|
|
||||||
break;
|
|
||||||
case 2:
|
|
||||||
$aiComponents[] = [
|
|
||||||
'name' => 'NVIDIA RTX 4060',
|
|
||||||
'price' => 30000,
|
|
||||||
'component_type_id' => 2,
|
|
||||||
'specifications' => []
|
|
||||||
];
|
|
||||||
break;
|
|
||||||
case 3:
|
|
||||||
$aiComponents[] = [
|
|
||||||
'name' => 'ASUS TUF GAMING B660M-PLUS',
|
|
||||||
'price' => 8000,
|
|
||||||
'component_type_id' => 3,
|
|
||||||
'specifications' => ['chipset' => 'B660']
|
|
||||||
];
|
|
||||||
break;
|
|
||||||
case 4:
|
|
||||||
$aiComponents[] = [
|
|
||||||
'name' => 'Kingston FURY Beast DDR4 16GB',
|
|
||||||
'price' => 5000,
|
|
||||||
'component_type_id' => 4,
|
|
||||||
'specifications' => ['type' => 'DDR4', 'capacity' => '16GB']
|
|
||||||
];
|
|
||||||
break;
|
|
||||||
case 5:
|
|
||||||
$aiComponents[] = [
|
|
||||||
'name' => 'EVGA SuperNOVA 750 G2',
|
|
||||||
'price' => 8000,
|
|
||||||
'component_type_id' => 5,
|
|
||||||
'specifications' => ['power' => 750]
|
|
||||||
];
|
|
||||||
break;
|
|
||||||
case 6:
|
|
||||||
$aiComponents[] = [
|
|
||||||
'name' => 'Crucial P3 500GB NVMe',
|
|
||||||
'price' => 4000,
|
|
||||||
'component_type_id' => 6,
|
|
||||||
'specifications' => ['capacity' => 500, 'interface' => 'NVMe']
|
|
||||||
];
|
|
||||||
break;
|
|
||||||
case 7:
|
|
||||||
$aiComponents[] = [
|
|
||||||
'name' => 'Cooler Master H500P ATX Mid Tower Case',
|
|
||||||
'price' => 4000,
|
|
||||||
'component_type_id' => 7,
|
|
||||||
'specifications' => ['form_factor' => 'ATX']
|
|
||||||
];
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// ДЕБАГ: проверяем итоговый набор компонентов
|
|
||||||
Log::info('Итоговые компоненты перед созданием сборки:', [
|
|
||||||
'total_count' => count($aiComponents),
|
|
||||||
'types_present' => array_column($aiComponents, 'component_type_id'),
|
|
||||||
'unique_types_count' => count(array_unique(array_column($aiComponents, 'component_type_id')))
|
|
||||||
]);
|
|
||||||
|
|
||||||
// Проверка бюджета
|
|
||||||
if ($budget) {
|
|
||||||
$totalPrice = array_sum(array_column($aiComponents, 'price'));
|
|
||||||
|
|
||||||
if ($totalPrice > $budget) {
|
|
||||||
// Удаляем возможные дубликаты перед заменой
|
|
||||||
$uniqueComponents = [];
|
|
||||||
$seen = [];
|
|
||||||
|
|
||||||
foreach ($aiComponents as $component) {
|
|
||||||
$key = $component['name'] . '|' . $component['component_type_id'];
|
|
||||||
if (!isset($seen[$key])) {
|
|
||||||
$seen[$key] = true;
|
|
||||||
$uniqueComponents[] = $component;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
$aiComponents = $uniqueComponents;
|
|
||||||
|
|
||||||
// Заменяем дорогие компоненты
|
|
||||||
foreach ($aiComponents as &$component) {
|
|
||||||
if ($component['component_type_id'] == 4) {
|
|
||||||
$component = [
|
|
||||||
'name' => 'Kingston FURY Beast DDR4 16GB',
|
|
||||||
'price' => 5000,
|
|
||||||
'component_type_id' => 4,
|
|
||||||
'specifications' => ['type' => 'DDR4', 'capacity' => '16GB']
|
|
||||||
];
|
|
||||||
}
|
|
||||||
if ($component['component_type_id'] == 6) {
|
|
||||||
$component = [
|
|
||||||
'name' => 'Crucial P3 500GB NVMe',
|
|
||||||
'price' => 4000,
|
|
||||||
'component_type_id' => 6,
|
|
||||||
'specifications' => ['capacity' => 500, 'interface' => 'NVMe']
|
|
||||||
];
|
|
||||||
}
|
|
||||||
if ($component['component_type_id'] == 1 && $totalPrice > $budget) {
|
|
||||||
$component = [
|
|
||||||
'name' => 'AMD Ryzen 5 5600',
|
|
||||||
'price' => 15000,
|
|
||||||
'component_type_id' => 1,
|
|
||||||
'specifications' => ['socket' => 'AM4', 'cores' => 6]
|
|
||||||
];
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
$totalPrice = array_sum(array_column($aiComponents, 'price'));
|
|
||||||
if ($totalPrice > $budget) {
|
|
||||||
throw new Exception("ИИ не смог уложиться в бюджет {$budget}₽ (итого: {$totalPrice}₽).");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// Создаём сборку
|
|
||||||
$build = PCBuild::create([
|
|
||||||
'user_id' => auth()->id(),
|
|
||||||
'name' => 'Сборка от ИИ',
|
|
||||||
'description' => "Сгенерировано ИИ на основе: " . ($custom_prompt ?: "задача #{$task_id}"),
|
|
||||||
'is_ai_generated' => true,
|
|
||||||
'ai_prompt' => $prompt,
|
|
||||||
]);
|
|
||||||
|
|
||||||
// Привязываем компоненты с защитой от дубликатов
|
|
||||||
$createdComponents = [];
|
|
||||||
$seenComponentIds = [];
|
|
||||||
|
|
||||||
foreach ($aiComponents as $componentData) {
|
|
||||||
$component = $this->findOrCreateComponent($componentData);
|
|
||||||
|
|
||||||
// Проверяем, что компонент ещё не добавлен в эту сборку
|
|
||||||
if (!in_array($component->id, $seenComponentIds)) {
|
|
||||||
$createdComponents[] = $component;
|
|
||||||
$seenComponentIds[] = $component->id;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// Используем sync без детачей, чтобы избежать дубликатов
|
|
||||||
$build->components()->sync($seenComponentIds, false);
|
|
||||||
|
|
||||||
// 🔹 ПРОВЕРКА: убеждаемся, что есть все 7 типов компонентов
|
|
||||||
$finalComponents = $build->components()->get();
|
|
||||||
$finalTypes = $finalComponents->pluck('component_type_id')->unique()->toArray();
|
|
||||||
|
|
||||||
Log::info('Проверка финальной сборки:', [
|
|
||||||
'build_id' => $build->id,
|
|
||||||
'total_components' => $finalComponents->count(),
|
|
||||||
'component_types' => $finalTypes,
|
|
||||||
'missing_types' => array_diff($requiredTypes, $finalTypes)
|
|
||||||
]);
|
|
||||||
|
|
||||||
if (!in_array(7, $finalTypes)) {
|
|
||||||
// Находим или создаем корпус по умолчанию
|
|
||||||
$defaultCase = Component::firstOrCreate(
|
|
||||||
[
|
|
||||||
'name' => 'Cooler Master H500P ATX Mid Tower Case',
|
|
||||||
'component_type_id' => 7,
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'price' => 4000,
|
|
||||||
'specifications' => ['form_factor' => 'ATX'],
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null,
|
|
||||||
]
|
|
||||||
);
|
|
||||||
|
|
||||||
$build->components()->attach($defaultCase->id);
|
|
||||||
Log::warning('Был добавлен корпус по умолчанию для сборки', [
|
|
||||||
'build_id' => $build->id,
|
|
||||||
'case_id' => $defaultCase->id
|
|
||||||
]);
|
|
||||||
|
|
||||||
// Обновляем массив созданных компонентов
|
|
||||||
$createdComponents[] = $defaultCase;
|
|
||||||
}
|
|
||||||
|
|
||||||
// 🔹 ФИНАЛЬНАЯ ПРОВЕРКА
|
|
||||||
$finalCount = $build->components()->count();
|
|
||||||
if ($finalCount < 7) {
|
|
||||||
Log::error('Сборка все еще имеет недостающее количество компонентов:', [
|
|
||||||
'build_id' => $build->id,
|
|
||||||
'expected' => 7,
|
|
||||||
'actual' => $finalCount
|
|
||||||
]);
|
|
||||||
}
|
|
||||||
|
|
||||||
return [
|
|
||||||
'build' => $build,
|
|
||||||
'components' => collect($createdComponents),
|
|
||||||
];
|
|
||||||
}
|
|
||||||
|
|
||||||
protected function generatePrompt($task_id, $custom_prompt, $budget)
|
|
||||||
{
|
|
||||||
$basePrompt = "Ты — эксперт по сборке ПК. Твоя задача — предложить **полную и сбалансированную сборку из 7 компонентов**, подходящую под запрос пользователя.";
|
|
||||||
|
|
||||||
if ($budget) {
|
|
||||||
$basePrompt .= " Бюджет: {$budget} рублей";
|
|
||||||
}
|
|
||||||
|
|
||||||
if ($custom_prompt) {
|
|
||||||
$basePrompt .= " Запрос пользователя: '{$custom_prompt}'.";
|
|
||||||
} elseif ($task_id) {
|
|
||||||
$basePrompt .= " Задача: #{$task_id}.";
|
|
||||||
}
|
|
||||||
|
|
||||||
$basePrompt .= " Ты **обязан** включить **ровно по одному компоненту каждого типа**: Процессор, Видеокарта, Материнская плата, ОЗУ, Блок питания, SSD, Корпус.";
|
|
||||||
$basePrompt .= " Используй ТОЛЬКО эти ID типов: 1=Процессор, 2=Видеокарта, 3=Материнская плата, 4=ОЗУ, 5=Блок питания, 6=SSD, 7=Корпус.";
|
|
||||||
$basePrompt .= " Не пропускай ни один тип. Не дублируй компоненты.";
|
|
||||||
$basePrompt .= " Все компоненты должны быть реальными, совместимыми и актуальными на 2025 год.";
|
|
||||||
$basePrompt .= " Ты **обязан** подобрать компоненты так, чтобы **общая стоимость не превышала** {$budget} рублей.";
|
|
||||||
$basePrompt .= " Никогда не пиши значения вроде 5600MHz — всегда используй строки: \"5600MHz\" или числа: 5600.";
|
|
||||||
$basePrompt .= " Не ставь лишние кавычки перед скобками.";
|
|
||||||
$basePrompt .= " Верни **только чистый JSON-массив из 7 объектов**, без пояснений, комментариев, маркдауна.";
|
|
||||||
$basePrompt .= " Формат: [{\"name\":\"Название\",\"price\":999.99,\"component_type_id\":1,\"specifications\":{\"socket\":\"AM5\",\"tdp\":105}}, ...]";
|
|
||||||
$basePrompt .= " В specifications используй только строки или числа. Например: \"max_power\": 800, а не 800_watt.";
|
|
||||||
|
|
||||||
return $basePrompt;
|
|
||||||
}
|
|
||||||
|
|
||||||
protected function parseResponse($responseData)
|
|
||||||
{
|
|
||||||
if (!isset($responseData['choices'][0]['message']['content'])) {
|
|
||||||
throw new Exception('Ответ ИИ не содержит содержимого.');
|
|
||||||
}
|
|
||||||
|
|
||||||
$content = $responseData['choices'][0]['message']['content'];
|
|
||||||
|
|
||||||
// ДЕБАГ: сохраняем оригинальный ответ
|
|
||||||
Log::debug('Оригинальный ответ от ИИ:', ['content' => substr($content, 0, 500) . '...']);
|
|
||||||
|
|
||||||
$content = preg_replace('/```json\s*|\s*```/', '', $content);
|
|
||||||
|
|
||||||
if (!preg_match('/\[[\s\S]*\]/', $content, $matches)) {
|
|
||||||
// Попробуем найти JSON другим способом
|
|
||||||
if (preg_match('/\{.*\}/s', $content, $matches)) {
|
|
||||||
// Возможно, ИИ вернул объект вместо массива
|
|
||||||
$content = '[' . $matches[0] . ']';
|
|
||||||
} else {
|
|
||||||
throw new Exception('Не найден JSON-массив в ответе ИИ.');
|
|
||||||
}
|
|
||||||
} else {
|
|
||||||
$content = $matches[0];
|
|
||||||
}
|
|
||||||
|
|
||||||
$jsonStr = $content;
|
|
||||||
|
|
||||||
// 🔧 Основные исправления JSON
|
|
||||||
$jsonStr = preg_replace('/[\x00-\x08\x0B\x0C\x0E-\x1F\x7F]/', '', $jsonStr);
|
|
||||||
$jsonStr = preg_replace('/"([^"]+)"(?=\s*{)/', '"$1":', $jsonStr);
|
|
||||||
$jsonStr = preg_replace('/(?<!\\\\)"\s*([{[])/', '$1', $jsonStr);
|
|
||||||
|
|
||||||
$jsonStr = preg_replace_callback(
|
|
||||||
'/"([^"\\\\]*(?:\\\\.[^"\\\\]*)*)"/',
|
|
||||||
function ($matches) {
|
|
||||||
$str = rtrim($matches[1], '"');
|
|
||||||
$str = preg_replace('/[\x00-\x1F\x7F]/', '', $str);
|
|
||||||
return '"' . addcslashes($str, '"\\') . '"';
|
|
||||||
},
|
|
||||||
$jsonStr
|
|
||||||
);
|
|
||||||
|
|
||||||
$jsonStr = preg_replace('/:\s*(-?\d+(?:\.\d+)?)\s*([a-zA-Z_]+)/', ': "$1$2"', $jsonStr);
|
|
||||||
$jsonStr = preg_replace('/:\s*([a-zA-Z_][a-zA-Z0-9_]*)/', ': "$1"', $jsonStr);
|
|
||||||
$jsonStr = preg_replace('/\s*,\s*/', ',', $jsonStr);
|
|
||||||
$jsonStr = rtrim($jsonStr, ', ');
|
|
||||||
if (substr($jsonStr, -1) !== ']') {
|
|
||||||
$jsonStr .= ']';
|
|
||||||
}
|
|
||||||
|
|
||||||
Log::info('Починенный JSON:', ['json' => $jsonStr]);
|
|
||||||
|
|
||||||
try {
|
|
||||||
$parsed = json_decode($jsonStr, true, 512, JSON_THROW_ON_ERROR);
|
|
||||||
} catch (\JsonException $e) {
|
|
||||||
Log::error('Ошибка парсинга JSON:', [
|
|
||||||
'original' => $content,
|
|
||||||
'fixed' => $jsonStr,
|
|
||||||
'error' => $e->getMessage()
|
|
||||||
]);
|
|
||||||
throw new Exception('ИИ вернул некорректный JSON: ' . $e->getMessage());
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!is_array($parsed)) {
|
|
||||||
throw new Exception('Ожидался массив компонентов.');
|
|
||||||
}
|
|
||||||
|
|
||||||
foreach ($parsed as $index => $item) {
|
|
||||||
if (!is_array($item)) {
|
|
||||||
throw new Exception("Элемент #{$index} не является объектом.");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// Проверяем количество компонентов после парсинга
|
|
||||||
Log::info('Компоненты после парсинга:', [
|
|
||||||
'count' => count($parsed),
|
|
||||||
'component_types' => array_column($parsed, 'component_type_id')
|
|
||||||
]);
|
|
||||||
|
|
||||||
return $parsed;
|
|
||||||
}
|
|
||||||
|
|
||||||
protected function findOrCreateComponent($data)
|
|
||||||
{
|
|
||||||
$data['price'] = (float) ($data['price'] ?? 0);
|
|
||||||
$data['component_type_id'] = (int) ($data['component_type_id'] ?? 1);
|
|
||||||
|
|
||||||
// Убедимся, что specifications всегда массив
|
|
||||||
$specifications = is_array($data['specifications'] ?? null)
|
|
||||||
? $data['specifications']
|
|
||||||
: [];
|
|
||||||
|
|
||||||
// Ищем существующий компонент по имени и типу
|
|
||||||
$component = Component::where('name', $data['name'])
|
|
||||||
->where('component_type_id', $data['component_type_id'])
|
|
||||||
->first();
|
|
||||||
|
|
||||||
if (!$component) {
|
|
||||||
// Создаем новый компонент
|
|
||||||
$component = Component::create([
|
|
||||||
'name' => $data['name'],
|
|
||||||
'component_type_id' => $data['component_type_id'],
|
|
||||||
'price' => $data['price'],
|
|
||||||
'specifications' => $specifications,
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null,
|
|
||||||
]);
|
|
||||||
} else {
|
|
||||||
// Обновляем цену и спецификации существующего компонента
|
|
||||||
$component->update([
|
|
||||||
'price' => $data['price'],
|
|
||||||
'specifications' => array_merge($component->specifications ?? [], $specifications),
|
|
||||||
]);
|
|
||||||
}
|
|
||||||
|
|
||||||
return $component;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,83 +0,0 @@
|
|||||||
<?php
|
|
||||||
|
|
||||||
namespace App\Services;
|
|
||||||
|
|
||||||
use App\Models\Component;
|
|
||||||
|
|
||||||
class BuildValidator
|
|
||||||
{
|
|
||||||
/**
|
|
||||||
* Проверяет базовую совместимость компонентов в сборке.
|
|
||||||
*
|
|
||||||
* @param array $componentIds Массив ID компонентов
|
|
||||||
* @return array ['valid' => bool, 'errors' => array, 'warnings' => array]
|
|
||||||
*/
|
|
||||||
public function validateCompatibility(array $componentIds)
|
|
||||||
{
|
|
||||||
$components = Component::whereIn('id', $componentIds)->get();
|
|
||||||
|
|
||||||
if ($components->count() < 2) {
|
|
||||||
return [
|
|
||||||
'valid' => true,
|
|
||||||
'errors' => [],
|
|
||||||
'warnings' => []
|
|
||||||
];
|
|
||||||
}
|
|
||||||
|
|
||||||
$errors = [];
|
|
||||||
$warnings = [];
|
|
||||||
|
|
||||||
// Определяем типы компонентов по component_type_id (адаптируйте под вашу логику!)
|
|
||||||
$cpu = $components->firstWhere('component_type_id', 1); // 1 = CPU
|
|
||||||
$motherboard = $components->firstWhere('component_type_id', 3); // 3 = Motherboard
|
|
||||||
$ram = $components->firstWhere('component_type_id', 4); // 4 = RAM
|
|
||||||
$psu = $components->firstWhere('component_type_id', 5); // 5 = PSU
|
|
||||||
|
|
||||||
// 1. Проверка сокета (CPU ↔ Motherboard)
|
|
||||||
if ($cpu && $motherboard) {
|
|
||||||
$cpuSocket = $cpu->specifications['socket'] ?? null;
|
|
||||||
$mbSocket = $motherboard->specifications['socket'] ?? null;
|
|
||||||
|
|
||||||
if (!$cpuSocket || !$mbSocket) {
|
|
||||||
$warnings[] = "Не указан сокет для процессора или материнской платы.";
|
|
||||||
} elseif ($cpuSocket !== $mbSocket) {
|
|
||||||
$errors[] = "Сокет процессора '{$cpuSocket}' не совместим со сокетом материнской платы '{$mbSocket}'.";
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// 2. Проверка типа ОЗУ (RAM ↔ Motherboard)
|
|
||||||
if ($ram && $motherboard) {
|
|
||||||
$ramType = $ram->specifications['type'] ?? null;
|
|
||||||
$mbRamType = $motherboard->specifications['memory_type'] ?? $motherboard->specifications['type'] ?? null;
|
|
||||||
|
|
||||||
if (!$ramType || !$mbRamType) {
|
|
||||||
$warnings[] = "Не указан тип памяти для ОЗУ или материнской платы.";
|
|
||||||
} elseif ($ramType !== $mbRamType) {
|
|
||||||
$errors[] = "Тип ОЗУ '{$ramType}' не совместим с типом памяти материнской платы '{$mbRamType}'.";
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// 3. Проверка мощности БП (PSU ≥ сумма TDP)
|
|
||||||
if ($psu) {
|
|
||||||
$totalTdp = 0;
|
|
||||||
|
|
||||||
foreach ($components as $component) {
|
|
||||||
// Берём TDP из specifications, или 0 если нет
|
|
||||||
$tdp = $component->specifications['tdp'] ?? 0;
|
|
||||||
$totalTdp += (int) $tdp;
|
|
||||||
}
|
|
||||||
|
|
||||||
$psuWattage = $psu->specifications['wattage'] ?? 0;
|
|
||||||
|
|
||||||
if ($psuWattage < $totalTdp) {
|
|
||||||
$errors[] = "Мощность БП ({$psuWattage} Вт) < суммарного TDP ({$totalTdp} Вт). Рекомендуется ≥ {$totalTdp} Вт.";
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return [
|
|
||||||
'valid' => empty($errors),
|
|
||||||
'errors' => $errors,
|
|
||||||
'warnings' => $warnings
|
|
||||||
];
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -8,7 +8,7 @@
|
|||||||
"require": {
|
"require": {
|
||||||
"php": "^8.2",
|
"php": "^8.2",
|
||||||
"laravel/framework": "^12.0",
|
"laravel/framework": "^12.0",
|
||||||
"laravel/sanctum": "^4.0",
|
"laravel/sanctum": "^4.2",
|
||||||
"laravel/tinker": "^2.10.1"
|
"laravel/tinker": "^2.10.1"
|
||||||
},
|
},
|
||||||
"require-dev": {
|
"require-dev": {
|
||||||
|
|||||||
19
composer.lock
generated
19
composer.lock
generated
@@ -4,7 +4,7 @@
|
|||||||
"Read more about it at https://getcomposer.org/doc/01-basic-usage.md#installing-dependencies",
|
"Read more about it at https://getcomposer.org/doc/01-basic-usage.md#installing-dependencies",
|
||||||
"This file is @generated automatically"
|
"This file is @generated automatically"
|
||||||
],
|
],
|
||||||
"content-hash": "d3c16cb86c42230c6c023d9a5d9bcf42",
|
"content-hash": "8f387a0734f3bf879214e4aa2fca6e2f",
|
||||||
"packages": [
|
"packages": [
|
||||||
{
|
{
|
||||||
"name": "brick/math",
|
"name": "brick/math",
|
||||||
@@ -1333,16 +1333,16 @@
|
|||||||
},
|
},
|
||||||
{
|
{
|
||||||
"name": "laravel/sanctum",
|
"name": "laravel/sanctum",
|
||||||
"version": "v4.2.0",
|
"version": "v4.2.2",
|
||||||
"source": {
|
"source": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
"url": "https://github.com/laravel/sanctum.git",
|
"url": "https://github.com/laravel/sanctum.git",
|
||||||
"reference": "fd6df4f79f48a72992e8d29a9c0ee25422a0d677"
|
"reference": "fd447754d2d3f56950d53b930128af2e3b617de9"
|
||||||
},
|
},
|
||||||
"dist": {
|
"dist": {
|
||||||
"type": "zip",
|
"type": "zip",
|
||||||
"url": "https://api.github.com/repos/laravel/sanctum/zipball/fd6df4f79f48a72992e8d29a9c0ee25422a0d677",
|
"url": "https://api.github.com/repos/laravel/sanctum/zipball/fd447754d2d3f56950d53b930128af2e3b617de9",
|
||||||
"reference": "fd6df4f79f48a72992e8d29a9c0ee25422a0d677",
|
"reference": "fd447754d2d3f56950d53b930128af2e3b617de9",
|
||||||
"shasum": ""
|
"shasum": ""
|
||||||
},
|
},
|
||||||
"require": {
|
"require": {
|
||||||
@@ -1356,9 +1356,8 @@
|
|||||||
},
|
},
|
||||||
"require-dev": {
|
"require-dev": {
|
||||||
"mockery/mockery": "^1.6",
|
"mockery/mockery": "^1.6",
|
||||||
"orchestra/testbench": "^9.0|^10.0",
|
"orchestra/testbench": "^9.15|^10.8",
|
||||||
"phpstan/phpstan": "^1.10",
|
"phpstan/phpstan": "^1.10"
|
||||||
"phpunit/phpunit": "^11.3"
|
|
||||||
},
|
},
|
||||||
"type": "library",
|
"type": "library",
|
||||||
"extra": {
|
"extra": {
|
||||||
@@ -1393,7 +1392,7 @@
|
|||||||
"issues": "https://github.com/laravel/sanctum/issues",
|
"issues": "https://github.com/laravel/sanctum/issues",
|
||||||
"source": "https://github.com/laravel/sanctum"
|
"source": "https://github.com/laravel/sanctum"
|
||||||
},
|
},
|
||||||
"time": "2025-07-09T19:45:24+00:00"
|
"time": "2026-01-06T23:11:51+00:00"
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
"name": "laravel/serializable-closure",
|
"name": "laravel/serializable-closure",
|
||||||
@@ -8463,5 +8462,5 @@
|
|||||||
"php": "^8.2"
|
"php": "^8.2"
|
||||||
},
|
},
|
||||||
"platform-dev": {},
|
"platform-dev": {},
|
||||||
"plugin-api-version": "2.6.0"
|
"plugin-api-version": "2.9.0"
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -29,7 +29,6 @@ class UserFactory extends Factory
|
|||||||
'email_verified_at' => now(),
|
'email_verified_at' => now(),
|
||||||
'password' => static::$password ??= Hash::make('password'),
|
'password' => static::$password ??= Hash::make('password'),
|
||||||
'remember_token' => Str::random(10),
|
'remember_token' => Str::random(10),
|
||||||
'custom_field' => 'user',
|
|
||||||
];
|
];
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@@ -3,25 +3,59 @@
|
|||||||
use Illuminate\Database\Migrations\Migration;
|
use Illuminate\Database\Migrations\Migration;
|
||||||
use Illuminate\Database\Schema\Blueprint;
|
use Illuminate\Database\Schema\Blueprint;
|
||||||
use Illuminate\Support\Facades\Schema;
|
use Illuminate\Support\Facades\Schema;
|
||||||
|
use Illuminate\Support\Facades\DB;
|
||||||
|
|
||||||
return new class extends Migration
|
return new class extends Migration
|
||||||
{
|
{
|
||||||
public function up()
|
/**
|
||||||
|
* Run the migrations.
|
||||||
|
*/
|
||||||
|
public function up(): void
|
||||||
|
{
|
||||||
{
|
{
|
||||||
Schema::create('ai_tasks', function (Blueprint $table) {
|
Schema::create('ai_tasks', function (Blueprint $table) {
|
||||||
$table->id();
|
$table->id();
|
||||||
$table->string('title');
|
$table->foreignId('user_id')->nullable()->constrained()->onDelete('set null');
|
||||||
$table->text('description');
|
$table->string('name');
|
||||||
$table->text('ai_prompt_template');
|
$table->text('prompt_template');
|
||||||
$table->decimal('budget_min', 10, 2)->nullable();
|
|
||||||
$table->decimal('budget_max', 10, 2)->nullable();
|
|
||||||
$table->boolean('is_active')->default(true);
|
$table->boolean('is_active')->default(true);
|
||||||
$table->timestamps();
|
$table->timestamps();
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
public function down()
|
// Индекс для поиска активных шаблонов
|
||||||
|
$table->index(['is_active']);
|
||||||
|
});
|
||||||
|
|
||||||
|
// Заполняем базовыми шаблонами от админа (user_id = NULL)
|
||||||
|
DB::table('ai_tasks')->insert([
|
||||||
|
[
|
||||||
|
'name' => 'Игровой ПК до 50 000 ₽',
|
||||||
|
'prompt_template' => 'Собери бюджетный игровой ПК до 50000 рублей. Цель: игры на средних настройках в 1080p.',
|
||||||
|
'is_active' => true,
|
||||||
|
'created_at' => now(),
|
||||||
|
'updated_at' => now(),
|
||||||
|
],
|
||||||
|
[
|
||||||
|
'name' => 'Игровой ПК до 100 000 ₽',
|
||||||
|
'prompt_template' => 'Собери мощный игровой ПК до 100000 рублей. Цель: игры на ультра в 1440p, 60+ FPS.',
|
||||||
|
'is_active' => true,
|
||||||
|
'created_at' => now(),
|
||||||
|
'updated_at' => now(),
|
||||||
|
],
|
||||||
|
[
|
||||||
|
'name' => 'Офисный ПК',
|
||||||
|
'prompt_template' => 'Собери надёжный ПК для офиса и учёбы. Бюджет до 40000 рублей. Важна тишина и энергоэффективность.',
|
||||||
|
'is_active' => true,
|
||||||
|
'created_at' => now(),
|
||||||
|
'updated_at' => now(),
|
||||||
|
],
|
||||||
|
]);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* Reverse the migrations.
|
||||||
|
*/
|
||||||
|
public function down(): void
|
||||||
{
|
{
|
||||||
Schema::dropIfExists('ai_tasks');
|
Schema::dropIfExists('ai_tasks');
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -1,326 +0,0 @@
|
|||||||
<?php
|
|
||||||
|
|
||||||
namespace Database\Seeders;
|
|
||||||
|
|
||||||
use Illuminate\Database\Seeder;
|
|
||||||
use Illuminate\Support\Facades\DB;
|
|
||||||
|
|
||||||
class ComponentSeeder extends Seeder
|
|
||||||
{
|
|
||||||
public function run()
|
|
||||||
{
|
|
||||||
// 1. Удаляем дочерние таблицы СНАЧАЛА
|
|
||||||
DB::table('components')->delete();
|
|
||||||
DB::table('ai_tasks')->delete();
|
|
||||||
|
|
||||||
// 2. Теперь можно удалить родительскую таблицу
|
|
||||||
DB::table('component_types')->delete();
|
|
||||||
|
|
||||||
// 3. Вставляем типы с фиксированными ID
|
|
||||||
$componentTypes = [
|
|
||||||
['id' => 1, 'name' => 'Процессор', 'code' => 'cpu'],
|
|
||||||
['id' => 2, 'name' => 'Видеокарта', 'code' => 'gpu'],
|
|
||||||
['id' => 3, 'name' => 'Материнская плата', 'code' => 'motherboard'],
|
|
||||||
['id' => 4, 'name' => 'ОЗУ', 'code' => 'ram'],
|
|
||||||
['id' => 5, 'name' => 'Блок питания', 'code' => 'psu'],
|
|
||||||
['id' => 6, 'name' => 'SSD', 'code' => 'ssd'],
|
|
||||||
['id' => 7, 'name' => 'Корпус', 'code' => 'case'],
|
|
||||||
['id' => 8, 'name' => 'Охлаждение', 'code' => 'cooling'],
|
|
||||||
['id' => 9, 'name' => 'Сеть', 'code' => 'network'],
|
|
||||||
['id' => 10, 'name' => 'Звуковая карта', 'code' => 'sound']
|
|
||||||
];
|
|
||||||
|
|
||||||
DB::table('component_types')->insert($componentTypes);
|
|
||||||
// 2. Добавляем 25 официальных компонентов
|
|
||||||
$components = [
|
|
||||||
// Процессоры (ID=1)
|
|
||||||
[
|
|
||||||
'name' => 'AMD Ryzen 5 5600',
|
|
||||||
'price' => 15000,
|
|
||||||
'component_type_id' => 1,
|
|
||||||
'specifications' => json_encode(['socket' => 'AM4', 'cores' => 6, 'tdp' => 65]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'AMD Ryzen 7 7700X',
|
|
||||||
'price' => 25000,
|
|
||||||
'component_type_id' => 1,
|
|
||||||
'specifications' => json_encode(['socket' => 'AM5', 'cores' => 8, 'tdp' => 105]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'Intel Core i5-13400F',
|
|
||||||
'price' => 18000,
|
|
||||||
'component_type_id' => 1,
|
|
||||||
'specifications' => json_encode(['socket' => 'LGA1700', 'cores' => 10, 'tdp' => 65]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
|
|
||||||
// Видеокарты (ID=2)
|
|
||||||
[
|
|
||||||
'name' => 'NVIDIA RTX 4060',
|
|
||||||
'price' => 30000,
|
|
||||||
'component_type_id' => 2,
|
|
||||||
'specifications' => json_encode(['memory_size' => '8GB', 'gpu_clock_speed' => 2445]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'NVIDIA RTX 4070 Ti',
|
|
||||||
'price' => 45000,
|
|
||||||
'component_type_id' => 2,
|
|
||||||
'specifications' => json_encode(['memory_size' => '12GB', 'gpu_clock_speed' => 2610]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'AMD Radeon RX 7800 XT',
|
|
||||||
'price' => 40000,
|
|
||||||
'component_type_id' => 2,
|
|
||||||
'specifications' => json_encode(['memory_size' => '16GB', 'gpu_clock_speed' => 2200]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
|
|
||||||
// Материнские платы (ID=3)
|
|
||||||
[
|
|
||||||
'name' => 'ASUS TUF GAMING B660M-PLUS',
|
|
||||||
'price' => 8000,
|
|
||||||
'component_type_id' => 3,
|
|
||||||
'specifications' => json_encode(['chipset' => 'B660', 'form_factor' => 'mATX']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'MSI B750 TOMAHAWK',
|
|
||||||
'price' => 12000,
|
|
||||||
'component_type_id' => 3,
|
|
||||||
'specifications' => json_encode(['chipset' => 'B750', 'form_factor' => 'ATX']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'Gigabyte X670E AORUS PRO',
|
|
||||||
'price' => 15000,
|
|
||||||
'component_type_id' => 3,
|
|
||||||
'specifications' => json_encode(['chipset' => 'X670E', 'form_factor' => 'ATX']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
|
|
||||||
// ОЗУ (ID=4)
|
|
||||||
[
|
|
||||||
'name' => 'Kingston FURY Beast DDR4 16GB',
|
|
||||||
'price' => 5000,
|
|
||||||
'component_type_id' => 4,
|
|
||||||
'specifications' => json_encode(['type' => 'DDR4', 'capacity' => '16GB', 'speed' => 3200]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'Corsair Vengeance RGB Pro 32GB DDR5-6000',
|
|
||||||
'price' => 15000,
|
|
||||||
'component_type_id' => 4,
|
|
||||||
'specifications' => json_encode(['type' => 'DDR5', 'capacity' => '32GB', 'speed' => 6000]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'G.Skill Trident Z5 32GB DDR5-6000',
|
|
||||||
'price' => 16000,
|
|
||||||
'component_type_id' => 4,
|
|
||||||
'specifications' => json_encode(['type' => 'DDR5', 'capacity' => '32GB', 'speed' => 6000]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
|
|
||||||
// Блоки питания (ID=5)
|
|
||||||
[
|
|
||||||
'name' => 'EVGA SuperNOVA 750 G2',
|
|
||||||
'price' => 8000,
|
|
||||||
'component_type_id' => 5,
|
|
||||||
'specifications' => json_encode(['wattage' => 750, 'efficiency' => '80+ Gold']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'Seasonic FOCUS GX-850',
|
|
||||||
'price' => 10000,
|
|
||||||
'component_type_id' => 5,
|
|
||||||
'specifications' => json_encode(['wattage' => 850, 'efficiency' => '80+ Gold']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'Corsair RM850x',
|
|
||||||
'price' => 12000,
|
|
||||||
'component_type_id' => 5,
|
|
||||||
'specifications' => json_encode(['wattage' => 850, 'efficiency' => '80+ Gold']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
|
|
||||||
// SSD (ID=6)
|
|
||||||
[
|
|
||||||
'name' => 'Samsung 980 PRO 1TB',
|
|
||||||
'price' => 10000,
|
|
||||||
'component_type_id' => 6,
|
|
||||||
'specifications' => json_encode(['interface' => 'NVMe PCIe 4.0 x4', 'capacity' => 1000]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'Crucial P3 500GB NVMe',
|
|
||||||
'price' => 4000,
|
|
||||||
'component_type_id' => 6,
|
|
||||||
'specifications' => json_encode(['interface' => 'NVMe PCIe 3.0 x4', 'capacity' => 500]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'WD Black SN850X 1TB',
|
|
||||||
'price' => 12000,
|
|
||||||
'component_type_id' => 6,
|
|
||||||
'specifications' => json_encode(['interface' => 'NVMe PCIe 4.0 x4', 'capacity' => 1000]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
|
|
||||||
// Корпуса (ID=7)
|
|
||||||
[
|
|
||||||
'name' => 'Cooler Master H500P ATX Mid Tower Case',
|
|
||||||
'price' => 4000,
|
|
||||||
'component_type_id' => 7,
|
|
||||||
'specifications' => json_encode(['form_factor' => 'ATX', 'cooling_type' => 'Air']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'be quiet! Dark Base Pro 9',
|
|
||||||
'price' => 12000,
|
|
||||||
'component_type_id' => 7,
|
|
||||||
'specifications' => json_encode(['form_factor' => 'ATX', 'max_power' => 800]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'Fractal Design Pop Air',
|
|
||||||
'price' => 5000,
|
|
||||||
'component_type_id' => 7,
|
|
||||||
'specifications' => json_encode(['form_factor' => 'ATX', 'cooling_type' => 'Air']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
|
|
||||||
// Охлаждение (ID=8)
|
|
||||||
[
|
|
||||||
'name' => 'Noctua NH-D15',
|
|
||||||
'price' => 7000,
|
|
||||||
'component_type_id' => 8,
|
|
||||||
'specifications' => json_encode(['type' => 'Air', 'tdp' => 200]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'Deepcool Assassin III',
|
|
||||||
'price' => 5000,
|
|
||||||
'component_type_id' => 8,
|
|
||||||
'specifications' => json_encode(['type' => 'Air', 'tdp' => 150]),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'AIO Corsair iCUE H150i ELITE CAPELLIX',
|
|
||||||
'price' => 15000,
|
|
||||||
'component_type_id' => 8,
|
|
||||||
'specifications' => json_encode(['type' => 'Liquid', 'radiator_size' => '360mm']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
|
|
||||||
// Сеть (ID=9)
|
|
||||||
[
|
|
||||||
'name' => 'TP-Link Archer TX50E',
|
|
||||||
'price' => 3000,
|
|
||||||
'component_type_id' => 9,
|
|
||||||
'specifications' => json_encode(['interface' => 'Wi-Fi 6', 'speed' => '2.5Gbps']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'Intel I225-V',
|
|
||||||
'price' => 2000,
|
|
||||||
'component_type_id' => 9,
|
|
||||||
'specifications' => json_encode(['interface' => 'Ethernet', 'speed' => '2.5Gbps']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
|
|
||||||
// Звуковые карты (ID=10)
|
|
||||||
[
|
|
||||||
'name' => 'Creative Sound Blaster Z',
|
|
||||||
'price' => 8000,
|
|
||||||
'component_type_id' => 10,
|
|
||||||
'specifications' => json_encode(['interface' => 'PCIe', 'sample_rate' => '192kHz']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'name' => 'ASUS Xonar SE',
|
|
||||||
'price' => 5000,
|
|
||||||
'component_type_id' => 10,
|
|
||||||
'specifications' => json_encode(['interface' => 'PCIe', 'sample_rate' => '96kHz']),
|
|
||||||
'is_official' => true,
|
|
||||||
'created_by_user_id' => null
|
|
||||||
]
|
|
||||||
];
|
|
||||||
|
|
||||||
foreach ($components as $component) {
|
|
||||||
DB::table('components')->insert($component);
|
|
||||||
}
|
|
||||||
|
|
||||||
// 3. Добавляем 4 задачи в ai_tasks
|
|
||||||
// 3. Добавляем 4 задачи в ai_tasks
|
|
||||||
$aiTasks = [
|
|
||||||
[
|
|
||||||
'user_id' => null,
|
|
||||||
'name' => 'Игровая сборка до 80000 рублей',
|
|
||||||
'prompt_template' => 'Подобрать оптимальную сборку для игр в 1080p до 80000 рублей.',
|
|
||||||
'is_active' => true,
|
|
||||||
'created_at' => now(),
|
|
||||||
'updated_at' => now()
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'user_id' => null,
|
|
||||||
'name' => 'Офисная сборка до 30000 рублей',
|
|
||||||
'prompt_template' => 'Подобрать бюджетную сборку для офисных задач и интернета.',
|
|
||||||
'is_active' => true,
|
|
||||||
'created_at' => now(),
|
|
||||||
'updated_at' => now()
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'user_id' => null,
|
|
||||||
'name' => 'Рабочая станция для видеомонтажа',
|
|
||||||
'prompt_template' => 'Подобрать мощную сборку для редактирования 4K видео.',
|
|
||||||
'is_active' => true,
|
|
||||||
'created_at' => now(),
|
|
||||||
'updated_at' => now()
|
|
||||||
],
|
|
||||||
[
|
|
||||||
'user_id' => null,
|
|
||||||
'name' => 'Игровая сборка до 1500$',
|
|
||||||
'prompt_template' => 'Подобрать топовую сборку для игр в 4K до 1500$.',
|
|
||||||
'is_active' => true,
|
|
||||||
'created_at' => now(),
|
|
||||||
'updated_at' => now()
|
|
||||||
]
|
|
||||||
];
|
|
||||||
|
|
||||||
foreach ($aiTasks as $task) {
|
|
||||||
DB::table('ai_tasks')->insert($task);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -8,13 +8,13 @@ use Illuminate\Database\Seeder;
|
|||||||
|
|
||||||
class DatabaseSeeder extends Seeder
|
class DatabaseSeeder extends Seeder
|
||||||
{
|
{
|
||||||
|
use WithoutModelEvents;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Seed the application's database.
|
* Seed the application's database.
|
||||||
*/
|
*/
|
||||||
public function run(): void
|
public function run(): void
|
||||||
{
|
{
|
||||||
$this->call(ComponentSeeder::class);
|
|
||||||
// User::factory(10)->create();
|
// User::factory(10)->create();
|
||||||
|
|
||||||
User::factory()->create([
|
User::factory()->create([
|
||||||
|
|||||||
@@ -5,8 +5,6 @@ use Illuminate\Http\Request;
|
|||||||
use Illuminate\Support\Facades\Route;
|
use Illuminate\Support\Facades\Route;
|
||||||
use App\Http\Controllers\ComponentsController;
|
use App\Http\Controllers\ComponentsController;
|
||||||
use App\Http\Controllers\AuthController;
|
use App\Http\Controllers\AuthController;
|
||||||
use App\Http\Controllers\PCBuildsController;
|
|
||||||
use App\Http\Controllers\AiController;
|
|
||||||
|
|
||||||
Route::get('/users', function (Request $request) {
|
Route::get('/users', function (Request $request) {
|
||||||
return $request->user();
|
return $request->user();
|
||||||
@@ -40,16 +38,5 @@ Route::middleware('auth:sanctum')->group(function () {
|
|||||||
Route::delete('/components/{id}', [ComponentsController::class, 'destroy']);
|
Route::delete('/components/{id}', [ComponentsController::class, 'destroy']);
|
||||||
});
|
});
|
||||||
|
|
||||||
Route::middleware('auth:sanctum')->group(function () {
|
|
||||||
Route::get('/builds', [PCBuildsController::class, 'index']);
|
|
||||||
Route::post('/builds', [PCBuildsController::class, 'store']);
|
|
||||||
Route::get('/builds/{id}', [PCBuildsController::class, 'show']);
|
|
||||||
Route::put('/builds/{id}', [PCBuildsController::class, 'update']);
|
|
||||||
Route::delete('/builds/{id}', [PCBuildsController::class, 'destroy']);
|
|
||||||
});
|
|
||||||
|
|
||||||
Route::middleware('auth:sanctum')->group(function () {
|
|
||||||
Route::post('/ai/suggest', [AiController::class, 'suggest']);
|
|
||||||
});
|
|
||||||
|
|
||||||
|
|
||||||
|
|||||||
Reference in New Issue
Block a user