PHP電商系統產品管理模組指南:建立資料庫表格、定義模型、建立控制器、設計視圖,實現產品資訊的新增與修改。
PHP 電商系統開發指南:產品管理
1.資料庫設計
在建立產品管理模組之前,必須建立一個資料庫表來儲存產品資訊。表格的結構可以如下:
CREATE TABLE products ( id INT AUTO_INCREMENT PRIMARY KEY, name VARCHAR(255) NOT NULL, description TEXT, price DECIMAL(10,2) NOT NULL, quantity INT DEFAULT 0, created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP );
2. 模型定義
#建立Product
模型來表示產品表資料:
class Product extends Model { protected $table = 'products'; protected $fillable = ['name', 'description', 'price', 'quantity']; }
3. 控制器
建立ProductsController
用以處理產品相關的請求:
class ProductsController extends Controller { public function index() { $products = Product::all(); return view('products.index', compact('products')); } public function create() { return view('products.create'); } public function store(Request $request) { $product = new Product; $product->name = $request->input('name'); $product->description = $request->input('description'); $product->price = $request->input('price'); $product->quantity = $request->input('quantity'); $product->save(); return redirect()->route('products.index'); } // ... 其余方法 }
4. 視圖
建立index.blade.php
視圖用於顯示產品清單:
@extends('layouts.app') @section('content') <h1>Products</h1> <table border="1"> <tr> <th>ID</th> <th>Name</th> <th>Description</th> <th>Price</th> <th>Quantity</th> </tr> @foreach ($products as $product) <tr> <td>{{ $product->id }}</td> <td>{{ $product->name }}</td> <td>{{ $product->description }}</td> <td>{{ $product->price }}</td> <td>{{ $product->quantity }}</td> </tr> @endforeach </table> @endsection
實戰案例
新增新產品
/products/create
建立一個新產品。 修改現有產品
/products/{product_id}/edit
以修改現有產品。 以上是PHP電商系統開發指南產品管理的詳細內容。更多資訊請關注PHP中文網其他相關文章!