fastapi+angular外卖系统

打印 上一主题 下一主题

主题 997|帖子 997|积分 2991

阐明:
fastapi+angular外卖系统
1.美食分类(粥,粉,面,炸鸡,炒菜,西餐,奶茶等等)
2.商家列表 (kfc,兰州拉面,湘菜馆,早餐店,重庆小面,潮汕砂锅粥,蜜雪冰城等等)
商家item:
商家店名,评分,月销量,人均价格,起送价格,配送费价格,店肆位置,商家标签,商家分类
3.商家详情页
商家店名,评分,月销量
菜品分类(比如炒饭,拉面,盖饭,单人套餐,双人套餐,米线,酒水饮料)
菜品列表
菜品item:
菜品名,评分,月销量,菜品标签,菜品分类,菜品价格
显示评价列表,包括用户评分和评价内容
商家详情,包括店肆位置,商家联系电话,业务时间,订餐留意事项,店肆政策
4.结算页
填写用户名,用户联系电话,收货地点,
商品具体清单 店肆名,菜品名,购买数量,菜品单价,配送费,打包费,总金额,提交订单功能
5.订单详情页
订单单号,订单状态(已完成,已退款,待接单,待配送),店肆名称,菜品名称,购买数量,菜品单价,配送费,打包费,总金额
配送信息,订单下单时间,配送完成时间,配送地点,骑手名,骑手联系电话,支付方式,备注信息等等
6.评价表
用户对菜品的评价
效果图:

json:
  1. /* Merchant List Endpoint - GET http://localhost:8000/merchants */
  2. {
  3.     "data": [
  4.         {
  5.             "id": 7,
  6.             "name": "Haidilao Hot Pot",
  7.             "rating": 4.9,
  8.             "monthly_sales": 4000,
  9.             "avg_price": 80.0,
  10.             "min_order_price": 50.0,
  11.             "delivery_fee": 0.0,
  12.             "location": "3F Food Court",
  13.             "tags": "Hot Pot,24/7",
  14.             "contact_phone": "13800138444",
  15.             "business_hours": "24/7",
  16.             "notice": "Free delivery",
  17.             "policy": "Service first",
  18.             "categories": "Hot Pot"
  19.         },
  20.         // Other merchants follow similar pattern...
  21.     ]
  22. }
  23. /* Food Categories Endpoint - GET http://localhost:8000/categories */
  24. {
  25.     "data": [
  26.         {"id": 7, "name": "Bubble Tea"},
  27.         {"id": 10, "name": "Japanese"},
  28.         {"id": 8, "name": "Hot Pot"},
  29.         // Other categories...
  30.     ]
  31. }
  32. /* Merchant Details - GET http://localhost:8000/merchants/1 */
  33. {
  34.     "merchant": {
  35.         "id": 1,
  36.         "name": "KFC",
  37.         "rating": 4.5,
  38.         "monthly_sales": 2000,
  39.         "avg_price": 35.0,
  40.         "min_order_price": 20.0,
  41.         "delivery_fee": 5.0,
  42.         "location": "People's Square, City Center",
  43.         "tags": "Fast Food,24/7",
  44.         "contact_phone": "13800138000",
  45.         "business_hours": "07:00-23:00",
  46.         "notice": "Order during business hours",
  47.         "policy": "Unconditional refund"
  48.     },
  49.     "categories": [
  50.         {
  51.             "id": 1,
  52.             "name": "Fried Chicken Meals",
  53.             "dishes": "[{"id": 1, "name": "Spicy Chicken Burger Meal", "tags": "Popular", "price": 35.00, "sales": 800, "rating": 4.50}]"
  54.         }
  55.     ],
  56.     "reviews": [
  57.         {
  58.             "rating": 4.8,
  59.             "content": "The burger was delicious!",
  60.             "review_time": "2024-03-01T13:00:00",
  61.             "dish_name": "Spicy Chicken Burger Meal"
  62.         }
  63.     ]
  64. }
  65. /* Create Order - POST http://localhost:8000/orders */
  66. Request Body:
  67. {
  68.     "customer_name": "Wang Xiaoming",
  69.     "customer_phone": "13800138000",
  70.     "delivery_address": "No.123 Zhangjiang Road, Pudong, Shanghai",
  71.     "merchant_id": 1,
  72.     "payment_method": "Alipay",
  73.     "items": [
  74.         {"dish_id": 1, "quantity": 2, "price": 35.00},
  75.         {"dish_id": 2, "quantity": 1, "price": 40.00}
  76.     ],
  77.     "note": "Need invoice, no chili please"
  78. }
  79. Response:
  80. {"order_id": 14}
  81. /* Order Details - GET http://localhost:8000/orders/1 */
  82. {
  83.     "order": {
  84.         "id": 1,
  85.         "customer_name": "Zhang San",
  86.         "status": "Completed",
  87.         "payment_method": "WeChat Pay",
  88.         "merchant_name": "KFC"
  89.     },
  90.     "items": [
  91.         {"dish_name": "Spicy Chicken Burger Meal", "quantity": 2},
  92.         {"dish_name": "Orleans Wings Meal", "quantity": 1}
  93.     ]
  94. }
  95. /* Dish Reviews - GET http://localhost:8000/dishes/1/reviews */
  96. [
  97.     {
  98.         "rating": 4.8,
  99.         "content": "Perfectly crispy chicken!",
  100.         "review_time": "2024-03-01T13:00:00",
  101.         "quantity": 2
  102.     }
  103. ]
复制代码
网络请求: C:\Users\wangrusheng\WebstormProjects\untitled4\src\app\services\merchant.service.ts
  1. // merchant.service.ts
  2. import { Injectable } from '@angular/core';
  3. import { HttpClient } from '@angular/common/http';
  4. import { Observable } from 'rxjs';
  5. @Injectable({
  6.   providedIn: 'root'
  7. })
  8. export class MerchantService {
  9.   private apiUrl = 'http://localhost:8000';
  10.   constructor(private http: HttpClient) { }
  11.   getCategories(): Observable<any> {
  12.     return this.http.get(`${this.apiUrl}/categories`);
  13.   }
  14.   getMerchants(categoryId?: number, page = 1, sortBy = 'rating'): Observable<any> {
  15.     const params: any = {
  16.       page: page.toString(),
  17.       sort_by: sortBy
  18.     };
  19.     if (categoryId) params.category_id = categoryId.toString();
  20.     return this.http.get(`${this.apiUrl}/merchants`, { params });
  21.   }
  22.   getMerchantDetail(id: number): Observable<any> {
  23.     console.log("getMerchantDetail",id)
  24.     return this.http.get(`${this.apiUrl}/merchants/${id}`);
  25.   }
  26.   createOrder(orderData: any): Observable<any> {
  27.     return this.http.post(`${this.apiUrl}/orders`, orderData);
  28.   }
  29.   getOrderDetail(id: number): Observable<any> {
  30.     return this.http.get(`${this.apiUrl}/orders/${id}`);
  31.   }
  32.   submitReview(reviewData: any): Observable<any> {
  33.     return this.http.post(`${this.apiUrl}/reviews`, reviewData);
  34.   }
  35. }
复制代码
step1:sql
  1. -- 1. 美食分类表
  2. CREATE TABLE category (
  3.     id INT PRIMARY KEY AUTO_INCREMENT,
  4.     name VARCHAR(50) NOT NULL UNIQUE
  5. );
  6. select *from category
  7. -- 2. 商家表
  8. CREATE TABLE merchant (
  9.     id INT PRIMARY KEY AUTO_INCREMENT,
  10.     name VARCHAR(100) NOT NULL,
  11.     rating DECIMAL(3,2) DEFAULT 0.00,
  12.     monthly_sales INT DEFAULT 0,
  13.     avg_price DECIMAL(8,2) DEFAULT 0.00,
  14.     min_order_price DECIMAL(8,2) DEFAULT 0.00,
  15.     delivery_fee DECIMAL(8,2) DEFAULT 0.00,
  16.     location VARCHAR(255),
  17.     tags VARCHAR(255),
  18.     contact_phone VARCHAR(20),
  19.     business_hours VARCHAR(100),
  20.     notice TEXT,
  21.     policy TEXT
  22. );
  23. -- 商家分类关联表
  24. CREATE TABLE merchant_category (
  25.     merchant_id INT,
  26.     category_id INT,
  27.     PRIMARY KEY (merchant_id, category_id),
  28.     FOREIGN KEY (merchant_id) REFERENCES merchant(id),
  29.     FOREIGN KEY (category_id) REFERENCES category(id)
  30. );
  31. -- 3. 菜品分类表
  32. CREATE TABLE dish_category (
  33.     id INT PRIMARY KEY AUTO_INCREMENT,
  34.     merchant_id INT NOT NULL,
  35.     name VARCHAR(50) NOT NULL,
  36.     FOREIGN KEY (merchant_id) REFERENCES merchant(id)
  37. );
  38. -- 4. 菜品表
  39. CREATE TABLE dish (
  40.     id INT PRIMARY KEY AUTO_INCREMENT,
  41.     merchant_id INT NOT NULL,
  42.     category_id INT NOT NULL,
  43.     name VARCHAR(100) NOT NULL,
  44.     rating DECIMAL(3,2) DEFAULT 0.00,
  45.     monthly_sales INT DEFAULT 0,
  46.     tags VARCHAR(255),
  47.     price DECIMAL(8,2) NOT NULL,
  48.     FOREIGN KEY (merchant_id) REFERENCES merchant(id),
  49.     FOREIGN KEY (category_id) REFERENCES dish_category(id)
  50. );
  51. -- 5. 订单表
  52. CREATE TABLE `order` (
  53.     id INT PRIMARY KEY AUTO_INCREMENT,
  54.     customer_name VARCHAR(100) NOT NULL,
  55.     customer_phone VARCHAR(20) NOT NULL,
  56.     delivery_address VARCHAR(255) NOT NULL,
  57.     merchant_id INT NOT NULL,
  58.     total_amount DECIMAL(10,2) NOT NULL,
  59.     delivery_fee DECIMAL(8,2) DEFAULT 0.00,
  60.     packing_fee DECIMAL(8,2) DEFAULT 0.00,
  61.     status ENUM('已完成','已退款','待接单','待配送') DEFAULT '待接单',
  62.     order_time DATETIME NOT NULL,
  63.     complete_time DATETIME,
  64.     rider_name VARCHAR(100),
  65.     rider_phone VARCHAR(20),
  66.     payment_method VARCHAR(50),
  67.     note TEXT,
  68.     FOREIGN KEY (merchant_id) REFERENCES merchant(id)
  69. );
  70. select *from db_school.order;
  71. -- 6. 订单明细表
  72. CREATE TABLE order_item (
  73.     id INT PRIMARY KEY AUTO_INCREMENT,
  74.     order_id INT NOT NULL,
  75.     dish_id INT NOT NULL,
  76.     quantity INT NOT NULL,
  77.     price DECIMAL(8,2) NOT NULL,
  78.     FOREIGN KEY (order_id) REFERENCES `order`(id),
  79.     FOREIGN KEY (dish_id) REFERENCES dish(id)
  80. );
  81. -- 7. 评价表
  82. CREATE TABLE review (
  83.     id INT PRIMARY KEY AUTO_INCREMENT,
  84.     order_item_id INT NOT NULL UNIQUE,
  85.     rating DECIMAL(3,2) NOT NULL,
  86.     content TEXT,
  87.     review_time DATETIME NOT NULL,
  88.     FOREIGN KEY (order_item_id) REFERENCES order_item(id)
  89. );
  90. -- Insert food categories
  91. INSERT INTO category (name) VALUES
  92. ('Porridge'),('Rice Noodles'),('Noodles'),('Fried Chicken'),('Stir-Fry'),('Western Food'),('Bubble Tea');
  93. INSERT INTO category (name) VALUES
  94. ('Hot Pot'), ('BBQ'), ('Japanese Cuisine');
  95. -- Insert merchant data
  96. INSERT INTO merchant (name, rating, monthly_sales, avg_price, min_order_price, delivery_fee, location, tags, contact_phone, business_hours, notice, policy) VALUES
  97. ('KFC', 4.5, 2000, 35.00, 20.00, 5.00, 'People''s Square, City Center', 'Fast Food,24/7 Service', '13800138000', '07:00-23:00', 'Please order during business hours', 'Unconditional refund'),
  98. ('Lanzhou Beef Noodles', 4.7, 1500, 20.00, 15.00, 3.00, '100 Zhongshan Road', 'Noodles,Halal', '13900139000', '08:00-22:00', 'Advance reservation recommended', 'Free packaging'),
  99. ('Mixue Ice Cream & Tea', 4.6, 3000, 10.00, 0.00, 0.00, '50 Jiefang Road', 'Bubble Tea,Desserts', '13700137000', '09:00-22:00', 'Minimum order ¥10', 'Made fresh');
  100. -- Additional merchants...
  101. INSERT INTO merchant (name, rating, monthly_sales, avg_price, min_order_price, delivery_fee, location, tags, contact_phone, business_hours, notice, policy) VALUES
  102. ('McDonald''s', 4.6, 2500, 30.00, 20.00, 4.00, '5 Commercial Street', 'Fast Food,Burgers', '13800138111', '07:00-23:30', '24/7 delivery', 'Coupons accepted'),
  103. ('Pizza Hut', 4.4, 1800, 50.00, 30.00, 6.00, 'City Center Plaza', 'Pizza,Western Food', '13800138222', '10:00-22:00', 'Happy Hour deals', 'Utensils provided'),
  104. ('Starbucks', 4.7, 3000, 35.00, 0.00, 5.00, '1F Shopping Mall', 'Coffee,Desserts', '13800138333', '08:00-21:00', 'Takeaway discounts', 'Eco-cup discount'),
  105. ('Haidilao Hot Pot', 4.9, 4000, 80.00, 50.00, 0.00, '3F Food Court', 'Hot Pot,24/7', '13800138444', '24/7', 'Free delivery', 'Service first'),
  106. ('Shaxian Snacks', 4.3, 1200, 15.00, 10.00, 2.00, 'Community Street', 'Snacks,Economy', '13800138555', '06:30-22:00', 'Large portions', 'Free rice refill'),
  107. ('Zhen Gongfu', 4.5, 1500, 25.00, 15.00, 3.00, 'Near Train Station', 'Fast Food,Steamed Dishes', '13800138666', '09:00-21:00', 'Quick service', 'Self-pickup available'),
  108. ('Burger King', 4.6, 2000, 40.00, 25.00, 5.00, 'Block B Commercial Area', 'Burgers,Fries', '13800138777', '08:00-24:00', 'King Meal deals', 'Reward points');
  109. -- Special noodle merchants
  110. INSERT INTO merchant (name, rating, monthly_sales, avg_price, min_order_price, delivery_fee, location, tags, contact_phone, business_hours, notice, policy)
  111. VALUES (
  112.     'Liuzhou Luosifen',
  113.     4.8,
  114.     1800,
  115.     18.00,
  116.     15.00,
  117.     2.50,
  118.     'No.8 Food Street',
  119.     'Luosifen,Authentic',
  120.     '13811112222',
  121.     '09:00-22:00',
  122.     'Customizable spiciness',
  123.     'Free extra bamboo shoots'
  124. );
  125. -- Link categories (assuming Rice Noodles category_id=2)
  126. INSERT INTO merchant_category (merchant_id, category_id)
  127. VALUES
  128.     ((SELECT id FROM merchant WHERE name='Liuzhou Luosifen'), 2),
  129.     ((SELECT id FROM merchant WHERE name='Nanning Old Friend Noodles'), 2);
  130. -- Insert dish categories
  131. INSERT INTO dish_category (merchant_id, name) VALUES
  132. (1,'Fried Chicken Meals'),(1,'Burger Meals'),
  133. (2,'Signature Noodles'),(2,'Rice Bowls'),
  134. (3,'Classic Bubble Tea'),(3,'Summer Specials');
  135. -- Insert dishes
  136. INSERT INTO dish (merchant_id, category_id, name, rating, monthly_sales, tags, price) VALUES
  137. (1,1,'Spicy Chicken Burger Meal',4.5,800,'Popular',35.00),
  138. (1,2,'Orleans Wings Meal',4.6,600,'New',40.00),
  139. (2,3,'Beef Noodles',4.8,500,'Signature',18.00),
  140. (2,4,'Braised Beef Rice Bowl',4.7,300,'Recommended',22.00),
  141. (3,5,'Pearl Milk Tea',4.7,1500,'Classic',8.00),
  142. (3,6,'Strawberry Sundae',4.8,1000,'Seasonal',6.00);
  143. -- Insert orders
  144. INSERT INTO `order` (customer_name, customer_phone, delivery_address, merchant_id, total_amount, delivery_fee, packing_fee, status, order_time, payment_method) VALUES
  145. ('Zhang San','13800001111','Tech Park Building 1',1,77.00,5.00,2.00,'Completed','2024-03-01 12:00:00','WeChat Pay'),
  146. ('Li Si','13900002222','University Dorm 3',2,40.00,3.00,1.00,'Pending Delivery','2024-03-02 18:30:00','Alipay');
  147. -- Insert reviews
  148. INSERT INTO review (order_item_id, rating, content, review_time) VALUES
  149. (1,4.8,'Burgers were delicious!','2024-03-01 13:00:00'),
  150. (3,4.9,'Very authentic noodles','2024-03-02 19:00:00');
复制代码
step2:fastapi
  1. from fastapi import FastAPI, HTTPException
  2. from fastapi.middleware.cors import CORSMiddleware
  3. import pymysql.cursors
  4. from typing import List, Optional
  5. from pydantic import BaseModel
  6. from datetime import datetime
  7. app = FastAPI()
  8. # CORS配置
  9. app.add_middleware(
  10.     CORSMiddleware,
  11.     allow_origins=["*"],
  12.     allow_credentials=True,
  13.     allow_methods=["*"],
  14.     allow_headers=["*"],
  15. )
  16. # 数据库配置(根据实际情况修改)
  17. DB_CONFIG = {
  18.     'host': 'localhost',
  19.     'user': 'root',
  20.     'password': '123456',
  21.     'db': 'db_school',
  22.     'charset': 'utf8mb4',
  23.     'cursorclass': pymysql.cursors.DictCursor
  24. }
  25. # 基础数据模型
  26. class Category(BaseModel):
  27.     id: int
  28.     name: str
  29. class MerchantBase(BaseModel):
  30.     name: str
  31.     rating: float
  32.     monthly_sales: int
  33.     avg_price: float
  34. # API 请求模型
  35. class CreateOrderItem(BaseModel):
  36.     dish_id: int
  37.     quantity: int
  38.     price: float
  39. class CreateOrder(BaseModel):
  40.     customer_name: str
  41.     customer_phone: str
  42.     delivery_address: str
  43.     merchant_id: int
  44.     items: List[CreateOrderItem]
  45.     payment_method: str
  46.     note: Optional[str] = None
  47. def db_query(query: str, params=None, fetch_one=False):
  48.     try:
  49.         connection = pymysql.connect(**DB_CONFIG)
  50.         with connection.cursor() as cursor:
  51.             cursor.execute(query, params)
  52.             result = cursor.fetchone() if fetch_one else cursor.fetchall()
  53.         connection.commit()
  54.         connection.close()
  55.         return result
  56.     except Exception as e:
  57.         raise HTTPException(status_code=500, detail=str(e))
  58. # 1. 获取所有美食分类
  59. @app.get("/categories")
  60. async def get_categories():
  61.     """获取所有美食分类"""
  62.     query = "SELECT id, name FROM category"
  63.     return {"data": db_query(query)}
  64. # 2. 商家列表接口
  65. @app.get("/merchants")
  66. async def get_merchants(
  67.         category_id: Optional[int] = None,
  68.         page: int = 1,
  69.         page_size: int = 10,
  70.         sort_by: str = 'rating'
  71. ):
  72.     """获取商家列表(支持分类筛选和排序)"""
  73.     offset = (page - 1) * page_size
  74.     base_query = """
  75.         SELECT m.*, GROUP_CONCAT(c.name) AS categories
  76.         FROM merchant m
  77.         LEFT JOIN merchant_category mc ON m.id = mc.merchant_id
  78.         LEFT JOIN category c ON mc.category_id = c.id
  79.     """
  80.     where = []
  81.     params = []
  82.     if category_id:
  83.         where.append("mc.category_id = %s")
  84.         params.append(category_id)
  85.     if where:
  86.         base_query += " WHERE " + " AND ".join(where)
  87.     base_query += " GROUP BY m.id"
  88.     # 排序逻辑
  89.     sort_columns = {
  90.         'rating': 'm.rating DESC',
  91.         'sales': 'm.monthly_sales DESC',
  92.         'price': 'm.avg_price ASC'
  93.     }
  94.     order_by = sort_columns.get(sort_by, 'm.rating DESC')
  95.     base_query += f" ORDER BY {order_by} LIMIT %s OFFSET %s"
  96.     params.extend([page_size, offset])
  97.     return {"data": db_query(base_query, params)}
  98. # 3. 商家详情
  99. @app.get("/merchants/{merchant_id}")
  100. async def get_merchant_detail(merchant_id: int):
  101.     """获取商家详细信息"""
  102.     # 商家基本信息
  103.     merchant = db_query("SELECT * FROM merchant WHERE id = %s", (merchant_id,), True)
  104.     if not merchant:
  105.         raise HTTPException(404, "商家不存在")
  106.     # 菜品分类及菜品
  107.     categories = db_query("""
  108.     SELECT dc.id, dc.name,
  109.     (SELECT JSON_ARRAYAGG(
  110.         JSON_OBJECT('id',d.id,'name',d.name,'price',d.price,
  111.                     'rating',d.rating,'sales',d.monthly_sales,'tags',d.tags)
  112.     ) FROM dish d WHERE d.category_id = dc.id) AS dishes
  113.     FROM dish_category dc WHERE dc.merchant_id = %s
  114.     """, (merchant_id,))
  115.     # 评价
  116.     reviews = db_query("""
  117.     SELECT r.rating, r.content, r.review_time, d.name AS dish_name
  118.     FROM review r
  119.     JOIN order_item oi ON r.order_item_id = oi.id
  120.     JOIN dish d ON oi.dish_id = d.id
  121.     WHERE d.merchant_id = %s ORDER BY r.review_time DESC LIMIT 10
  122.     """, (merchant_id,))
  123.     return {
  124.         "merchant": merchant,
  125.         "categories": categories,
  126.         "reviews": reviews
  127.     }
  128. # 4. 创建订单接口
  129. @app.post("/orders")
  130. async def create_order(order_data: CreateOrder):
  131.     """创建新订单"""
  132.     connection = pymysql.connect(**DB_CONFIG)
  133.     try:
  134.         with connection.cursor() as cursor:
  135.             # 计算总金额
  136.             total = sum(item.price * item.quantity for item in order_data.items)
  137.             # 获取商家配送费
  138.             cursor.execute("SELECT delivery_fee, min_order_price FROM merchant WHERE id = %s",
  139.                            (order_data.merchant_id,))
  140.             merchant_info = cursor.fetchone()
  141.             if not merchant_info:
  142.                 raise HTTPException(status_code=404, detail="Merchant not found")
  143.             if total < merchant_info['min_order_price']:
  144.                 raise HTTPException(
  145.                     status_code=400,
  146.                     detail=f"订单金额需达到{merchant_info['min_order_price']}元"
  147.                 )
  148.             # 创建订单
  149.             order_query = """
  150.                 INSERT INTO `order` (
  151.                     customer_name, customer_phone, delivery_address,
  152.                     merchant_id, total_amount, delivery_fee,
  153.                     status, order_time, payment_method, note
  154.                 ) VALUES (%s,%s,%s,%s,%s,%s,%s,%s,%s,%s)
  155.             """
  156.             order_params = (
  157.                 order_data.customer_name,
  158.                 order_data.customer_phone,
  159.                 order_data.delivery_address,
  160.                 order_data.merchant_id,
  161.                 total,
  162.                 merchant_info['delivery_fee'],
  163.                 '待接单',
  164.                 datetime.now(),
  165.                 order_data.payment_method,
  166.                 order_data.note
  167.             )
  168.             cursor.execute(order_query, order_params)
  169.             order_id = cursor.lastrowid
  170.             # 创建订单明细
  171.             for item in order_data.items:
  172.                 cursor.execute("""
  173.                     INSERT INTO order_item
  174.                     (order_id, dish_id, quantity, price)
  175.                     VALUES (%s,%s,%s,%s)
  176.                 """, (order_id, item.dish_id, item.quantity, item.price))
  177.             connection.commit()
  178.             return {"order_id": order_id}
  179.     except Exception as e:
  180.         connection.rollback()
  181.         raise HTTPException(status_code=500, detail=str(e))
  182.     finally:
  183.         connection.close()
  184. # 5. 订单详情接口
  185. @app.get("/orders/{order_id}")
  186. async def get_order_detail(order_id: int):
  187.     """获取订单详情"""
  188.     order_query = """
  189.         SELECT o.*, m.name AS merchant_name
  190.         FROM `order` o
  191.         JOIN merchant m ON o.merchant_id = m.id
  192.         WHERE o.id = %s
  193.     """
  194.     order = db_query(order_query, (order_id,), fetch_one=True)
  195.     if not order:
  196.         raise HTTPException(status_code=404, detail="订单不存在")
  197.     items_query = """
  198.         SELECT oi.*, d.name AS dish_name
  199.         FROM order_item oi
  200.         JOIN dish d ON oi.dish_id = d.id
  201.         WHERE oi.order_id = %s
  202.     """
  203.     items = db_query(items_query, (order_id,))
  204.     return {"order": order, "items": items}
  205. # 6. 获取菜品评价
  206. @app.get("/dishes/{dish_id}/reviews")
  207. async def get_dish_reviews(dish_id: int):
  208.     """获取菜品评价"""
  209.     return db_query("""
  210.     SELECT r.rating, r.content, r.review_time, oi.quantity
  211.     FROM review r
  212.     JOIN order_item oi ON r.order_item_id = oi.id
  213.     WHERE oi.dish_id = %s
  214.     ORDER BY r.review_time DESC
  215.     """, (dish_id,))
  216. if __name__ == "__main__":
  217.     import uvicorn
  218.     uvicorn.run(app, host="0.0.0.0", port=8000)
复制代码
step3:商家列表 C:\Users\wangrusheng\WebstormProjects\untitled4\src\app\merchants-list\merchants-list.component.html
  1. import { Component, OnInit } from '@angular/core';
  2. import { MerchantService} from '../services/merchant.service';
  3. import {NgForOf, NgIf} from '@angular/common';
  4. import {RouterLink} from '@angular/router';
  5. @Component({
  6.   selector: 'app-merchants-list',
  7.   imports: [
  8.     NgForOf,
  9.     NgIf,
  10.     RouterLink
  11.   ],
  12.   templateUrl: './merchants-list.component.html',
  13.   styleUrl: './merchants-list.component.css'
  14. })
  15. export class MerchantsListComponent  implements OnInit {
  16.   categories: any[] = [];
  17.   merchants: any[] = [];
  18.   selectedCategoryId: number | null = null;
  19.   isLoading = false;
  20.   constructor(private merchantService: MerchantService) { }
  21.   ngOnInit() {
  22.     this.loadCategories();
  23.     this.loadMerchants(); // 初始加载全部商家
  24.   }
  25.   // 加载分类数据
  26.   loadCategories() {
  27.     this.merchantService.getCategories().subscribe(res => {
  28.       this.categories = res.data;
  29.     });
  30.   }
  31.   // 加载商家数据
  32.   loadMerchants(categoryId?: number) {
  33.     this.isLoading = true;
  34.     this.merchantService.getMerchants(categoryId).subscribe({
  35.       next: (res) => {
  36.         this.merchants = res.data;
  37.         this.isLoading = false;
  38.       },
  39.       error: () => {
  40.         this.isLoading = false;
  41.         alert('加载商家失败,请重试');
  42.       }
  43.     });
  44.   }
  45.   // 分类选择处理
  46.   selectCategory(categoryId: number | null) {
  47.     this.selectedCategoryId = categoryId;
  48.     this.loadMerchants(categoryId ?? undefined);
  49.   }
  50. }
  51. <!-- takeout.component.html -->
  52. <div class="container">
  53.   <!-- 左侧分类导航 -->
  54.   <div class="categories-sidebar">
  55.     <h3>美食分类</h3>
  56.     <ul>
  57.       <li
  58.         *ngFor="let category of categories"
  59.         [class.active]="selectedCategoryId === category.id"
  60.         (click)="selectCategory(category.id)">
  61.         {{category.name}}
  62.       </li>
  63.       <li
  64.         [class.active]="!selectedCategoryId"
  65.         (click)="selectCategory(null)">
  66.         全部商家
  67.       </li>
  68.     </ul>
  69.   </div>
  70.   <!-- 右侧商家列表 -->
  71.   <div class="merchant-list">
  72.     <!-- 加载状态 -->
  73.     <div *ngIf="isLoading" class="loading">加载中...</div>
  74.     <!-- 商家列表 -->
  75.     <div *ngFor="let merchant of merchants" class="merchant-card">
  76.       <div class="merchant-header">
  77.         <h3>{{merchant.name}}</h3>
  78.         <span class="rating">{{merchant.rating}} ★</span>
  79.       </div>
  80.       <div class="merchant-info">
  81.         <div class="meta">
  82.           <span>月售 {{merchant.monthly_sales}}</span>
  83.           <span>起送 ¥{{merchant.min_order_price}}</span>
  84.           <span>配送 ¥{{merchant.delivery_fee}}</span>
  85.         </div>
  86.         <a [routerLink]="['/merchants-detail', merchant.id]" class="detail-link">查看详情</a>
  87.         <div class="tags">
  88.           <span *ngFor="let tag of merchant.tags.split(',')">{{tag}}</span>
  89.         </div>
  90.       </div>
  91.     </div>
  92.   </div>
  93. </div>
  94. /* takeout.component.css */
  95. .container {
  96.   display: grid;
  97.   grid-template-columns: 200px 1fr;
  98.   gap: 20px;
  99.   padding: 20px;
  100. }
  101. .categories-sidebar {
  102.   background: #f5f5f5;
  103.   padding: 15px;
  104.   border-radius: 8px;
  105. }
  106. .categories-sidebar ul {
  107.   list-style: none;
  108.   padding: 0;
  109.   margin: 0;
  110. }
  111. .categories-sidebar li {
  112.   padding: 10px;
  113.   cursor: pointer;
  114.   border-radius: 4px;
  115.   margin-bottom: 5px;
  116.   transition: all 0.2s;
  117. }
  118. .categories-sidebar li:hover {
  119.   background: #eee;
  120. }
  121. .categories-sidebar li.active {
  122.   background: #007bff;
  123.   color: white;
  124. }
  125. .merchant-list {
  126.   display: grid;
  127.   gap: 15px;
  128. }
  129. .merchant-card {
  130.   padding: 20px;
  131.   border: 1px solid #ddd;
  132.   border-radius: 8px;
  133. }
  134. .merchant-header {
  135.   display: flex;
  136.   justify-content: space-between;
  137.   align-items: center;
  138.   margin-bottom: 10px;
  139. }
  140. .rating {
  141.   color: #ffd700;
  142.   font-weight: bold;
  143. }
  144. .meta span {
  145.   margin-right: 15px;
  146.   color: #666;
  147. }
  148. .tags span {
  149.   display: inline-block;
  150.   background: #f0f0f0;
  151.   padding: 4px 8px;
  152.   border-radius: 4px;
  153.   margin: 5px 5px 0 0;
  154.   font-size: 0.9em;
  155. }
  156. .loading {
  157.   text-align: center;
  158.   padding: 20px;
  159.   color: #666;
  160. }
复制代码
step4:商家详情 C:\Users\wangrusheng\WebstormProjects\untitled4\src\app\merchants-detail\merchants-detail.component.css
  1. // merchants-detail.component.ts
  2. import { Component, OnInit } from '@angular/core';
  3. import {ActivatedRoute, RouterLink} from '@angular/router';
  4. import { MerchantService } from '../services/merchant.service';
  5. import { DatePipe, NgFor, NgIf } from '@angular/common';
  6. @Component({
  7.   selector: 'app-merchants-detail',
  8.   standalone: true,
  9.   imports: [NgIf, NgFor, DatePipe, RouterLink],
  10.   templateUrl: './merchants-detail.component.html',
  11.   styleUrls: ['./merchants-detail.component.css']
  12. })
  13. export class MerchantsDetailComponent implements OnInit {
  14.   merchantDetail: any;
  15.   isLoading = true;
  16.   errorMessage = '';
  17.   constructor(
  18.     private route: ActivatedRoute,
  19.     private merchantService: MerchantService
  20.   ) { }
  21.   ngOnInit() {
  22.     const id = this.route.snapshot.paramMap.get('id');
  23.     if (id) {
  24.       this.loadMerchantDetail(+id);
  25.     } else {
  26.       this.errorMessage = '无效的商家ID';
  27.       this.isLoading = false;
  28.     }
  29.   }
  30.   loadMerchantDetail(id: number) {
  31.     this.merchantService.getMerchantDetail(id).subscribe({
  32.       next: (res) => {
  33.         this.merchantDetail = {
  34.           ...res,
  35.           categories: res.categories.map((cat: any) => ({
  36.             ...cat,
  37.             dishes: JSON.parse(cat.dishes)
  38.           }))
  39.         };
  40.         this.isLoading = false;
  41.       },
  42.       error: (err) => {
  43.         this.errorMessage = '加载商家详情失败,请稍后重试';
  44.         this.isLoading = false;
  45.       }
  46.     });
  47.   }
  48.   getRatingStars(rating: number): string {
  49.     return '★'.repeat(Math.round(rating));
  50.   }
  51. }
  52. <!-- merchants-detail.component.html -->
  53. <div class="merchant-container">
  54.   <!-- 加载状态 -->
  55.   <div *ngIf="isLoading" class="loading">加载中...</div>
  56.   <!-- 错误提示 -->
  57.   <div *ngIf="errorMessage" class="error">{{ errorMessage }}</div>
  58.   <!-- 商家详情内容 -->
  59.   <div *ngIf="merchantDetail" class="merchant-content">
  60.     <!-- 商家基本信息 -->
  61.     <section class="merchant-info">
  62.       <h1>{{ merchantDetail.merchant.name }}</h1>
  63.       <div class="stats">
  64.         <span class="rating">
  65.           {{ getRatingStars(merchantDetail.merchant.rating) }}
  66.           <em>({{ merchantDetail.merchant.rating }})</em>
  67.         </span>
  68.         <span>月售 {{ merchantDetail.merchant.monthly_sales }}</span>
  69.         <span>人均 ¥{{ merchantDetail.merchant.avg_price }}</span>
  70.       </div>
  71.       <div class="details">
  72.         <div class="detail-item">
  73.           <label>起送价:</label>
  74.           <span>¥{{ merchantDetail.merchant.min_order_price }}</span>
  75.         </div>
  76.         <div class="detail-item">
  77.           <label>配送费:</label>
  78.           <span>¥{{ merchantDetail.merchant.delivery_fee }}</span>
  79.         </div>
  80.         <div class="detail-item">
  81.           <label>营业时间:</label>
  82.           <span>{{ merchantDetail.merchant.business_hours }}</span>
  83.         </div>
  84.         <div class="detail-item">
  85.           <label>联系电话:</label>
  86.           <a href="tel:{{ merchantDetail.merchant.contact_phone }}">
  87.             {{ merchantDetail.merchant.contact_phone }}
  88.           </a>
  89.         </div>
  90.         <div class="detail-item">
  91.           <label>地址:</label>
  92.           <address>{{ merchantDetail.merchant.location }}</address>
  93.         </div>
  94.       </div>
  95.       <div class="tags">
  96.         <span *ngFor="let tag of merchantDetail.merchant.tags.split(',')"
  97.               class="tag">
  98.           {{ tag }}
  99.         </span>
  100.       </div>
  101.     </section>
  102.     <!-- 菜品分类 -->
  103.     <!-- merchants-detail.component.html -->
  104.     <section *ngFor="let category of merchantDetail.categories" class="menu-category">
  105.       <h2>{{ category.name }}</h2>
  106.       <div class="dishes">
  107.         <div *ngFor="let dish of category.dishes" class="dish-card">
  108.           <!-- 其他菜品信息 -->
  109.           <div class="dish-info">
  110.             <h3>{{ dish.name }}</h3>
  111.             <div class="dish-meta">
  112.               <span class="price">¥{{ dish.price }}</span>
  113.               <span class="sales">月售 {{ dish.sales }}</span>
  114.               <span class="dish-rating">
  115.                 {{ getRatingStars(dish.rating) }}
  116.               </span>
  117.             </div>
  118.             <div class="dish-tags">
  119.               <span *ngFor="let tag of dish.tags.split(',')"
  120.                     class="tag">
  121.                 {{ tag }}
  122.               </span>
  123.             </div>
  124.           <button class="book-button"
  125.                   [routerLink]="['/merchants-order']"
  126.                   [state]="{
  127.                 orderData: {
  128.                   dish: dish,
  129.                   merchant: merchantDetail.merchant
  130.                 }
  131.               }">
  132.             立即购买
  133.           </button>
  134.         </div>
  135.       </div>
  136.       </div>
  137.     </section>
  138.     <!-- 用户评价 -->
  139.     <section class="reviews">
  140.       <h2>用户评价 ({{ merchantDetail.reviews.length }})</h2>
  141.       <div *ngFor="let review of merchantDetail.reviews" class="review-card">
  142.         <div class="review-header">
  143.           <span class="rating">{{ getRatingStars(review.rating) }}</span>
  144.           <span class="dish">{{ review.dish_name }}</span>
  145.           <time [title]="review.review_time | date:'long'">
  146.             {{ review.review_time | date:'yyyy-MM-dd HH:mm' }}
  147.           </time>
  148.         </div>
  149.         <p class="content">{{ review.content }}</p>
  150.       </div>
  151.     </section>
  152.   </div>
  153. </div>
  154. /* merchants-detail.component.css */
  155. .merchant-container {
  156.   max-width: 1200px;
  157.   margin: 20px auto;
  158.   padding: 20px;
  159. }
  160. .loading, .error {
  161.   text-align: center;
  162.   padding: 40px;
  163.   font-size: 1.2rem;
  164. }
  165. .error {
  166.   color: #dc3545;
  167. }
  168. .merchant-content {
  169.   background: #fff;
  170.   border-radius: 8px;
  171.   box-shadow: 0 2px 8px rgba(0,0,0,0.1);
  172.   padding: 24px;
  173. }
  174. .merchant-info h1 {
  175.   color: #333;
  176.   margin-bottom: 16px;
  177. }
  178. .stats {
  179.   display: flex;
  180.   gap: 20px;
  181.   margin-bottom: 24px;
  182.   color: #666;
  183. }
  184. .rating {
  185.   color: #ffd700;
  186.   font-size: 1.2em;
  187. }
  188. .rating em {
  189.   color: #666;
  190.   font-style: normal;
  191.   font-size: 0.9em;
  192.   margin-left: 8px;
  193. }
  194. .details {
  195.   display: grid;
  196.   grid-template-columns: repeat(auto-fill, minmax(250px, 1fr));
  197.   gap: 16px;
  198.   margin-bottom: 24px;
  199. }
  200. .detail-item {
  201.   display: flex;
  202.   justify-content: space-between;
  203.   padding: 8px 0;
  204.   border-bottom: 1px solid #eee;
  205. }
  206. .detail-item label {
  207.   color: #999;
  208. }
  209. .tags {
  210.   display: flex;
  211.   gap: 8px;
  212.   flex-wrap: wrap;
  213. }
  214. .tag {
  215.   background: #f0f0f0;
  216.   padding: 4px 12px;
  217.   border-radius: 12px;
  218.   font-size: 0.9em;
  219.   color: #666;
  220. }
  221. /* 菜品分类样式 */
  222. .menu-category {
  223.   margin: 32px 0;
  224.   border-top: 2px solid #eee;
  225.   padding-top: 24px;
  226. }
  227. .menu-category h2 {
  228.   color: #444;
  229.   margin-bottom: 16px;
  230. }
  231. .dishes {
  232.   display: grid;
  233.   grid-template-columns: repeat(auto-fill, minmax(300px, 1fr));
  234.   gap: 20px;
  235. }
  236. .dish-card {
  237.   border: 1px solid #eee;
  238.   border-radius: 8px;
  239.   padding: 16px;
  240.   transition: transform 0.2s;
  241. }
  242. .dish-card:hover {
  243.   transform: translateY(-2px);
  244. }
  245. .dish-meta {
  246.   display: flex;
  247.   gap: 12px;
  248.   margin: 8px 0;
  249.   color: #666;
  250. }
  251. .price {
  252.   color: #e4393c;
  253.   font-weight: bold;
  254. }
  255. .dish-rating {
  256.   color: #ffd700;
  257. }
  258. /* 评价样式 */
  259. .reviews {
  260.   margin-top: 40px;
  261. }
  262. .review-card {
  263.   padding: 16px;
  264.   border: 1px solid #eee;
  265.   border-radius: 8px;
  266.   margin-bottom: 16px;
  267. }
  268. .review-header {
  269.   display: flex;
  270.   gap: 12px;
  271.   align-items: center;
  272.   margin-bottom: 8px;
  273.   color: #666;
  274. }
  275. .review-header time {
  276.   font-size: 0.9em;
  277.   color: #999;
  278. }
  279. .content {
  280.   color: #333;
  281.   line-height: 1.6;
  282. }
复制代码
step5:立即购买C:\Users\wangrusheng\WebstormProjects\untitled4\src\app\merchants-order\merchants-order.component.css
  1. // merchants-order.component.ts
  2. import { Component, OnInit } from '@angular/core';
  3. import { Router, ActivatedRoute } from '@angular/router';
  4. import {FormBuilder, FormGroup, ReactiveFormsModule, Validators} from '@angular/forms';
  5. import {Location, NgIf} from '@angular/common';
  6. import { MerchantService } from '../services/merchant.service';
  7. // 类型定义
  8. interface Dish {
  9.   id: number;
  10.   name: string;
  11.   price: number;
  12.   // 其他字段根据实际API响应添加
  13. }
  14. interface Merchant {
  15.   id: number;
  16.   name: string;
  17.   delivery_fee: number;
  18.   location: string;
  19.   // 其他字段根据实际API响应添加
  20. }
  21. interface OrderState {
  22.   orderData: {
  23.     dish: Dish;
  24.     merchant: Merchant;
  25.   };
  26. }
  27. @Component({
  28.   selector: 'app-merchants-order',
  29.   templateUrl: './merchants-order.component.html',
  30.   imports: [
  31.     ReactiveFormsModule,
  32.     NgIf
  33.   ],
  34.   styleUrls: ['./merchants-order.component.css']
  35. })
  36. export class MerchantsOrderComponent implements OnInit {
  37.   orderForm: FormGroup;
  38.   selectedDish?: Dish;
  39.   merchant?: Merchant;
  40.   loading = false;
  41.   constructor(
  42.     private fb: FormBuilder,
  43.     private location: Location,
  44.     private router: Router,
  45.     private route: ActivatedRoute,
  46.     private merchantService: MerchantService
  47.   ) {
  48.     this.orderForm = this.fb.group({
  49.       customer_name: ['', [Validators.required, Validators.minLength(2)]],
  50.       customer_phone: ['', [Validators.required, Validators.pattern(/^1[3-9]\d{9}$/)]],
  51.       delivery_address: ['', [Validators.required, Validators.minLength(5)]],
  52.       payment_method: ['alipay', Validators.required],
  53.       note: [''],
  54.       quantity: [1, [Validators.required, Validators.min(1), Validators.max(10)]]
  55.     });
  56.   }
  57.   ngOnInit(): void {
  58.     this.handleRouteState();
  59.     this.setupFormListeners();
  60.   }
  61.   private handleRouteState(): void {
  62.     const state = this.location.getState() as OrderState;
  63.     console.log('路由状态:', state);
  64.     if (state?.orderData?.dish && state?.orderData?.merchant) {
  65.       this.selectedDish = state.orderData.dish;
  66.       this.merchant = state.orderData.merchant;
  67.       this.initFormWithFallbackData();
  68.     } else {
  69.       console.warn('无效的路由状态,尝试通过参数加载');
  70.       this.loadFromQueryParams();
  71.     }
  72.   }
  73.   private loadFromQueryParams(): void {
  74.     this.route.queryParams.subscribe(params => {
  75.       if (params['merchantId'] && params['dishId']) {
  76.         this.merchantService.getMerchantDetail(params['merchantId']).subscribe({
  77.           next: merchant => {
  78.             this.merchant = merchant;
  79.             this.selectedDish = this.findDishInCategories(merchant.categories, params['dishId']);
  80.             if (!this.selectedDish) {
  81.               this.redirectToMerchantList();
  82.             }
  83.           },
  84.           error: () => this.redirectToMerchantList()
  85.         });
  86.       } else {
  87.         this.redirectToMerchantList();
  88.       }
  89.     });
  90.   }
  91.   private findDishInCategories(categories: any[], dishId: string): Dish | undefined {
  92.     for (const category of categories) {
  93.       const dishes = JSON.parse(category.dishes);
  94.       const found = dishes.find((d: any) => d.id === +dishId);
  95.       if (found) return found;
  96.     }
  97.     return undefined;
  98.   }
  99.   private initFormWithFallbackData(): void {
  100.     this.orderForm.patchValue({
  101.       delivery_address: this.merchant?.location || ''
  102.     });
  103.   }
  104.   private setupFormListeners(): void {
  105.     this.orderForm.get('quantity')?.valueChanges.subscribe(value => {
  106.       if (value > 10) {
  107.         this.orderForm.get('quantity')?.setValue(10);
  108.       }
  109.     });
  110.   }
  111.   get totalAmount(): string {
  112.     if (!this.selectedDish || !this.merchant) return '0.00';
  113.     const quantity = this.orderForm.get('quantity')?.value || 1;
  114.     return (this.selectedDish.price * quantity + this.merchant.delivery_fee).toFixed(2);
  115.   }
  116.   onSubmit(): void {
  117.     if (this.orderForm.invalid || !this.selectedDish || !this.merchant) return;
  118.     const orderData = {
  119.       ...this.orderForm.value,
  120.       merchant_id: this.merchant.id,
  121.       items: [{
  122.         dish_id: this.selectedDish.id,
  123.         quantity: this.orderForm.value.quantity,
  124.         price: this.selectedDish.price
  125.       }]
  126.     };
  127.     this.loading = true;
  128.     this.merchantService.createOrder(orderData).subscribe({
  129.       next: (res) => {
  130.         this.router.navigate(['/merchants-order-detail', res.order_id]);
  131.         this.loading = false;
  132.       },
  133.       error: (err) => {
  134.         console.error('订单提交失败:', err);
  135.         alert(`提交失败: ${err.error?.detail || '服务器错误'}`);
  136.         this.loading = false;
  137.       }
  138.     });
  139.   }
  140.   private redirectToMerchantList(): void {
  141.     this.router.navigate(['/merchants'], {
  142.       queryParamsHandling: 'preserve'
  143.     });
  144.   }
  145. }
  146. <!-- merchants-order.component.html -->
  147. <div class="order-container">
  148.   <h2>确认订单</h2>
  149.   <form *ngIf="merchant && selectedDish" [formGroup]="orderForm" (ngSubmit)="onSubmit()">
  150.     <!-- 商家信息 -->
  151.     <div class="merchant-info">
  152.       <h3>{{ merchant.name }}</h3>
  153.       <p>{{ merchant.location }}</p>
  154.     </div>
  155.     <!-- 商品信息 -->
  156.     <div class="dish-info">
  157.       <h4>{{ selectedDish.name }}</h4>
  158.       <div class="price-quantity">
  159.         <span class="price">¥{{ selectedDish.price }}</span>
  160.         <div class="quantity-control">
  161.           <label>数量:</label>
  162.           <input type="number" formControlName="quantity" min="1">
  163.         </div>
  164.       </div>
  165.     </div>
  166.     <!-- 订单表单 -->
  167.     <div class="form-section">
  168.       <div class="form-group">
  169.         <label>收货人姓名</label>
  170.         <input type="text" formControlName="customer_name">
  171.         <div *ngIf="orderForm.get('customer_name')?.errors?.['required']" class="error">
  172.           姓名不能为空
  173.         </div>
  174.       </div>
  175.       <div class="form-group">
  176.         <label>联系电话</label>
  177.         <input type="tel" formControlName="customer_phone">
  178.         <div *ngIf="orderForm.get('customer_phone')?.errors?.['required']" class="error">
  179.           电话不能为空
  180.         </div>
  181.         <div *ngIf="orderForm.get('customer_phone')?.errors?.['pattern']" class="error">
  182.           请输入有效的手机号
  183.         </div>
  184.       </div>
  185.       <div class="form-group">
  186.         <label>配送地址</label>
  187.         <textarea formControlName="delivery_address"></textarea>
  188.         <div *ngIf="orderForm.get('delivery_address')?.errors?.['required']" class="error">
  189.           地址不能为空
  190.         </div>
  191.       </div>
  192.       <div class="form-group">
  193.         <label>支付方式</label>
  194.         <select formControlName="payment_method">
  195.           <option value="alipay">支付宝</option>
  196.           <option value="wechat">微信支付</option>
  197.           <option value="cash">货到付款</option>
  198.         </select>
  199.       </div>
  200.       <div class="form-group">
  201.         <label>备注</label>
  202.         <textarea formControlName="note"></textarea>
  203.       </div>
  204.     </div>
  205.     <!-- 费用汇总 -->
  206.     <div class="price-summary">
  207.       <div class="summary-item">
  208.         <span>商品总额:</span>
  209. <!--        <span>¥{{ (selectedDish.price * orderForm.value.quantity).toFixed(2) }}</span>-->
  210.       </div>
  211.       <div class="summary-item">
  212.         <span>配送费:</span>
  213.         <span>¥{{ merchant.delivery_fee }}</span>
  214.       </div>
  215.       <div class="summary-item total">
  216.         <span>总计:</span>
  217.         <span>¥{{ totalAmount }}</span>
  218.       </div>
  219.     </div>
  220.     <button type="submit" [disabled]="orderForm.invalid || loading" class="submit-btn">
  221.       {{ loading ? '提交中...' : '提交订单' }}
  222.     </button>
  223.   </form>
  224. </div>
  225. .order-container {
  226.   max-width: 600px;
  227.   margin: 20px auto;
  228.   padding: 20px;
  229.   background: #fff;
  230.   border-radius: 8px;
  231.   box-shadow: 0 2px 8px rgba(0,0,0,0.1);
  232. }
  233. .merchant-info {
  234.   margin-bottom: 20px;
  235.   padding-bottom: 15px;
  236.   border-bottom: 1px solid #eee;
  237. }
  238. .dish-info {
  239.   margin-bottom: 20px;
  240. }
  241. .form-group {
  242.   margin-bottom: 15px;
  243. }
  244. .form-group label {
  245.   display: block;
  246.   margin-bottom: 5px;
  247.   font-weight: bold;
  248. }
  249. .form-group input,
  250. .form-group textarea,
  251. .form-group select {
  252.   width: 100%;
  253.   padding: 8px;
  254.   border: 1px solid #ddd;
  255.   border-radius: 4px;
  256. }
  257. .error {
  258.   color: #dc3545;
  259.   font-size: 0.9em;
  260.   margin-top: 5px;
  261. }
  262. .price-summary {
  263.   margin-top: 20px;
  264.   padding: 15px;
  265.   background: #f8f9fa;
  266.   border-radius: 4px;
  267. }
  268. .summary-item {
  269.   display: flex;
  270.   justify-content: space-between;
  271.   margin-bottom: 10px;
  272. }
  273. .total {
  274.   font-weight: bold;
  275.   font-size: 1.1em;
  276. }
  277. .submit-btn {
  278.   width: 100%;
  279.   padding: 12px;
  280.   background: #007bff;
  281.   color: white;
  282.   border: none;
  283.   border-radius: 4px;
  284.   cursor: pointer;
  285.   margin-top: 20px;
  286. }
  287. .submit-btn:disabled {
  288.   background: #6c757d;
  289.   cursor: not-allowed;
  290. }
复制代码
step6:订单详情C:\Users\wangrusheng\WebstormProjects\untitled4\src\app\merchants-order-detail\merchants-order-detail.component.css
  1. // merchants-order-detail.component.ts
  2. import { Component, OnInit } from '@angular/core';
  3. import { ActivatedRoute, Router } from '@angular/router';
  4. import { MerchantService } from '../services/merchant.service';
  5. import { DatePipe, CurrencyPipe, NgIf, NgFor } from '@angular/common';
  6. interface OrderItem {
  7.   id: number;
  8.   dish_name: string;
  9.   quantity: number;
  10.   price: number;
  11. }
  12. interface OrderDetail {
  13.   id: number;
  14.   customer_name: string;
  15.   customer_phone: string;
  16.   delivery_address: string;
  17.   total_amount: number;
  18.   delivery_fee: number;
  19.   packing_fee: number;
  20.   status: string;
  21.   order_time: string;
  22.   complete_time: string | null;
  23.   rider_name: string | null;
  24.   rider_phone: string | null;
  25.   payment_method: string;
  26.   note: string | null;
  27.   merchant_name: string;
  28. }
  29. @Component({
  30.   selector: 'app-merchants-order-detail',
  31.   standalone: true,
  32.   imports: [NgIf, NgFor, DatePipe, CurrencyPipe],
  33.   templateUrl: './merchants-order-detail.component.html',
  34.   styleUrls: ['./merchants-order-detail.component.css']
  35. })
  36. export class MerchantsOrderDetailComponent implements OnInit {
  37.   orderId!: number;
  38.   orderId2!: number;
  39.   order!: OrderDetail;
  40.   items: OrderItem[] = [];
  41.   isLoading = true;
  42.   errorMessage = '';
  43.   constructor(
  44.     private route: ActivatedRoute,
  45.     private router: Router,
  46.     private merchantService: MerchantService
  47.   ) {}
  48.   ngOnInit(): void {
  49.     this.route.params.subscribe(params => {
  50.       this.orderId = +params['order_id'];
  51.       this.orderId2 = params['order_id'];
  52.       console.log('从路由获取的order_id:', this.orderId+"==="+this.orderId2);
  53.       this.loadOrderDetail();
  54.     });
  55.   }
  56.   loadOrderDetail(): void {
  57.     this.isLoading = true;
  58.     this.merchantService.getOrderDetail(this.orderId).subscribe({
  59.       next: (res) => {
  60.         this.order = res.order;
  61.         this.items = res.items;
  62.         this.isLoading = false;
  63.       },
  64.       error: (err) => {
  65.         console.error('加载失败:', err);
  66.         this.errorMessage = '无法加载订单详情,请稍后重试';
  67.         this.isLoading = false;
  68.       }
  69.     });
  70.   }
  71.   getStatusClass(): string {
  72.     switch(this.order.status) {
  73.       case '已完成': return 'status-completed';
  74.       case '待接单': return 'status-pending';
  75.       case '配送中': return 'status-delivering';
  76.       default: return 'status-default';
  77.     }
  78.   }
  79. }
  80. <!-- merchants-order-detail.component.html -->
  81. <div class="order-detail-container">
  82.   <!-- 加载状态 -->
  83.   <div *ngIf="isLoading" class="loading">加载中...</div>
  84.   <!-- 错误提示 -->
  85.   <div *ngIf="errorMessage" class="error">{{ errorMessage }}</div>
  86.   <!-- 订单详情 -->
  87.   <div *ngIf="order" class="order-content">
  88.     <!-- 订单头信息 -->
  89.     <div class="order-header">
  90.       <h2>订单号:{{ order.id }}</h2>
  91.       <span [class]="getStatusClass()">{{ order.status }}</span>
  92.     </div>
  93.     <!-- 基本信息 -->
  94.     <div class="section">
  95.       <h3>订单信息</h3>
  96.       <div class="info-grid">
  97.         <div class="info-item">
  98.           <label>下单时间:</label>
  99.           <span>{{ order.order_time | date:'yyyy-MM-dd HH:mm' }}</span>
  100.         </div>
  101.         <div class="info-item">
  102.           <label>商家名称:</label>
  103.           <span>{{ order.merchant_name }}</span>
  104.         </div>
  105.         <div class="info-item">
  106.           <label>支付方式:</label>
  107.           <span>{{ order.payment_method }}</span>
  108.         </div>
  109.       </div>
  110.     </div>
  111.     <!-- 商品清单 -->
  112.     <div class="section">
  113.       <h3>商品清单</h3>
  114.       <table class="item-table">
  115.         <thead>
  116.         <tr>
  117.           <th>商品名称</th>
  118.           <th>单价</th>
  119.           <th>数量</th>
  120.           <th>小计</th>
  121.         </tr>
  122.         </thead>
  123.         <tbody>
  124.         <tr *ngFor="let item of items">
  125.           <td>{{ item.dish_name }}</td>
  126.           <td>{{ item.price | currency:'CNY':'symbol':'1.2-2' }}</td>
  127.           <td>{{ item.quantity }}</td>
  128.           <td>{{ item.price * item.quantity | currency:'CNY':'symbol':'1.2-2' }}</td>
  129.         </tr>
  130.         </tbody>
  131.       </table>
  132.     </div>
  133.     <!-- 费用明细 -->
  134.     <div class="section">
  135.       <h3>费用明细</h3>
  136.       <div class="fee-details">
  137.         <div class="fee-item">
  138.           <span>商品总额:</span>
  139.           <span>{{ order.total_amount - order.delivery_fee - order.packing_fee | currency:'CNY':'symbol':'1.2-2' }}</span>
  140.         </div>
  141.         <div class="fee-item">
  142.           <span>配送费:</span>
  143.           <span>{{ order.delivery_fee | currency:'CNY':'symbol':'1.2-2' }}</span>
  144.         </div>
  145.         <div class="fee-item">
  146.           <span>包装费:</span>
  147.           <span>{{ order.packing_fee | currency:'CNY':'symbol':'1.2-2' }}</span>
  148.         </div>
  149.         <div class="fee-item total">
  150.           <span>实付金额:</span>
  151.           <span>{{ order.total_amount | currency:'CNY':'symbol':'1.2-2' }}</span>
  152.         </div>
  153.       </div>
  154.     </div>
  155.     <!-- 配送信息 -->
  156.     <div class="section">
  157.       <h3>配送信息</h3>
  158.       <div class="delivery-info">
  159.         <p>收货人:{{ order.customer_name }}</p>
  160.         <p>联系电话:{{ order.customer_phone }}</p>
  161.         <p>配送地址:{{ order.delivery_address }}</p>
  162.         <div *ngIf="order.rider_name" class="rider-info">
  163.           <p>骑手:{{ order.rider_name }}</p>
  164.           <p>骑手电话:{{ order.rider_phone }}</p>
  165.         </div>
  166.       </div>
  167.     </div>
  168.     <!-- 备注信息 -->
  169.     <div *ngIf="order.note" class="section">
  170.       <h3>订单备注</h3>
  171.       <p class="note">{{ order.note }}</p>
  172.     </div>
  173.   </div>
  174. </div>
  175. /* merchants-order-detail.component.css */
  176. .order-detail-container {
  177.   max-width: 1200px;
  178.   margin: 20px auto;
  179.   padding: 20px;
  180.   background: #fff;
  181.   border-radius: 8px;
  182.   box-shadow: 0 2px 8px rgba(0,0,0,0.1);
  183. }
  184. .loading, .error {
  185.   text-align: center;
  186.   padding: 40px;
  187.   font-size: 1.2rem;
  188. }
  189. .error {
  190.   color: #dc3545;
  191. }
  192. .order-header {
  193.   display: flex;
  194.   justify-content: space-between;
  195.   align-items: center;
  196.   margin-bottom: 20px;
  197.   padding-bottom: 15px;
  198.   border-bottom: 1px solid #eee;
  199. }
  200. .section {
  201.   margin-bottom: 30px;
  202.   padding: 15px;
  203.   background: #f8f9fa;
  204.   border-radius: 6px;
  205. }
  206. .info-grid {
  207.   display: grid;
  208.   grid-template-columns: repeat(auto-fill, minmax(250px, 1fr));
  209.   gap: 15px;
  210. }
  211. .item-table {
  212.   width: 100%;
  213.   border-collapse: collapse;
  214.   margin-top: 10px;
  215. }
  216. .item-table th,
  217. .item-table td {
  218.   padding: 12px;
  219.   text-align: left;
  220.   border-bottom: 1px solid #eee;
  221. }
  222. .item-table th {
  223.   background: #f8f9fa;
  224. }
  225. .fee-details {
  226.   max-width: 400px;
  227. }
  228. .fee-item {
  229.   display: flex;
  230.   justify-content: space-between;
  231.   margin-bottom: 10px;
  232. }
  233. .fee-item.total {
  234.   font-weight: bold;
  235.   border-top: 1px solid #eee;
  236.   padding-top: 10px;
  237.   font-size: 1.1em;
  238. }
  239. .note {
  240.   color: #666;
  241.   line-height: 1.6;
  242. }
  243. /* 状态标签样式 */
  244. .status-completed { color: #28a745; }
  245. .status-pending { color: #ffc107; }
  246. .status-delivering { color: #17a2b8; }
  247. .status-default { color: #6c757d; }
复制代码
end

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

用户云卷云舒

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表