каждый!
Мне нужна помощь. Я создаю веб-приложение в laravel 6, которое позволяет пользователю вставлять данные через php формы, которые также вставляются в базу данных.
По сути, я создаю поставщика (он работает), я создаю Материал (он также работает), а затем я создаю Покупку (ссылаясь на Поставщика и Материал). У меня также есть таблица единиц измерения, чтобы указать, является ли материал кг, per_unit, et c.
Вот мои схемы:
Схема поставщика:
Schema::create('suppliers', function (Blueprint $table) {
$table->increments('id');
$table->string('reference');
$table->string('name',255);
$table->string('address',255);
$table->text('zip_code')->nullable();
$table->string('locality');
$table->text('phone')->nullable();
$table->text('description')->nullable();
$table->timestamps();
});
Схема материала:
Schema::create('materials', function (Blueprint $table) {
$table->increments('id');
$table->string('reference');
$table->string('name',255);
$table->text('description')->nullable();
$table->integer('quantity');
$table->integer('quantity_in_use')->default(0);
$table->string('image_material')->nullable();
$table->string('image_receipt')->nullable();
$table->timestamps();
});
Схема объекта:
Schema::create('units', function (Blueprint $table) {
$table->increments('id');
$table->string('name');
});
Схема закупки:
Schema::create('purchases', function (Blueprint $table) {
$table->increments('id');
$table->string('reference');
$table->datetime('date');
$table->unsignedInteger('supplier_id');
$table->unsignedInteger('material_id');
$table->integer('quantity');
$table->text('description')->nullable();
$table->double('price_per_unit');
$table->unsignedInteger('unit_id');
$table->timestamps();
});
И созданная мной миграция отношений:
Schema::table('purchases', function (Blueprint $table) {
$table->foreign('supplier_id')->references('id')->on('suppliers');
$table->foreign('material_id')->references('id')->on('materials');
$table->foreign('unit_id')->references('id')->on('units');
});
Проблема в том, что всякий раз, когда я пытаюсь создать Закупку, выдается следующее сообщение:
SQLSTATE [23000]: нарушение ограничения целостности: 1452 Невозможно добавить или обновить дочернюю строку: внешний ключ ограничение не выполнено (guacamaiateste
. purchases
, CONSTRAINT purchases_unit_id_foreign
FOREIGN KEY (unit_id
) ССЫЛКИ units
(id
)) (SQL: вставить в purchases
(reference
, date
) , supplier_id
, material_id
, description
, quantity
, price_per_unit
, updated_at
, created_at
) значения (C01, 17-04-2020 00:00:00, 8, 5, Просто покупка, 1, 1, 2020-04-17 04:08:00, 2020-04-17 04:08:00))
Вот моя модель:
class Purchase extends Model{
protected $fillable = ['reference', 'date', 'supplier_id', 'material_id', 'quantity', 'description', 'price_per_unit'];
public function supplier()
{
return $this->belongsTo('App\Supplier', 'supplier_id');
}
public function material()
{
return $this->belongsTo('App\Material', 'material_id');
}
public function unit()
{
return $this->belongsTo('App\Unit', 'unit_id');
}}
И мой контроллер покупки:
use Illuminate\Http\Request;
use App\Unit;
use App\Purchase;
use App\Supplier;
use App\Material;
use App\Http\Requests\StorePurchase;
use App\Http\Controllers\Controller;
class PurchaseController extends Controller
{
/**
* Display a listing of the resource.
*
* @return \Illuminate\Http\Response
*/
public function index()
{
$purchases = Purchase::with(['unit', 'supplier', 'material'])->get();
return view('admin.purchases.index', [
'purchases' => $purchases,
]);
}
/**
* Show the form for creating a new resource.
*
* @return \Illuminate\Http\Response
*/
public function create()
{
$units = Unit::all();
$suppliers = Supplier::all();
$materials = Material::all();
return view('admin.purchases.create', [
'units' => $units,
'suppliers' => $suppliers,
'materials' => $materials,
]);
}
/**
* Store a newly created resource in storage.
*
* @param \Illuminate\Http\Request $request
* @return \Illuminate\Http\Response
*/
public function store(StorePurchase $request)
{
$validated = $request->validated();
$validated['price'] = $validated['price_per_unit'] * $validated['quantity'];
if (empty($validated['supplier_id'])) {
$supplier = Supplier::create([
'reference' => $validated['supplier_reference'],
'name' => $validated['supplier_name'],
'address' => $validated['supplier_address'],
'locality' => $validated['supplier_locality'],
]);
$validated['supplier_id'] = $supplier->id;
}
if (empty($validated['material_id'])) {
$material = Material::create([
'reference' => $validated['material_reference'],
'name' => $validated['material_name'],
'quantity' => $validated['quantity'],
]);
$validated['material_id'] = $material->id;
}
Purchase::create($validated);
return redirect()->route('purchases.index')
->with('status', 'Compra registada com sucesso!')
->with('status-type', 'success');
}
/**
* Display the specified resource.
*
* @param int $id
* @return \Illuminate\Http\Response
*/
public function show($id)
{
//
}
/**
* Show the form for editing the specified resource.
*
* @param int $id
* @return \Illuminate\Http\Response
*/
public function edit($id)
{
$units = Unit::all();
$purchase = Purchase::find($id);
$suppliers = Supplier::all();
$materials = Material::all();
return view('admin.purchases.edit', [
'units' => $units,
'purchase' => $purchase,
'suppliers' => $suppliers,
'materials' => $materials,
]);
}
/**
* Update the specified resource in storage.
*
* @param \Illuminate\Http\Request $request
* @param int $id
* @return \Illuminate\Http\Response
*/
public function update(StorePurchase $request, $id)
{
$validated = $request->validated();
$purchase = Purchase::find($id);
$purchase->update($validated);
return redirect()->route('purchases.index')
->with('status', 'Compra atualizada com sucesso!')
->with('status-type', 'success');
}
/**
* Remove the specified resource from storage.
*
* @param int $id
* @return \Illuminate\Http\Response
*/
public function destroy($id)
{
Purchase::destroy($id);
return redirect()->route('purchases.index')
->with('status', 'Compra apagada com sucesso!')
->with('status-type', 'success');
}
}
Я знаю, что это довольно много, и я прошу прощения, но мне действительно нужен привет р в этом ... Это в основном весь смысл этого приложения.