Browse Source

fleat: status

igb 2 weeks ago
parent
commit
7e13db9847
3 changed files with 848 additions and 0 deletions
  1. 71 0
      products_stats.php
  2. 759 0
      statistics_products.php
  3. 18 0
      statistics_utils.php

+ 71 - 0
products_stats.php

@@ -60,12 +60,37 @@ include('statistics_header.php');
                     <option value="month" <?php echo $period == 'month' ? 'selected' : ''; ?>>月</option>
                 </select>
             </div>
+            <div class="form-group">
+                <label for="category_id">产品分类</label>
+                <select class="form-control" id="category_id" name="category_id">
+                    <option value="0">全部分类</option>
+                    <?php
+                    $category_filter = isset($_GET['category_id']) ? intval($_GET['category_id']) : 0;
+                    $categories = getProductCategories($conn);
+                    while($category = $categories->fetch_assoc()) {
+                        $selected = ($category_filter == $category['id']) ? 'selected' : '';
+                        echo "<option value='{$category['id']}' {$selected}>{$category['name']}</option>";
+                    }
+                    ?>
+                </select>
+            </div>
             <div class="form-group">
                 <button type="submit" class="btn">应用筛选</button>
             </div>
         </form>
     </div>
     
+    <!-- 产品销售概览 -->
+    <div class="key-metrics-section">
+        <div class="section-title">
+            <h2>产品销售概览</h2>
+        </div>
+        <?php
+        $sales_overview = getProductSalesOverview($conn, $start_date, $end_date, $category_filter);
+        renderProductSalesOverview($sales_overview);
+        ?>
+    </div>
+    
     <!-- 热门产品 -->
     <div class="chart-container">
         <?php
@@ -110,6 +135,30 @@ include('statistics_header.php');
         ?>
     </div>
     
+    <!-- 产品价格趋势分析 -->
+    <div class="chart-container">
+        <?php
+        $price_trend_data = getProductPriceTrendAnalysis($conn, $start_date, $end_date, $product_id, $period);
+        renderProductPriceTrendChart($price_trend_data);
+        ?>
+    </div>
+    
+    <!-- 产品季节性分析 -->
+    <div class="chart-container">
+        <?php
+        $seasonality_data = getProductSeasonalityAnalysis($conn, $start_date, $end_date, $product_id);
+        renderProductSeasonalityChart($seasonality_data);
+        ?>
+    </div>
+    
+    <!-- 产品客户细分分析 -->
+    <div class="chart-container">
+        <?php
+        $customer_segment_data = getProductCustomerSegmentAnalysis($conn, $start_date, $end_date, $product_id);
+        renderProductCustomerSegmentChart($customer_segment_data);
+        ?>
+    </div>
+    
     <!-- 产品地区关联分析 -->
     <div class="chart-container">
         <?php
@@ -117,6 +166,22 @@ include('statistics_header.php');
         renderProductRegionAnalysisTable($product_region_data);
         ?>
     </div>
+    
+    <!-- 产品增长率分析 -->
+    <div class="chart-container">
+        <?php
+        $growth_data = getProductGrowthAnalysis($conn, $start_date, $end_date, $period);
+        renderProductGrowthAnalysis($growth_data);
+        ?>
+    </div>
+    
+    <!-- 产品购买频率分析 -->
+    <div class="chart-container">
+        <?php
+        $frequency_data = getProductPurchaseFrequency($conn, $start_date, $end_date);
+        renderProductPurchaseFrequency($frequency_data);
+        ?>
+    </div>
 </div>
 
 <script>
@@ -130,6 +195,12 @@ function toggleCustomDates() {
         customDateInputs.forEach(el => el.style.display = 'none');
     }
 }
+
+// 初始化所有图表的配置
+Chart.defaults.font.family = "'Arial', sans-serif";
+Chart.defaults.color = '#666';
+Chart.defaults.plugins.tooltip.backgroundColor = 'rgba(0, 0, 0, 0.8)';
+Chart.defaults.plugins.legend.position = 'bottom';
 </script>
 
 <?php

+ 759 - 0
statistics_products.php

@@ -141,6 +141,155 @@ function getProductRegionAnalysis($conn, $start_date, $end_date, $limit = 10) {
     return $stmt->get_result();
 }
 
+/**
+ * 获取产品销售概览数据
+ */
+function getProductSalesOverview($conn, $start_date, $end_date, $category_filter = 0) {
+    $where_clause = "WHERE o.order_date BETWEEN ? AND ?";
+    $params = [$start_date, $end_date];
+    
+    if ($category_filter > 0) {
+        $where_clause .= " AND p.category_id = ?";
+        $params[] = $category_filter;
+    }
+    
+    $sql = "SELECT 
+                COUNT(DISTINCT oi.product_id) as total_products,
+                SUM(oi.quantity) as total_quantity,
+                SUM(oi.total_price) as total_revenue,
+                AVG(oi.unit_price) as avg_unit_price,
+                COUNT(DISTINCT o.id) as total_orders,
+                SUM(oi.total_price) / COUNT(DISTINCT o.id) as avg_order_value,
+                COUNT(DISTINCT o.customer_id) as total_customers
+            FROM order_items oi
+            JOIN orders o ON oi.order_id = o.id
+            JOIN products p ON oi.product_id = p.id
+            $where_clause";
+    
+    $stmt = $conn->prepare($sql);
+    $stmt->bind_param(str_repeat('s', count($params)), ...$params);
+    $stmt->execute();
+    return $stmt->get_result()->fetch_assoc();
+}
+
+/**
+ * 获取产品价格趋势分析
+ */
+function getProductPriceTrendAnalysis($conn, $start_date, $end_date, $product_id = 0, $period = 'month') {
+    $groupFormat = getPeriodFormat($period);
+    
+    $sql = "SELECT 
+                DATE_FORMAT(o.order_date, '$groupFormat') as time_period,
+                AVG(oi.unit_price) as avg_price,
+                MIN(oi.unit_price) as min_price,
+                MAX(oi.unit_price) as max_price
+            FROM order_items oi
+            JOIN orders o ON oi.order_id = o.id";
+    
+    if ($product_id > 0) {
+        $sql .= " WHERE o.order_date BETWEEN ? AND ? AND oi.product_id = ?";
+    } else {
+        $sql .= " WHERE o.order_date BETWEEN ? AND ?";
+    }
+    
+    $sql .= " GROUP BY time_period ORDER BY MIN(o.order_date)";
+    
+    $stmt = $conn->prepare($sql);
+    if ($product_id > 0) {
+        $stmt->bind_param("ssi", $start_date, $end_date, $product_id);
+    } else {
+        $stmt->bind_param("ss", $start_date, $end_date);
+    }
+    $stmt->execute();
+    return $stmt->get_result();
+}
+
+/**
+ * 获取产品季节性分析
+ */
+function getProductSeasonalityAnalysis($conn, $start_date, $end_date, $product_id = 0) {
+    $sql = "SELECT 
+                MONTH(o.order_date) as month,
+                SUM(oi.quantity) as total_quantity,
+                SUM(oi.total_price) as total_revenue,
+                COUNT(DISTINCT o.id) as order_count
+            FROM order_items oi
+            JOIN orders o ON oi.order_id = o.id";
+    
+    if ($product_id > 0) {
+        $sql .= " WHERE oi.product_id = ? AND o.order_date BETWEEN ? AND ?";
+    } else {
+        $sql .= " WHERE o.order_date BETWEEN ? AND ?";
+    }
+    
+    $sql .= " GROUP BY MONTH(o.order_date)
+              ORDER BY MONTH(o.order_date)";
+    
+    $stmt = $conn->prepare($sql);
+    if ($product_id > 0) {
+        $stmt->bind_param("iss", $product_id, $start_date, $end_date);
+    } else {
+        $stmt->bind_param("ss", $start_date, $end_date);
+    }
+    $stmt->execute();
+    return $stmt->get_result();
+}
+
+/**
+ * 获取产品客户细分分析
+ */
+function getProductCustomerSegmentAnalysis($conn, $start_date, $end_date, $product_id = 0) {
+    $sql = "SELECT 
+                ct.businessType as segment_name,
+                COUNT(DISTINCT o.customer_id) as customer_count,
+                SUM(oi.quantity) as total_quantity,
+                SUM(oi.total_price) as total_revenue,
+                AVG(oi.unit_price) as avg_unit_price
+            FROM order_items oi
+            JOIN orders o ON oi.order_id = o.id
+            JOIN customer c ON o.customer_id = c.id
+            JOIN clienttype ct ON c.cs_type = ct.id";
+    
+    if ($product_id > 0) {
+        $sql .= " WHERE oi.product_id = ? AND o.order_date BETWEEN ? AND ?";
+    } else {
+        $sql .= " WHERE o.order_date BETWEEN ? AND ?";
+    }
+    
+    $sql .= " GROUP BY ct.id";
+    
+    $stmt = $conn->prepare($sql);
+    if ($product_id > 0) {
+        $stmt->bind_param("iss", $product_id, $start_date, $end_date);
+    } else {
+        $stmt->bind_param("ss", $start_date, $end_date);
+    }
+    $stmt->execute();
+    return $stmt->get_result();
+}
+
+/**
+ * 获取产品分类列表
+ * 
+ * @param mysqli $conn 数据库连接
+ * @return mysqli_result 产品分类数据结果集
+ */
+function getProductCategories($conn) {
+    $sql = "SELECT 
+                id,
+                parent_id,
+                name,
+                description,
+                sort_order
+            FROM product_categories 
+            WHERE status = 1
+            ORDER BY sort_order ASC, id ASC";
+    
+    $stmt = $conn->prepare($sql);
+    $stmt->execute();
+    return $stmt->get_result();
+}
+
 /**
  * 渲染热门产品表格
  * 
@@ -387,4 +536,614 @@ function renderProductRegionAnalysisTable($product_region_data) {
         </table>
     </div>
     <?php
+}
+
+/**
+ * 渲染产品销售概览
+ */
+function renderProductSalesOverview($overview) {
+    // 处理可能为null的值
+    $total_products = isset($overview['total_products']) ? $overview['total_products'] : 0;
+    $total_quantity = isset($overview['total_quantity']) ? $overview['total_quantity'] : 0;
+    $total_revenue = isset($overview['total_revenue']) ? $overview['total_revenue'] : 0;
+    $avg_unit_price = isset($overview['avg_unit_price']) ? $overview['avg_unit_price'] : 0;
+    $total_orders = isset($overview['total_orders']) ? $overview['total_orders'] : 0;
+    $avg_order_value = isset($overview['avg_order_value']) ? $overview['avg_order_value'] : 0;
+    ?>
+    <div class="stats-card-container">
+        <div class="stats-card">
+            <div class="stats-card-header">
+                <h3>总销售产品数</h3>
+            </div>
+            <div class="stats-card-body">
+                <div class="stats-card-value"><?php echo number_format($total_products); ?></div>
+                <div class="stats-card-subtitle">种类</div>
+            </div>
+        </div>
+        
+        <div class="stats-card">
+            <div class="stats-card-header">
+                <h3>总销售数量</h3>
+            </div>
+            <div class="stats-card-body">
+                <div class="stats-card-value"><?php echo number_format($total_quantity); ?></div>
+                <div class="stats-card-subtitle">件</div>
+            </div>
+        </div>
+        
+        <div class="stats-card">
+            <div class="stats-card-header">
+                <h3>总销售收入</h3>
+            </div>
+            <div class="stats-card-body">
+                <div class="stats-card-value">¥<?php echo number_format($total_revenue, 2); ?></div>
+                <div class="stats-card-subtitle">元</div>
+            </div>
+        </div>
+        
+        <div class="stats-card">
+            <div class="stats-card-header">
+                <h3>平均单价</h3>
+            </div>
+            <div class="stats-card-body">
+                <div class="stats-card-value">¥<?php echo number_format($avg_unit_price, 2); ?></div>
+                <div class="stats-card-subtitle">元/件</div>
+            </div>
+        </div>
+        
+        <div class="stats-card">
+            <div class="stats-card-header">
+                <h3>订单数量</h3>
+            </div>
+            <div class="stats-card-body">
+                <div class="stats-card-value"><?php echo number_format($total_orders); ?></div>
+                <div class="stats-card-subtitle">笔</div>
+            </div>
+        </div>
+        
+        <div class="stats-card">
+            <div class="stats-card-header">
+                <h3>平均订单金额</h3>
+            </div>
+            <div class="stats-card-body">
+                <div class="stats-card-value">¥<?php echo number_format($avg_order_value, 2); ?></div>
+                <div class="stats-card-subtitle">元/订单</div>
+            </div>
+        </div>
+    </div>
+    <?php
+}
+
+/**
+ * 渲染产品价格趋势图表
+ */
+function renderProductPriceTrendChart($price_trend_data) {
+    $time_periods = [];
+    $avg_prices = [];
+    $min_prices = [];
+    $max_prices = [];
+    
+    while ($row = $price_trend_data->fetch_assoc()) {
+        $time_periods[] = $row['time_period'];
+        $avg_prices[] = round($row['avg_price'], 2);
+        $min_prices[] = round($row['min_price'], 2);
+        $max_prices[] = round($row['max_price'], 2);
+    }
+    ?>
+    <div class="chart-container">
+        <div class="chart-header">
+            <h2 class="chart-title">产品价格趋势分析</h2>
+        </div>
+        <canvas id="priceTrendChart"></canvas>
+    </div>
+    
+    <script>
+        var priceTrendCtx = document.getElementById('priceTrendChart').getContext('2d');
+        new Chart(priceTrendCtx, {
+            type: 'line',
+            data: {
+                labels: <?php echo json_encode($time_periods); ?>,
+                datasets: [
+                    {
+                        label: '平均价格',
+                        data: <?php echo json_encode($avg_prices); ?>,
+                        borderColor: 'rgb(54, 162, 235)',
+                        backgroundColor: 'rgba(54, 162, 235, 0.1)',
+                        borderWidth: 2,
+                        fill: false
+                    },
+                    {
+                        label: '最低价格',
+                        data: <?php echo json_encode($min_prices); ?>,
+                        borderColor: 'rgb(75, 192, 192)',
+                        backgroundColor: 'rgba(75, 192, 192, 0.1)',
+                        borderWidth: 2,
+                        fill: false
+                    },
+                    {
+                        label: '最高价格',
+                        data: <?php echo json_encode($max_prices); ?>,
+                        borderColor: 'rgb(255, 99, 132)',
+                        backgroundColor: 'rgba(255, 99, 132, 0.1)',
+                        borderWidth: 2,
+                        fill: false
+                    }
+                ]
+            },
+            options: {
+                responsive: true,
+                scales: {
+                    y: {
+                        beginAtZero: true,
+                        title: {
+                            display: true,
+                            text: '价格 (元)'
+                        }
+                    }
+                },
+                plugins: {
+                    title: {
+                        display: true,
+                        text: '产品价格变化趋势'
+                    }
+                }
+            }
+        });
+    </script>
+    <?php
+}
+
+/**
+ * 渲染产品季节性分析图表
+ */
+function renderProductSeasonalityChart($seasonality_data) {
+    $months = [];
+    $quantities = [];
+    $revenues = [];
+    $order_counts = [];
+    
+    while ($row = $seasonality_data->fetch_assoc()) {
+        $months[] = date('n月', mktime(0, 0, 0, $row['month'], 1));
+        $quantities[] = (int)$row['total_quantity'];
+        $revenues[] = round($row['total_revenue'], 2);
+        $order_counts[] = (int)$row['order_count'];
+    }
+    ?>
+    <div class="chart-container">
+        <div class="chart-header">
+            <h2 class="chart-title">产品季节性分析</h2>
+        </div>
+        <canvas id="seasonalityChart"></canvas>
+    </div>
+    
+    <script>
+        var seasonalityCtx = document.getElementById('seasonalityChart').getContext('2d');
+        new Chart(seasonalityCtx, {
+            type: 'bar',
+            data: {
+                labels: <?php echo json_encode($months); ?>,
+                datasets: [
+                    {
+                        label: '销售数量',
+                        data: <?php echo json_encode($quantities); ?>,
+                        backgroundColor: 'rgba(54, 162, 235, 0.5)',
+                        borderColor: 'rgb(54, 162, 235)',
+                        borderWidth: 1,
+                        yAxisID: 'y-quantity'
+                    },
+                    {
+                        label: '销售收入',
+                        data: <?php echo json_encode($revenues); ?>,
+                        backgroundColor: 'rgba(255, 99, 132, 0.5)',
+                        borderColor: 'rgb(255, 99, 132)',
+                        borderWidth: 1,
+                        yAxisID: 'y-revenue'
+                    },
+                    {
+                        label: '订单数',
+                        data: <?php echo json_encode($order_counts); ?>,
+                        type: 'line',
+                        fill: false,
+                        borderColor: 'rgb(75, 192, 192)',
+                        tension: 0.1,
+                        yAxisID: 'y-orders'
+                    }
+                ]
+            },
+            options: {
+                responsive: true,
+                scales: {
+                    'y-quantity': {
+                        type: 'linear',
+                        position: 'left',
+                        title: {
+                            display: true,
+                            text: '销售数量'
+                        }
+                    },
+                    'y-revenue': {
+                        type: 'linear',
+                        position: 'right',
+                        title: {
+                            display: true,
+                            text: '销售收入 (元)'
+                        },
+                        grid: {
+                            drawOnChartArea: false
+                        }
+                    },
+                    'y-orders': {
+                        type: 'linear',
+                        position: 'right',
+                        title: {
+                            display: true,
+                            text: '订单数'
+                        },
+                        grid: {
+                            drawOnChartArea: false
+                        }
+                    }
+                },
+                plugins: {
+                    title: {
+                        display: true,
+                        text: '产品销售季节性分布'
+                    }
+                }
+            }
+        });
+    </script>
+    <?php
+}
+
+/**
+ * 渲染产品客户细分分析图表
+ */
+function renderProductCustomerSegmentChart($segment_data) {
+    $segments = [];
+    $customer_counts = [];
+    $revenues = [];
+    $avg_prices = [];
+    
+    while ($row = $segment_data->fetch_assoc()) {
+        $segments[] = $row['segment_name'];
+        $customer_counts[] = (int)$row['customer_count'];
+        $revenues[] = round($row['total_revenue'], 2);
+        $avg_prices[] = round($row['avg_unit_price'], 2);
+    }
+    ?>
+    <div class="chart-container">
+        <div class="chart-header">
+            <h2 class="chart-title">产品客户细分分析</h2>
+        </div>
+        <div class="chart-row">
+            <div class="chart-column">
+                <canvas id="customerSegmentChart1"></canvas>
+            </div>
+            <div class="chart-column">
+                <canvas id="customerSegmentChart2"></canvas>
+            </div>
+        </div>
+    </div>
+    
+    <script>
+        // 客户数量和收入分布
+        var segmentCtx1 = document.getElementById('customerSegmentChart1').getContext('2d');
+        new Chart(segmentCtx1, {
+            type: 'bar',
+            data: {
+                labels: <?php echo json_encode($segments); ?>,
+                datasets: [
+                    {
+                        label: '客户数量',
+                        data: <?php echo json_encode($customer_counts); ?>,
+                        backgroundColor: 'rgba(54, 162, 235, 0.5)',
+                        borderColor: 'rgb(54, 162, 235)',
+                        borderWidth: 1,
+                        yAxisID: 'y-customers'
+                    },
+                    {
+                        label: '销售收入',
+                        data: <?php echo json_encode($revenues); ?>,
+                        backgroundColor: 'rgba(255, 99, 132, 0.5)',
+                        borderColor: 'rgb(255, 99, 132)',
+                        borderWidth: 1,
+                        yAxisID: 'y-revenue'
+                    }
+                ]
+            },
+            options: {
+                responsive: true,
+                scales: {
+                    'y-customers': {
+                        type: 'linear',
+                        position: 'left',
+                        title: {
+                            display: true,
+                            text: '客户数量'
+                        }
+                    },
+                    'y-revenue': {
+                        type: 'linear',
+                        position: 'right',
+                        title: {
+                            display: true,
+                            text: '销售收入 (元)'
+                        },
+                        grid: {
+                            drawOnChartArea: false
+                        }
+                    }
+                },
+                plugins: {
+                    title: {
+                        display: true,
+                        text: '客户细分分布'
+                    }
+                }
+            }
+        });
+
+        // 平均单价分布
+        var segmentCtx2 = document.getElementById('customerSegmentChart2').getContext('2d');
+        new Chart(segmentCtx2, {
+            type: 'radar',
+            data: {
+                labels: <?php echo json_encode($segments); ?>,
+                datasets: [{
+                    label: '平均单价',
+                    data: <?php echo json_encode($avg_prices); ?>,
+                    backgroundColor: 'rgba(75, 192, 192, 0.2)',
+                    borderColor: 'rgb(75, 192, 192)',
+                    pointBackgroundColor: 'rgb(75, 192, 192)',
+                    pointBorderColor: '#fff',
+                    pointHoverBackgroundColor: '#fff',
+                    pointHoverBorderColor: 'rgb(75, 192, 192)'
+                }]
+            },
+            options: {
+                responsive: true,
+                plugins: {
+                    title: {
+                        display: true,
+                        text: '客户细分平均单价分布'
+                    }
+                }
+            }
+        });
+    </script>
+    <?php
+}
+
+/**
+ * 获取产品增长率分析
+ */
+function getProductGrowthAnalysis($conn, $start_date, $end_date, $period = 'month') {
+    $groupFormat = getPeriodFormat($period);
+    
+    // 获取当前期间的数据
+    $sql = "SELECT 
+                p.ProductName,
+                SUM(oi.total_price) as current_revenue,
+                SUM(oi.quantity) as current_quantity,
+                COUNT(DISTINCT o.id) as current_orders
+            FROM order_items oi
+            JOIN products p ON oi.product_id = p.id
+            JOIN orders o ON oi.order_id = o.id
+            WHERE o.order_date BETWEEN ? AND ?
+            GROUP BY oi.product_id
+            HAVING current_revenue > 0
+            ORDER BY current_revenue DESC
+            LIMIT 10";
+    
+    $stmt = $conn->prepare($sql);
+    $stmt->bind_param("ss", $start_date, $end_date);
+    $stmt->execute();
+    $current_data = $stmt->get_result();
+    
+    // 计算上一个时间段
+    $date1 = new DateTime($start_date);
+    $date2 = new DateTime($end_date);
+    $interval = $date1->diff($date2);
+    $days_diff = $interval->days;
+    
+    $prev_end = $date1->format('Y-m-d');
+    $prev_start = $date1->modify("-{$days_diff} days")->format('Y-m-d');
+    
+    // 获取上一期间的数据
+    $sql = "SELECT 
+                p.ProductName,
+                SUM(oi.total_price) as prev_revenue,
+                SUM(oi.quantity) as prev_quantity,
+                COUNT(DISTINCT o.id) as prev_orders
+            FROM order_items oi
+            JOIN products p ON oi.product_id = p.id
+            JOIN orders o ON oi.order_id = o.id
+            WHERE o.order_date BETWEEN ? AND ?
+            GROUP BY oi.product_id";
+    
+    $stmt = $conn->prepare($sql);
+    $stmt->bind_param("ss", $prev_start, $prev_end);
+    $stmt->execute();
+    $prev_result = $stmt->get_result();
+    
+    $prev_data = [];
+    while ($row = $prev_result->fetch_assoc()) {
+        $prev_data[$row['ProductName']] = $row;
+    }
+    
+    $growth_data = [];
+    while ($current = $current_data->fetch_assoc()) {
+        $product_name = $current['ProductName'];
+        $prev = isset($prev_data[$product_name]) ? $prev_data[$product_name] : [
+            'prev_revenue' => 0,
+            'prev_quantity' => 0,
+            'prev_orders' => 0
+        ];
+        
+        $growth_data[] = [
+            'product_name' => $product_name,
+            'current_revenue' => $current['current_revenue'],
+            'current_quantity' => $current['current_quantity'],
+            'current_orders' => $current['current_orders'],
+            'prev_revenue' => $prev['prev_revenue'],
+            'prev_quantity' => $prev['prev_quantity'],
+            'prev_orders' => $prev['prev_orders'],
+            'revenue_growth' => calculateGrowthRate($current['current_revenue'], $prev['prev_revenue']),
+            'quantity_growth' => calculateGrowthRate($current['current_quantity'], $prev['prev_quantity']),
+            'orders_growth' => calculateGrowthRate($current['current_orders'], $prev['prev_orders'])
+        ];
+    }
+    
+    return $growth_data;
+}
+
+/**
+ * 计算增长率
+ */
+function calculateGrowthRate($current, $previous) {
+    if ($previous == 0) {
+        return $current > 0 ? 100 : 0;
+    }
+    return round((($current - $previous) / $previous) * 100, 2);
+}
+
+/**
+ * 渲染产品增长率分析
+ */
+function renderProductGrowthAnalysis($growth_data) {
+    ?>
+    <div class="chart-container">
+        <div class="chart-header">
+            <h2 class="chart-title">产品增长率分析</h2>
+            <div class="chart-subtitle">与上一时期相比</div>
+        </div>
+        <table class="data-table">
+            <thead>
+                <tr>
+                    <th>产品名称</th>
+                    <th>当期收入</th>
+                    <th>收入增长率</th>
+                    <th>当期销量</th>
+                    <th>销量增长率</th>
+                    <th>当期订单数</th>
+                    <th>订单增长率</th>
+                </tr>
+            </thead>
+            <tbody>
+                <?php foreach ($growth_data as $row): ?>
+                <tr>
+                    <td><?php echo htmlspecialchars($row['product_name']); ?></td>
+                    <td>¥<?php echo number_format($row['current_revenue'], 2); ?></td>
+                    <td class="<?php echo $row['revenue_growth'] >= 0 ? 'positive' : 'negative'; ?>">
+                        <?php echo ($row['revenue_growth'] >= 0 ? '+' : '') . $row['revenue_growth']; ?>%
+                    </td>
+                    <td><?php echo number_format($row['current_quantity']); ?></td>
+                    <td class="<?php echo $row['quantity_growth'] >= 0 ? 'positive' : 'negative'; ?>">
+                        <?php echo ($row['quantity_growth'] >= 0 ? '+' : '') . $row['quantity_growth']; ?>%
+                    </td>
+                    <td><?php echo number_format($row['current_orders']); ?></td>
+                    <td class="<?php echo $row['orders_growth'] >= 0 ? 'positive' : 'negative'; ?>">
+                        <?php echo ($row['orders_growth'] >= 0 ? '+' : '') . $row['orders_growth']; ?>%
+                    </td>
+                </tr>
+                <?php endforeach; ?>
+            </tbody>
+        </table>
+    </div>
+    
+    <style>
+    .positive {
+        color: #4CAF50;
+        font-weight: bold;
+    }
+    .negative {
+        color: #f44336;
+        font-weight: bold;
+    }
+    .chart-subtitle {
+        font-size: 14px;
+        color: #666;
+        margin-top: 5px;
+    }
+    </style>
+    <?php
+}
+
+/**
+ * 获取产品购买频率分析
+ */
+function getProductPurchaseFrequency($conn, $start_date, $end_date) {
+    $sql = "SELECT 
+                p.ProductName,
+                COUNT(DISTINCT o.id) as order_count,
+                COUNT(DISTINCT o.customer_id) as customer_count,
+                COUNT(DISTINCT o.id) / COUNT(DISTINCT o.customer_id) as purchase_frequency,
+                AVG(
+                    CASE 
+                        WHEN next_order.next_date IS NOT NULL 
+                        THEN DATEDIFF(next_order.next_date, o.order_date)
+                        ELSE NULL 
+                    END
+                ) as avg_days_between_orders
+            FROM order_items oi
+            JOIN products p ON oi.product_id = p.id
+            JOIN orders o ON oi.order_id = o.id
+            LEFT JOIN (
+                SELECT 
+                    o1.customer_id,
+                    o1.order_date,
+                    MIN(o2.order_date) as next_date
+                FROM orders o1
+                LEFT JOIN orders o2 ON o1.customer_id = o2.customer_id 
+                    AND o2.order_date > o1.order_date
+                WHERE o1.order_date BETWEEN ? AND ?
+                GROUP BY o1.customer_id, o1.order_date
+            ) next_order ON o.customer_id = next_order.customer_id 
+                AND o.order_date = next_order.order_date
+            WHERE o.order_date BETWEEN ? AND ?
+            GROUP BY p.id
+            HAVING order_count > 1
+            ORDER BY purchase_frequency DESC
+            LIMIT 10";
+            
+    $stmt = $conn->prepare($sql);
+    $stmt->bind_param("ssss", $start_date, $end_date, $start_date, $end_date);
+    $stmt->execute();
+    return $stmt->get_result();
+}
+
+/**
+ * 渲染产品购买频率分析
+ */
+function renderProductPurchaseFrequency($frequency_data) {
+    ?>
+    <div class="chart-container">
+        <div class="chart-header">
+            <h2 class="chart-title">产品购买频率分析</h2>
+        </div>
+        <table class="data-table">
+            <thead>
+                <tr>
+                    <th>产品名称</th>
+                    <th>订单总数</th>
+                    <th>购买客户数</th>
+                    <th>平均购买频率</th>
+                    <th>平均购买间隔(天)</th>
+                </tr>
+            </thead>
+            <tbody>
+                <?php while ($row = $frequency_data->fetch_assoc()): ?>
+                <tr>
+                    <td><?php echo htmlspecialchars($row['ProductName']); ?></td>
+                    <td><?php echo number_format($row['order_count']); ?></td>
+                    <td><?php echo number_format($row['customer_count']); ?></td>
+                    <td><?php echo number_format($row['purchase_frequency'], 2); ?>次/客户</td>
+                    <td><?php echo $row['avg_days_between_orders'] ? number_format($row['avg_days_between_orders'], 1) : '-'; ?></td>
+                </tr>
+                <?php endwhile; ?>
+            </tbody>
+        </table>
+    </div>
+    <?php
 }

+ 18 - 0
statistics_utils.php

@@ -129,4 +129,22 @@ function formatNumber($value, $decimals = 2) {
         return '0';
     }
     return number_format((float)$value, $decimals);
+}
+
+/**
+ * 获取时间粒度对应的MySQL DATE_FORMAT格式
+ * 
+ * @param string $period 时间粒度 (day/week/month)
+ * @return string MySQL DATE_FORMAT格式字符串
+ */
+function getPeriodFormat($period) {
+    switch ($period) {
+        case 'week':
+            return '%x-W%v'; // ISO year and week number
+        case 'month':
+            return '%Y-%m';
+        case 'day':
+        default:
+            return '%Y-%m-%d';
+    }
 }