Compare commits
19 Commits
a06a75ee97
...
maf2.0
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
6abc5f8b6d | ||
|
|
460dcd17ef | ||
| 61916dc6da | |||
|
|
704f58b1a1 | ||
|
|
d9703d31ae | ||
|
|
e93c3d6bae | ||
|
|
3ed9cf5ebd | ||
|
|
b71eadd4f9 | ||
|
|
5c9d7c5db1 | ||
|
|
9729ff2f82 | ||
|
|
b78774bc39 | ||
|
|
4aa7e82429 | ||
| bade93ad57 | |||
| 47e1ed3891 | |||
|
|
4ff99b62c8 | ||
|
|
58627356f4 | ||
|
|
dcbde4db23 | ||
|
|
9e14849014 | ||
|
|
e2c0ab5389 |
@@ -13,13 +13,64 @@ jobs:
|
|||||||
name: Build Docker Image
|
name: Build Docker Image
|
||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
steps:
|
steps:
|
||||||
# ✅ 使用 Gitea 兼容的代码检出方式
|
# 网络连接测试
|
||||||
|
- name: Test network connectivity
|
||||||
|
run: |
|
||||||
|
echo "Testing network connectivity to Gitea server..."
|
||||||
|
MAX_RETRIES=5
|
||||||
|
RETRY_DELAY=10
|
||||||
|
|
||||||
|
for i in $(seq 1 $MAX_RETRIES); do
|
||||||
|
echo "Network test attempt $i/$MAX_RETRIES"
|
||||||
|
if curl -s --connect-timeout 10 -f http://192.168.31.14:14200 > /dev/null; then
|
||||||
|
echo "✅ Gitea server is reachable"
|
||||||
|
exit 0
|
||||||
|
else
|
||||||
|
echo "❌ Network test failed, waiting $RETRY_DELAY seconds..."
|
||||||
|
sleep $RETRY_DELAY
|
||||||
|
fi
|
||||||
|
done
|
||||||
|
|
||||||
|
echo "❌ All network tests failed"
|
||||||
|
exit 1
|
||||||
|
|
||||||
- name: Checkout code
|
- name: Checkout code
|
||||||
uses: https://gitea.com/actions/checkout@v3
|
uses: https://gitea.com/actions/checkout@v3
|
||||||
with:
|
# 添加重试策略
|
||||||
gitea-server: http://192.168.31.14:14200
|
continue-on-error: true
|
||||||
token: ${{ secrets.GITEA_TOKEN }}
|
|
||||||
ref: ${{ gitea.ref }} # 必须传递 Gitea 的 ref 参数
|
# 手动重试逻辑
|
||||||
|
- name: Retry checkout if failed
|
||||||
|
if: steps.checkout.outcome == 'failure'
|
||||||
|
run: |
|
||||||
|
echo "First checkout attempt failed, retrying..."
|
||||||
|
MAX_RETRIES=3
|
||||||
|
RETRY_DELAY=15
|
||||||
|
|
||||||
|
for i in $(seq 1 $MAX_RETRIES); do
|
||||||
|
echo "Retry attempt $i/$MAX_RETRIES"
|
||||||
|
|
||||||
|
# 清理可能的部分检出
|
||||||
|
rm -rf .git || true
|
||||||
|
git clean -fdx || true
|
||||||
|
|
||||||
|
# 使用git命令直接检出
|
||||||
|
git init
|
||||||
|
git remote add origin http://192.168.31.14:14200/${{ gitea.repository }}
|
||||||
|
git config http.extraHeader "Authorization: Bearer ${{ secrets.GITEA_TOKEN }}"
|
||||||
|
|
||||||
|
if git fetch --depth=1 origin "${{ gitea.ref }}"; then
|
||||||
|
git checkout FETCH_HEAD
|
||||||
|
echo "Checkout successful on retry $i"
|
||||||
|
exit 0
|
||||||
|
fi
|
||||||
|
|
||||||
|
echo "Retry $i failed, waiting $RETRY_DELAY seconds..."
|
||||||
|
sleep $RETRY_DELAY
|
||||||
|
done
|
||||||
|
|
||||||
|
echo "All checkout attempts failed"
|
||||||
|
exit 1
|
||||||
|
|
||||||
- name: Cleanup old containers
|
- name: Cleanup old containers
|
||||||
run: |
|
run: |
|
||||||
@@ -28,7 +79,7 @@ jobs:
|
|||||||
|
|
||||||
- name: Build new image
|
- name: Build new image
|
||||||
run: |
|
run: |
|
||||||
RETRIES=3
|
RETRIES=20
|
||||||
DELAY=10
|
DELAY=10
|
||||||
count=0
|
count=0
|
||||||
until docker build -t $IMAGE_NAME .; do
|
until docker build -t $IMAGE_NAME .; do
|
||||||
|
|||||||
9080
.pans/v2.pen
Normal file
9080
.pans/v2.pen
Normal file
File diff suppressed because it is too large
Load Diff
80
.sisyphus/notepads/statistics-year-selection/decisions.md
Normal file
80
.sisyphus/notepads/statistics-year-selection/decisions.md
Normal file
@@ -0,0 +1,80 @@
|
|||||||
|
# Decisions - Statistics Year Selection Enhancement
|
||||||
|
|
||||||
|
## [2026-01-28] Architecture Decisions
|
||||||
|
|
||||||
|
### Frontend Implementation Strategy
|
||||||
|
|
||||||
|
#### 1. Date Picker Mode Toggle
|
||||||
|
- Add a toggle switch in the date picker popup to switch between "按月" (month) and "按年" (year) modes
|
||||||
|
- When "按年" selected: use `columns-type="['year']"`
|
||||||
|
- When "按月" selected: use `columns-type="['year', 'month']` (current behavior)
|
||||||
|
|
||||||
|
#### 2. State Management
|
||||||
|
- Add `dateSelectionMode` ref: `'month'` | `'year'`
|
||||||
|
- When year-only mode: set `currentMonth = 0` to indicate full year
|
||||||
|
- Keep `currentYear` as integer (unchanged)
|
||||||
|
- Update `selectedDate` array dynamically based on mode:
|
||||||
|
- Year mode: `['YYYY']`
|
||||||
|
- Month mode: `['YYYY', 'MM']`
|
||||||
|
|
||||||
|
#### 3. Display Logic
|
||||||
|
- Nav bar title: `currentYear年` when `currentMonth === 0`, else `currentYear年currentMonth月`
|
||||||
|
- Chart titles: Update to reflect year or year-month scope
|
||||||
|
|
||||||
|
#### 4. API Calls
|
||||||
|
- Pass `month: currentMonth.value || 0` to all API calls
|
||||||
|
- Backend will handle month=0 as year-only query
|
||||||
|
|
||||||
|
### Backend Implementation Strategy
|
||||||
|
|
||||||
|
#### 1. Repository Layer Change
|
||||||
|
**File**: `Repository/TransactionRecordRepository.cs`
|
||||||
|
**Method**: `BuildQuery()` lines 81-86
|
||||||
|
|
||||||
|
```csharp
|
||||||
|
if (year.HasValue)
|
||||||
|
{
|
||||||
|
if (month.HasValue && month.Value > 0)
|
||||||
|
{
|
||||||
|
// Specific month
|
||||||
|
var dateStart = new DateTime(year.Value, month.Value, 1);
|
||||||
|
var dateEnd = dateStart.AddMonths(1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
// Entire year
|
||||||
|
var dateStart = new DateTime(year.Value, 1, 1);
|
||||||
|
var dateEnd = new DateTime(year.Value + 1, 1, 1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
#### 2. Service Layer
|
||||||
|
- No changes needed - services already pass month parameter to repository
|
||||||
|
- Services will receive month=0 for year-only queries
|
||||||
|
|
||||||
|
#### 3. API Controller
|
||||||
|
- No changes needed - already accepts year/month parameters
|
||||||
|
|
||||||
|
### Testing Strategy
|
||||||
|
|
||||||
|
#### Backend Tests
|
||||||
|
- Test year-only query returns all transactions for that year
|
||||||
|
- Test month-specific query still works
|
||||||
|
- Test edge cases: year boundaries, leap years
|
||||||
|
|
||||||
|
#### Frontend Tests
|
||||||
|
- Test toggle switches picker mode correctly
|
||||||
|
- Test year selection updates state and fetches data
|
||||||
|
- Test display updates correctly for year vs year-month
|
||||||
|
|
||||||
|
### User Experience Flow
|
||||||
|
|
||||||
|
1. User clicks date picker in nav bar
|
||||||
|
2. Popup opens with toggle: "按月 | 按年"
|
||||||
|
3. User selects mode (default: 按月 for backward compatibility)
|
||||||
|
4. User selects date(s) and confirms
|
||||||
|
5. Statistics refresh with new scope
|
||||||
|
6. Display updates to show scope (year or year-month)
|
||||||
27
.sisyphus/notepads/statistics-year-selection/issues.md
Normal file
27
.sisyphus/notepads/statistics-year-selection/issues.md
Normal file
@@ -0,0 +1,27 @@
|
|||||||
|
# Issues - Statistics Year Selection Enhancement
|
||||||
|
|
||||||
|
## [2026-01-28] Backend Repository Limitation
|
||||||
|
|
||||||
|
### Issue
|
||||||
|
`TransactionRecordRepository.BuildQuery()` requires both year AND month parameters to be present. Year-only queries (month=null or month=0) are not supported.
|
||||||
|
|
||||||
|
### Impact
|
||||||
|
- Cannot query full-year statistics from the frontend
|
||||||
|
- Current implementation only supports month-level granularity
|
||||||
|
- All statistics endpoints rely on `QueryAsync(year, month, ...)`
|
||||||
|
|
||||||
|
### Solution
|
||||||
|
Modify `BuildQuery()` method in `Repository/TransactionRecordRepository.cs` to support:
|
||||||
|
1. Year-only queries (when year provided, month is null or 0)
|
||||||
|
2. Month-specific queries (when both year and month provided - current behavior)
|
||||||
|
|
||||||
|
### Implementation Location
|
||||||
|
- File: `Repository/TransactionRecordRepository.cs`
|
||||||
|
- Method: `BuildQuery()` lines 81-86
|
||||||
|
- Also need to update service layer to handle month=0 or null
|
||||||
|
|
||||||
|
### Testing Requirements
|
||||||
|
- Test year-only query returns all transactions for that year
|
||||||
|
- Test month-specific query still works as before
|
||||||
|
- Test edge cases: leap years, year boundaries
|
||||||
|
- Verify all statistics endpoints work with year-only mode
|
||||||
181
.sisyphus/notepads/statistics-year-selection/learnings.md
Normal file
181
.sisyphus/notepads/statistics-year-selection/learnings.md
Normal file
@@ -0,0 +1,181 @@
|
|||||||
|
# Learnings - Statistics Year Selection Enhancement
|
||||||
|
|
||||||
|
## [2026-01-28] Initial Analysis
|
||||||
|
|
||||||
|
### Current Implementation
|
||||||
|
- **File**: `Web/src/views/StatisticsView.vue`
|
||||||
|
- **Current picker**: `columns-type="['year', 'month']` (year-month only)
|
||||||
|
- **State variables**:
|
||||||
|
- `currentYear` - integer year
|
||||||
|
- `currentMonth` - integer month (1-12)
|
||||||
|
- `selectedDate` - array `['YYYY', 'MM']` for picker
|
||||||
|
- **API calls**: All endpoints use `{ year, month }` parameters
|
||||||
|
|
||||||
|
### Vant UI Year-Only Pattern
|
||||||
|
- **Key prop**: `columns-type="['year']"`
|
||||||
|
- **Picker value**: Single-element array `['YYYY']`
|
||||||
|
- **Confirmation**: `selectedValues[0]` contains year string
|
||||||
|
|
||||||
|
### Implementation Strategy
|
||||||
|
1. Add UI toggle to switch between year-month and year-only modes
|
||||||
|
2. When year-only selected, set `currentMonth = 0` or null to indicate full year
|
||||||
|
3. Backend API already supports year-only queries (when month=0 or null)
|
||||||
|
4. Update display logic to show "YYYY年" vs "YYYY年MM月"
|
||||||
|
|
||||||
|
### API Compatibility - CRITICAL FINDING
|
||||||
|
- **Backend limitation**: `TransactionRecordRepository.BuildQuery()` (lines 81-86) requires BOTH year AND month
|
||||||
|
- Current logic: `if (year.HasValue && month.HasValue)` - year-only queries are NOT supported
|
||||||
|
- **Must modify repository** to support year-only queries:
|
||||||
|
- When year provided but month is null/0: query entire year (Jan 1 to Dec 31)
|
||||||
|
- When both year and month provided: query specific month (current behavior)
|
||||||
|
- All statistics endpoints use `QueryAsync(year, month, ...)` pattern
|
||||||
|
|
||||||
|
### Required Backend Changes
|
||||||
|
**File**: `Repository/TransactionRecordRepository.cs`
|
||||||
|
**Method**: `BuildQuery()` lines 81-86
|
||||||
|
**Change**: Modify year/month filtering logic to support year-only queries
|
||||||
|
|
||||||
|
```csharp
|
||||||
|
// Current (line 81-86):
|
||||||
|
if (year.HasValue && month.HasValue)
|
||||||
|
{
|
||||||
|
var dateStart = new DateTime(year.Value, month.Value, 1);
|
||||||
|
var dateEnd = dateStart.AddMonths(1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Needed:
|
||||||
|
if (year.HasValue)
|
||||||
|
{
|
||||||
|
if (month.HasValue && month.Value > 0)
|
||||||
|
{
|
||||||
|
// Specific month
|
||||||
|
var dateStart = new DateTime(year.Value, month.Value, 1);
|
||||||
|
var dateEnd = dateStart.AddMonths(1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
// Entire year
|
||||||
|
var dateStart = new DateTime(year.Value, 1, 1);
|
||||||
|
var dateEnd = new DateTime(year.Value + 1, 1, 1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
### Existing Patterns
|
||||||
|
- BudgetView.vue uses same year-month picker pattern
|
||||||
|
- Dayjs used for all date formatting: `dayjs().format('YYYY-MM-DD')`
|
||||||
|
- Date picker values always arrays for Vant UI
|
||||||
|
## [2026-01-28] Repository BuildQuery() Enhancement
|
||||||
|
|
||||||
|
### Implementation Completed
|
||||||
|
- **File Modified**: `Repository/TransactionRecordRepository.cs` lines 81-94
|
||||||
|
- **Change**: Updated year/month filtering logic to support year-only queries
|
||||||
|
|
||||||
|
### Logic Changes
|
||||||
|
```csharp
|
||||||
|
// Old: Required both year AND month
|
||||||
|
if (year.HasValue && month.HasValue) { ... }
|
||||||
|
|
||||||
|
// New: Support year-only queries
|
||||||
|
if (year.HasValue)
|
||||||
|
{
|
||||||
|
if (month.HasValue && month.Value > 0)
|
||||||
|
{
|
||||||
|
// 查询指定年月
|
||||||
|
var dateStart = new DateTime(year.Value, month.Value, 1);
|
||||||
|
var dateEnd = dateStart.AddMonths(1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
// 查询整年数据(1月1日到下年1月1日)
|
||||||
|
var dateStart = new DateTime(year.Value, 1, 1);
|
||||||
|
var dateEnd = new DateTime(year.Value + 1, 1, 1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
### Behavior
|
||||||
|
- **Month-specific** (month.HasValue && month.Value > 0): Query from 1st of month to 1st of next month
|
||||||
|
- **Year-only** (month is null or 0): Query from Jan 1 to Jan 1 of next year
|
||||||
|
- **No year provided**: No date filtering applied
|
||||||
|
|
||||||
|
### Verification
|
||||||
|
- All 14 tests pass: `dotnet test WebApi.Test/WebApi.Test.csproj`
|
||||||
|
- No breaking changes to existing functionality
|
||||||
|
- Chinese comments added for business logic clarity
|
||||||
|
|
||||||
|
### Key Pattern
|
||||||
|
- Use `month.Value > 0` check to distinguish year-only (0/null) from month-specific (1-12)
|
||||||
|
- Date range is exclusive on upper bound (`< dateEnd`) to avoid including boundary dates
|
||||||
|
|
||||||
|
## [2026-01-28] Frontend Year-Only Selection Implementation
|
||||||
|
|
||||||
|
### Changes Made
|
||||||
|
**File**: `Web/src/views/StatisticsView.vue`
|
||||||
|
|
||||||
|
#### 1. Nav Bar Title Display (Line 12)
|
||||||
|
- Updated to show "YYYY年" when `currentMonth === 0`
|
||||||
|
- Shows "YYYY年MM月" when month is selected
|
||||||
|
- Template: `{{ currentMonth === 0 ? \`${currentYear}年\` : \`${currentYear}年${currentMonth}月\` }}`
|
||||||
|
|
||||||
|
#### 2. Date Picker Popup (Lines 268-289)
|
||||||
|
- Added toggle switch using `van-tabs` component
|
||||||
|
- Two modes: "按月" (month) and "按年" (year)
|
||||||
|
- Tabs positioned above the date picker
|
||||||
|
- Dynamic `columns-type` based on selection mode:
|
||||||
|
- Year mode: `['year']`
|
||||||
|
- Month mode: `['year', 'month']`
|
||||||
|
|
||||||
|
#### 3. State Management (Line 347)
|
||||||
|
- Added `dateSelectionMode` ref: `'month'` | `'year'`
|
||||||
|
- Default: `'month'` for backward compatibility
|
||||||
|
- `currentMonth` set to `0` when year-only selected
|
||||||
|
|
||||||
|
#### 4. Confirmation Handler (Lines 532-544)
|
||||||
|
- Updated to handle both year-only and year-month modes
|
||||||
|
- When year mode: `newMonth = 0`
|
||||||
|
- When month mode: `newMonth = parseInt(selectedValues[1])`
|
||||||
|
|
||||||
|
#### 5. API Calls (All Statistics Endpoints)
|
||||||
|
- Updated all API calls to use `month: currentMonth.value || 0`
|
||||||
|
- Ensures backend receives `0` for year-only queries
|
||||||
|
- Modified functions:
|
||||||
|
- `fetchMonthlyData()` (line 574)
|
||||||
|
- `fetchCategoryData()` (lines 592, 610, 626)
|
||||||
|
- `fetchDailyData()` (line 649)
|
||||||
|
- `fetchBalanceData()` (line 672)
|
||||||
|
- `loadCategoryBills()` (line 1146)
|
||||||
|
|
||||||
|
#### 6. Mode Switching Watcher (Lines 1355-1366)
|
||||||
|
- Added `watch(dateSelectionMode)` to update `selectedDate` array
|
||||||
|
- When switching to year mode: `selectedDate = [year.toString()]`
|
||||||
|
- When switching to month mode: `selectedDate = [year, month]`
|
||||||
|
|
||||||
|
#### 7. Styling (Lines 1690-1705)
|
||||||
|
- Added `.date-picker-header` styles for tabs
|
||||||
|
- Clean, minimal design matching Vant UI conventions
|
||||||
|
- Proper spacing and background colors
|
||||||
|
|
||||||
|
### Vant UI Patterns Used
|
||||||
|
- **van-tabs**: For mode switching toggle
|
||||||
|
- **van-date-picker**: Dynamic `columns-type` prop
|
||||||
|
- **van-popup**: Container for picker and tabs
|
||||||
|
- Composition API with `watch` for reactive updates
|
||||||
|
|
||||||
|
### User Experience
|
||||||
|
1. Click nav bar date → popup opens with "按月" default
|
||||||
|
2. Switch to "按年" → picker shows only year column
|
||||||
|
3. Select year and confirm → `currentMonth = 0`
|
||||||
|
4. Nav bar shows "2025年" instead of "2025年1月"
|
||||||
|
5. All statistics refresh with year-only data
|
||||||
|
|
||||||
|
### Verification
|
||||||
|
- Build succeeds: `cd Web && pnpm build`
|
||||||
|
- No TypeScript errors
|
||||||
|
- No breaking changes to existing functionality
|
||||||
|
- Backward compatible with month-only selection
|
||||||
218
AGENTS.md
Normal file
218
AGENTS.md
Normal file
@@ -0,0 +1,218 @@
|
|||||||
|
# PROJECT KNOWLEDGE BASE - EmailBill
|
||||||
|
|
||||||
|
**Generated:** 2026-01-28
|
||||||
|
**Commit:** 5c9d7c5
|
||||||
|
**Branch:** main
|
||||||
|
|
||||||
|
## OVERVIEW
|
||||||
|
Full-stack budget tracking app with .NET 10 backend and Vue 3 frontend.
|
||||||
|
|
||||||
|
## Project Structure
|
||||||
|
|
||||||
|
```
|
||||||
|
EmailBill/
|
||||||
|
├── Common/ # Shared utilities and abstractions
|
||||||
|
├── Entity/ # Database entities (FreeSql ORM)
|
||||||
|
├── Repository/ # Data access layer
|
||||||
|
├── Service/ # Business logic layer
|
||||||
|
├── WebApi/ # ASP.NET Core Web API
|
||||||
|
├── WebApi.Test/ # Backend tests (xUnit)
|
||||||
|
└── Web/ # Vue 3 frontend (Vite + Vant UI)
|
||||||
|
```
|
||||||
|
|
||||||
|
## WHERE TO LOOK
|
||||||
|
| Task | Location | Notes |
|
||||||
|
|------|----------|-------|
|
||||||
|
| Entity definitions | Entity/ | BaseEntity pattern, FreeSql attributes |
|
||||||
|
| Data access | Repository/ | BaseRepository, GlobalUsings |
|
||||||
|
| Business logic | Service/ | Jobs, Email services, App settings |
|
||||||
|
| API endpoints | WebApi/Controllers/ | DTO patterns, REST controllers |
|
||||||
|
| Frontend views | Web/src/views/ | Vue composition API |
|
||||||
|
| API clients | Web/src/api/ | Axios-based HTTP clients |
|
||||||
|
| Tests | WebApi.Test/ | xUnit + NSubstitute + FluentAssertions |
|
||||||
|
|
||||||
|
## Build & Test Commands
|
||||||
|
|
||||||
|
### Backend (.NET 10)
|
||||||
|
```bash
|
||||||
|
# Build and run
|
||||||
|
dotnet build EmailBill.sln
|
||||||
|
dotnet run --project WebApi/WebApi.csproj
|
||||||
|
|
||||||
|
# Run all tests
|
||||||
|
dotnet test WebApi.Test/WebApi.Test.csproj
|
||||||
|
|
||||||
|
# Run single test class
|
||||||
|
dotnet test --filter "FullyQualifiedName~BudgetStatsTest"
|
||||||
|
|
||||||
|
# Run single test method
|
||||||
|
dotnet test --filter "FullyQualifiedName~BudgetStatsTest.GetCategoryStats_月度_Test"
|
||||||
|
|
||||||
|
# Clean
|
||||||
|
dotnet clean EmailBill.sln
|
||||||
|
```
|
||||||
|
|
||||||
|
### Frontend (Vue 3)
|
||||||
|
```bash
|
||||||
|
cd Web
|
||||||
|
|
||||||
|
# Setup and dev
|
||||||
|
pnpm install
|
||||||
|
pnpm dev
|
||||||
|
|
||||||
|
# Build and preview
|
||||||
|
pnpm build
|
||||||
|
pnpm preview
|
||||||
|
|
||||||
|
# Lint and format
|
||||||
|
pnpm lint # ESLint with auto-fix
|
||||||
|
pnpm format # Prettier formatting
|
||||||
|
```
|
||||||
|
|
||||||
|
## C# Code Style
|
||||||
|
|
||||||
|
**Namespaces & Imports:**
|
||||||
|
- File-scoped namespaces: `namespace Entity;`
|
||||||
|
- Global usings in `Common/GlobalUsings.cs`
|
||||||
|
- Sort using statements alphabetically
|
||||||
|
|
||||||
|
**Naming:**
|
||||||
|
- Classes/Methods: `PascalCase`
|
||||||
|
- Interfaces: `IPascalCase`
|
||||||
|
- Private fields: `_camelCase`
|
||||||
|
- Parameters/locals: `camelCase`
|
||||||
|
|
||||||
|
**Entities:**
|
||||||
|
- Inherit from `BaseEntity`
|
||||||
|
- Use `[Column]` attributes for FreeSql ORM
|
||||||
|
- IDs via Snowflake: `YitIdHelper.NextId()`
|
||||||
|
- Use XML docs (`///`) for public APIs
|
||||||
|
- **Chinese comments for business logic** (per `.github/csharpe.prompt.md`)
|
||||||
|
|
||||||
|
**Best Practices:**
|
||||||
|
- Use modern C# syntax (records, pattern matching, nullable types)
|
||||||
|
- Use `IDateTimeProvider` instead of `DateTime.Now` for testability
|
||||||
|
- Avoid deep nesting, keep code flat and readable
|
||||||
|
- Reuse utilities from `Common` project
|
||||||
|
|
||||||
|
**Example:**
|
||||||
|
```csharp
|
||||||
|
namespace Entity;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 实体基类
|
||||||
|
/// </summary>
|
||||||
|
public abstract class BaseEntity
|
||||||
|
{
|
||||||
|
[Column(IsPrimary = true)]
|
||||||
|
public long Id { get; set; } = YitIdHelper.NextId();
|
||||||
|
|
||||||
|
public DateTime CreateTime { get; set; } = DateTime.Now;
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
## Vue/TypeScript Style
|
||||||
|
|
||||||
|
**Component Structure:**
|
||||||
|
```vue
|
||||||
|
<template>
|
||||||
|
<van-config-provider :theme="theme">
|
||||||
|
<div class="component-name">
|
||||||
|
<!-- Content -->
|
||||||
|
</div>
|
||||||
|
</van-config-provider>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup lang="ts">
|
||||||
|
import { ref } from 'vue'
|
||||||
|
import { useMessageStore } from '@/stores/message'
|
||||||
|
|
||||||
|
const messageStore = useMessageStore()
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped lang="scss">
|
||||||
|
.component-name {
|
||||||
|
padding: 16px;
|
||||||
|
}
|
||||||
|
</style>
|
||||||
|
```
|
||||||
|
|
||||||
|
**Rules:**
|
||||||
|
- Composition API with `<script setup lang="ts">`
|
||||||
|
- Import order: Vue APIs → external libs → internal modules
|
||||||
|
- Use `@/` alias for absolute imports, avoid `../../../`
|
||||||
|
- Vant UI components: `<van-*>`
|
||||||
|
- Pinia for state, Vue Router for navigation
|
||||||
|
- SCSS with BEM naming, mobile-first design
|
||||||
|
|
||||||
|
**ESLint Rules (see `Web/eslint.config.js`):**
|
||||||
|
- 2-space indentation
|
||||||
|
- Single quotes, no semicolons
|
||||||
|
- `const` over `let`, no `var`
|
||||||
|
- Always use `===` (strict equality)
|
||||||
|
- `space-before-function-paren: 'always'`
|
||||||
|
- Max 1 empty line between blocks
|
||||||
|
- Vue: multi-word component names disabled
|
||||||
|
|
||||||
|
**Prettier Rules (see `Web/.prettierrc.json`):**
|
||||||
|
- Single quotes, no semicolons
|
||||||
|
- Trailing commas: none
|
||||||
|
- Print width: 100 chars
|
||||||
|
|
||||||
|
## Testing
|
||||||
|
|
||||||
|
**Backend (xUnit + NSubstitute + FluentAssertions):**
|
||||||
|
```csharp
|
||||||
|
public class BudgetStatsTest : BaseTest
|
||||||
|
{
|
||||||
|
private readonly IBudgetRepository _repo = Substitute.For<IBudgetRepository>();
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_月度_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
_repo.GetAllAsync().Returns(testData);
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetCategoryStatsAsync(category, date);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
result.Month.Limit.Should().Be(2500);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
- Arrange-Act-Assert pattern
|
||||||
|
- Constructor injection for dependencies
|
||||||
|
- Use Chinese test method names for domain clarity
|
||||||
|
|
||||||
|
**Frontend:**
|
||||||
|
- Vue Test Utils for components
|
||||||
|
- axios-mock-adapter for API mocking
|
||||||
|
|
||||||
|
## Development Workflow
|
||||||
|
|
||||||
|
1. **Before committing backend:** `dotnet test`
|
||||||
|
2. **Before committing frontend:** `pnpm lint && pnpm build`
|
||||||
|
3. **Database migrations:** Use FreeSql (check `Repository/`)
|
||||||
|
4. **API docs:** Scalar OpenAPI viewer
|
||||||
|
|
||||||
|
## Environment
|
||||||
|
|
||||||
|
**Required:**
|
||||||
|
- .NET 10 SDK
|
||||||
|
- Node.js 20.19+ or 22.12+
|
||||||
|
- pnpm
|
||||||
|
|
||||||
|
**Database:** SQLite (embedded)
|
||||||
|
|
||||||
|
**Config:**
|
||||||
|
- Backend: `appsettings.json`
|
||||||
|
- Frontend: `.env.development` / `.env.production`
|
||||||
|
|
||||||
|
## Critical Guidelines (from `.github/csharpe.prompt.md`)
|
||||||
|
|
||||||
|
- 优先使用新C#语法 (Use modern C# syntax)
|
||||||
|
- 优先使用中文注释 (Prefer Chinese comments for business logic)
|
||||||
|
- 优先复用已有方法 (Reuse existing methods)
|
||||||
|
- 不要深嵌套代码 (Avoid deep nesting)
|
||||||
|
- 保持代码简洁易读 (Keep code clean and readable)
|
||||||
44
Entity/AGENTS.md
Normal file
44
Entity/AGENTS.md
Normal file
@@ -0,0 +1,44 @@
|
|||||||
|
# ENTITY LAYER KNOWLEDGE BASE
|
||||||
|
|
||||||
|
**Generated:** 2026-01-28
|
||||||
|
**Parent:** EmailBill/AGENTS.md
|
||||||
|
|
||||||
|
## OVERVIEW
|
||||||
|
Database entities using FreeSql ORM with BaseEntity inheritance pattern.
|
||||||
|
|
||||||
|
## STRUCTURE
|
||||||
|
```
|
||||||
|
Entity/
|
||||||
|
├── BaseEntity.cs # Base entity with Snowflake ID
|
||||||
|
├── GlobalUsings.cs # Common imports
|
||||||
|
├── BudgetRecord.cs # Budget tracking entity
|
||||||
|
├── TransactionRecord.cs # Transaction entity
|
||||||
|
├── EmailMessage.cs # Email processing entity
|
||||||
|
└── MessageRecord.cs # Message entity
|
||||||
|
```
|
||||||
|
|
||||||
|
## WHERE TO LOOK
|
||||||
|
| Task | Location | Notes |
|
||||||
|
|------|----------|-------|
|
||||||
|
| Base entity pattern | BaseEntity.cs | Snowflake ID, audit fields |
|
||||||
|
| Budget entities | BudgetRecord.cs, BudgetArchive.cs | Budget tracking |
|
||||||
|
| Transaction entities | TransactionRecord.cs, TransactionPeriodic.cs | Financial transactions |
|
||||||
|
| Email entities | EmailMessage.cs, MessageRecord.cs | Email processing |
|
||||||
|
|
||||||
|
## CONVENTIONS
|
||||||
|
- Inherit from BaseEntity for all entities
|
||||||
|
- Use [Column] attributes for FreeSql mapping
|
||||||
|
- Snowflake IDs via YitIdHelper.NextId()
|
||||||
|
- Chinese comments for business logic
|
||||||
|
- XML docs for public APIs
|
||||||
|
|
||||||
|
## ANTI-PATTERNS (THIS LAYER)
|
||||||
|
- Never use DateTime.Now (use IDateTimeProvider)
|
||||||
|
- Don't skip BaseEntity inheritance
|
||||||
|
- Avoid complex business logic in entities
|
||||||
|
- No database queries in entity classes
|
||||||
|
|
||||||
|
## UNIQUE STYLES
|
||||||
|
- Fluent Chinese naming for business concepts
|
||||||
|
- Audit fields (CreateTime, UpdateTime) automatic
|
||||||
|
- Soft delete patterns via UpdateTime nullability
|
||||||
@@ -14,4 +14,11 @@ public class TransactionCategory : BaseEntity
|
|||||||
/// 交易类型(支出/收入)
|
/// 交易类型(支出/收入)
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public TransactionType Type { get; set; }
|
public TransactionType Type { get; set; }
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 图标(SVG格式,JSON数组存储5个图标供选择)
|
||||||
|
/// 示例:["<svg>...</svg>", "<svg>...</svg>", ...]
|
||||||
|
/// </summary>
|
||||||
|
[Column(StringLength = -1)]
|
||||||
|
public string? Icon { get; set; }
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
namespace Entity;
|
namespace Entity;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 银行交易记录(由邮件解析生成)
|
/// 银行交易记录(由邮件解析生成)
|
||||||
@@ -20,11 +20,6 @@ public class TransactionRecord : BaseEntity
|
|||||||
/// </summary>
|
/// </summary>
|
||||||
public decimal Amount { get; set; }
|
public decimal Amount { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 退款金额
|
|
||||||
/// </summary>
|
|
||||||
public decimal RefundAmount { get; set; }
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 交易后余额
|
/// 交易后余额
|
||||||
/// </summary>
|
/// </summary>
|
||||||
@@ -69,6 +64,11 @@ public class TransactionRecord : BaseEntity
|
|||||||
/// 导入来源
|
/// 导入来源
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public string ImportFrom { get; set; } = string.Empty;
|
public string ImportFrom { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 退款金额
|
||||||
|
/// </summary>
|
||||||
|
public decimal RefundAmount { get; set; }
|
||||||
}
|
}
|
||||||
|
|
||||||
public enum TransactionType
|
public enum TransactionType
|
||||||
|
|||||||
156
REFACTORING_SUMMARY.md
Normal file
156
REFACTORING_SUMMARY.md
Normal file
@@ -0,0 +1,156 @@
|
|||||||
|
# TransactionRecordRepository 重构总结
|
||||||
|
|
||||||
|
## 重构目标
|
||||||
|
|
||||||
|
简化账单仓储,移除内存聚合逻辑,将聚合逻辑移到Service层,提高代码可测试性和可维护性。
|
||||||
|
|
||||||
|
## 主要变更
|
||||||
|
|
||||||
|
### 1. 创建新的仓储层 (TransactionRecordRepository.cs)
|
||||||
|
|
||||||
|
**简化后的接口方法:**
|
||||||
|
- `QueryAsync` - 统一的查询方法,支持多种筛选条件和分页
|
||||||
|
- `CountAsync` - 统一的计数方法
|
||||||
|
- `GetDistinctClassifyAsync` - 获取所有分类
|
||||||
|
- `GetByEmailIdAsync` - 按邮件ID查询
|
||||||
|
- `GetUnclassifiedAsync` - 获取未分类账单
|
||||||
|
- `GetClassifiedByKeywordsAsync` - 关键词查询已分类账单
|
||||||
|
- `GetUnconfirmedRecordsAsync` - 获取待确认账单
|
||||||
|
- `BatchUpdateByReasonAsync` - 批量更新分类
|
||||||
|
- `UpdateCategoryNameAsync` - 更新分类名称
|
||||||
|
- `ConfirmAllUnconfirmedAsync` - 确认待确认分类
|
||||||
|
- `ExistsByEmailMessageIdAsync` - 检查邮件是否存在
|
||||||
|
- `ExistsByImportNoAsync` - 检查导入编号是否存在
|
||||||
|
|
||||||
|
**移除的方法(移到Service层):**
|
||||||
|
- `GetDailyStatisticsAsync` - 日统计
|
||||||
|
- `GetDailyStatisticsByRangeAsync` - 范围日统计
|
||||||
|
- `GetMonthlyStatisticsAsync` - 月度统计
|
||||||
|
- `GetCategoryStatisticsAsync` - 分类统计
|
||||||
|
- `GetTrendStatisticsAsync` - 趋势统计
|
||||||
|
- `GetReasonGroupsAsync` - 按摘要分组统计
|
||||||
|
- `GetClassifiedByKeywordsWithScoreAsync` - 关键词匹配(带分数)
|
||||||
|
- `GetFilteredTrendStatisticsAsync` - 过滤趋势统计
|
||||||
|
- `GetAmountGroupByClassifyAsync` - 按分类分组统计
|
||||||
|
|
||||||
|
### 2. 创建统计服务层 (TransactionStatisticsService.cs)
|
||||||
|
|
||||||
|
新增 `ITransactionStatisticsService` 接口和实现,负责所有聚合统计逻辑:
|
||||||
|
|
||||||
|
**主要方法:**
|
||||||
|
- `GetDailyStatisticsAsync` - 日统计(内存聚合)
|
||||||
|
- `GetDailyStatisticsByRangeAsync` - 范围日统计(内存聚合)
|
||||||
|
- `GetMonthlyStatisticsAsync` - 月度统计(内存聚合)
|
||||||
|
- `GetCategoryStatisticsAsync` - 分类统计(内存聚合)
|
||||||
|
- `GetTrendStatisticsAsync` - 趋势统计(内存聚合)
|
||||||
|
- `GetReasonGroupsAsync` - 按摘要分组统计(内存聚合,解决N+1问题)
|
||||||
|
- `GetClassifiedByKeywordsWithScoreAsync` - 关键词匹配(内存计算相关度)
|
||||||
|
- `GetFilteredTrendStatisticsAsync` - 过滤趋势统计(内存聚合)
|
||||||
|
- `GetAmountGroupByClassifyAsync` - 按分类分组统计(内存聚合)
|
||||||
|
|
||||||
|
### 3. 创建DTO文件 (TransactionStatisticsDto.cs)
|
||||||
|
|
||||||
|
将统计相关的DTO类从Repository移到独立文件:
|
||||||
|
- `ReasonGroupDto` - 按摘要分组统计DTO
|
||||||
|
- `MonthlyStatistics` - 月度统计数据
|
||||||
|
- `CategoryStatistics` - 分类统计数据
|
||||||
|
- `TrendStatistics` - 趋势统计数据
|
||||||
|
|
||||||
|
### 4. 更新Controller (TransactionRecordController.cs)
|
||||||
|
|
||||||
|
- 注入 `ITransactionStatisticsService`
|
||||||
|
- 将所有统计方法的调用从 `transactionRepository` 改为 `transactionStatisticsService`
|
||||||
|
- 将 `GetPagedListAsync` 改为 `QueryAsync`
|
||||||
|
- 将 `GetTotalCountAsync` 改为 `CountAsync`
|
||||||
|
- 将 `GetByDateRangeAsync` 改为 `QueryAsync`
|
||||||
|
- 将 `GetUnclassifiedCountAsync` 改为 `CountAsync`
|
||||||
|
|
||||||
|
### 5. 更新Service层
|
||||||
|
|
||||||
|
**SmartHandleService:**
|
||||||
|
- 注入 `ITransactionStatisticsService`
|
||||||
|
- 将 `GetClassifiedByKeywordsWithScoreAsync` 调用改为使用统计服务
|
||||||
|
|
||||||
|
**BudgetService:**
|
||||||
|
- 注入 `ITransactionStatisticsService`
|
||||||
|
- 将 `GetCategoryStatisticsAsync` 调用改为使用统计服务
|
||||||
|
|
||||||
|
**BudgetStatsService:**
|
||||||
|
- 注入 `ITransactionStatisticsService`
|
||||||
|
- 将所有 `GetFilteredTrendStatisticsAsync` 调用改为使用统计服务
|
||||||
|
|
||||||
|
**BudgetSavingsService:**
|
||||||
|
- 注入 `ITransactionStatisticsService`
|
||||||
|
- 将所有 `GetAmountGroupByClassifyAsync` 调用改为使用统计服务
|
||||||
|
|
||||||
|
### 6. 更新测试文件
|
||||||
|
|
||||||
|
**BudgetStatsTest.cs:**
|
||||||
|
- 添加 `ITransactionStatisticsService` Mock
|
||||||
|
- 更新构造函数参数
|
||||||
|
- 将所有 `GetFilteredTrendStatisticsAsync` Mock调用改为使用统计服务
|
||||||
|
|
||||||
|
**BudgetSavingsTest.cs:**
|
||||||
|
- 添加 `ITransactionStatisticsService` Mock
|
||||||
|
- 更新构造函数参数
|
||||||
|
- 将所有 `GetAmountGroupByClassifyAsync` Mock调用改为使用统计服务
|
||||||
|
|
||||||
|
## 重构优势
|
||||||
|
|
||||||
|
### 1. 职责分离
|
||||||
|
- **Repository层**:只负责数据查询,返回原始数据
|
||||||
|
- **Service层**:负责业务逻辑和数据聚合
|
||||||
|
|
||||||
|
### 2. 可测试性提升
|
||||||
|
- Repository层的方法更简单,易于Mock
|
||||||
|
- Service层可以独立测试聚合逻辑
|
||||||
|
- 测试时可以精确控制聚合行为
|
||||||
|
|
||||||
|
### 3. 性能优化
|
||||||
|
- 解决了 `GetReasonGroupsAsync` 中的N+1查询问题
|
||||||
|
- 将内存聚合逻辑集中管理,便于后续优化
|
||||||
|
- 减少了数据库聚合操作,避免大数据量时的性能问题
|
||||||
|
|
||||||
|
### 4. 代码可维护性
|
||||||
|
- 统一的查询接口 `QueryAsync` 和 `CountAsync`
|
||||||
|
- 减少了代码重复
|
||||||
|
- 更清晰的职责划分
|
||||||
|
|
||||||
|
### 5. 扩展性
|
||||||
|
- 新增统计功能只需在Service层添加
|
||||||
|
- Repository层保持稳定,不受业务逻辑变化影响
|
||||||
|
|
||||||
|
## 测试结果
|
||||||
|
|
||||||
|
所有测试通过:
|
||||||
|
- BudgetStatsTest: 7个测试全部通过
|
||||||
|
- BudgetSavingsTest: 7个测试全部通过
|
||||||
|
- 总计: 14个测试全部通过
|
||||||
|
|
||||||
|
## 注意事项
|
||||||
|
|
||||||
|
### 1. 性能考虑
|
||||||
|
- 当前使用内存聚合,适合中小数据量
|
||||||
|
- 如果数据量很大,可以考虑在Service层使用分页查询+增量聚合
|
||||||
|
- 对于需要实时聚合的场景,可以考虑缓存
|
||||||
|
|
||||||
|
### 2. 警告处理
|
||||||
|
编译时有3个未使用参数的警告:
|
||||||
|
- `TransactionStatisticsService` 的 `textSegmentService` 参数未使用
|
||||||
|
- `BudgetStatsService` 的 `transactionRecordRepository` 参数未使用
|
||||||
|
- `BudgetSavingsService` 的 `transactionsRepository` 参数未使用
|
||||||
|
|
||||||
|
这些参数暂时保留,可能在未来使用,可以通过添加 `_ = parameter;` 来消除警告。
|
||||||
|
|
||||||
|
### 3. 向后兼容
|
||||||
|
- Controller的API接口保持不变
|
||||||
|
- 前端无需修改
|
||||||
|
- 数据库结构无变化
|
||||||
|
|
||||||
|
## 后续优化建议
|
||||||
|
|
||||||
|
1. **添加缓存**:对于频繁查询的统计数据,可以添加缓存机制
|
||||||
|
2. **分页聚合**:对于大数据量的聚合,可以实现分页聚合策略
|
||||||
|
3. **异步优化**:某些聚合操作可以并行执行以提高性能
|
||||||
|
4. **监控指标**:添加聚合查询的性能监控
|
||||||
|
5. **单元测试**:为 `TransactionStatisticsService` 添加专门的单元测试
|
||||||
46
Repository/AGENTS.md
Normal file
46
Repository/AGENTS.md
Normal file
@@ -0,0 +1,46 @@
|
|||||||
|
# REPOSITORY LAYER KNOWLEDGE BASE
|
||||||
|
|
||||||
|
**Generated:** 2026-01-28
|
||||||
|
**Parent:** EmailBill/AGENTS.md
|
||||||
|
|
||||||
|
## OVERVIEW
|
||||||
|
Data access layer using FreeSql with BaseRepository pattern and global usings.
|
||||||
|
|
||||||
|
## STRUCTURE
|
||||||
|
```
|
||||||
|
Repository/
|
||||||
|
├── BaseRepository.cs # Generic repository base
|
||||||
|
├── GlobalUsings.cs # Common imports
|
||||||
|
├── BudgetRepository.cs # Budget data access
|
||||||
|
├── TransactionRecordRepository.cs # Transaction data access
|
||||||
|
├── EmailMessageRepository.cs # Email data access
|
||||||
|
└── TransactionStatisticsDto.cs # Statistics DTOs
|
||||||
|
```
|
||||||
|
|
||||||
|
## WHERE TO LOOK
|
||||||
|
| Task | Location | Notes |
|
||||||
|
|------|----------|-------|
|
||||||
|
| Base patterns | BaseRepository.cs | Generic CRUD operations |
|
||||||
|
| Budget data | BudgetRepository.cs | Budget queries and updates |
|
||||||
|
| Transaction data | TransactionRecordRepository.cs | Financial data access |
|
||||||
|
| Email data | EmailMessageRepository.cs | Email processing storage |
|
||||||
|
| Statistics | TransactionStatisticsDto.cs | Data transfer objects |
|
||||||
|
|
||||||
|
## CONVENTIONS
|
||||||
|
- Inherit from BaseRepository<T> for all repositories
|
||||||
|
- Use GlobalUsings.cs for shared imports
|
||||||
|
- Async/await pattern for all database operations
|
||||||
|
- Method names: GetAllAsync, GetByIdAsync, InsertAsync, UpdateAsync
|
||||||
|
- Return domain entities, not DTOs (except in query results)
|
||||||
|
|
||||||
|
## ANTI-PATTERNS (THIS LAYER)
|
||||||
|
- Never return anonymous types from methods
|
||||||
|
- Don't expose FreeSql ISelect directly
|
||||||
|
- Avoid business logic in repositories
|
||||||
|
- No synchronous database calls
|
||||||
|
- Don't mix data access with service logic
|
||||||
|
|
||||||
|
## UNIQUE STYLES
|
||||||
|
- Generic constraints: where T : BaseEntity
|
||||||
|
- Fluent query building with FreeSql extension methods
|
||||||
|
- Paged query patterns for large datasets
|
||||||
@@ -43,7 +43,7 @@ public class BudgetRepository(IFreeSql freeSql) : BaseRepository<BudgetRecord>(f
|
|||||||
foreach (var record in records)
|
foreach (var record in records)
|
||||||
{
|
{
|
||||||
var categories = record.SelectedCategories.Split(',').ToList();
|
var categories = record.SelectedCategories.Split(',').ToList();
|
||||||
for (int i = 0; i < categories.Count; i++)
|
for (var i = 0; i < categories.Count; i++)
|
||||||
{
|
{
|
||||||
if (categories[i] == oldName)
|
if (categories[i] == oldName)
|
||||||
{
|
{
|
||||||
|
|||||||
@@ -3,4 +3,5 @@ global using Entity;
|
|||||||
global using System.Linq;
|
global using System.Linq;
|
||||||
global using System.Data;
|
global using System.Data;
|
||||||
global using System.Dynamic;
|
global using System.Dynamic;
|
||||||
|
global using FreeSql;
|
||||||
|
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
namespace Repository;
|
namespace Repository;
|
||||||
|
|
||||||
public interface ITransactionRecordRepository : IBaseRepository<TransactionRecord>
|
public interface ITransactionRecordRepository : IBaseRepository<TransactionRecord>
|
||||||
{
|
{
|
||||||
@@ -6,223 +6,102 @@ public interface ITransactionRecordRepository : IBaseRepository<TransactionRecor
|
|||||||
|
|
||||||
Task<TransactionRecord?> ExistsByImportNoAsync(string importNo, string importFrom);
|
Task<TransactionRecord?> ExistsByImportNoAsync(string importNo, string importFrom);
|
||||||
|
|
||||||
/// <summary>
|
Task<List<TransactionRecord>> QueryAsync(
|
||||||
/// 分页获取交易记录列表
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="pageIndex">页码,从1开始</param>
|
|
||||||
/// <param name="pageSize">每页数量</param>
|
|
||||||
/// <param name="searchKeyword">搜索关键词(搜索交易摘要和分类)</param>
|
|
||||||
/// <param name="classifies">筛选分类列表</param>
|
|
||||||
/// <param name="type">筛选交易类型</param>
|
|
||||||
/// <param name="year">筛选年份</param>
|
|
||||||
/// <param name="month">筛选月份</param>
|
|
||||||
/// <param name="startDate">筛选开始日期</param>
|
|
||||||
/// <param name="endDate">筛选结束日期</param>
|
|
||||||
/// <param name="reason">筛选交易摘要</param>
|
|
||||||
/// <param name="sortByAmount">是否按金额降序排列,默认为false按时间降序</param>
|
|
||||||
/// <returns>交易记录列表</returns>
|
|
||||||
Task<List<TransactionRecord>> GetPagedListAsync(
|
|
||||||
int pageIndex = 1,
|
|
||||||
int pageSize = 20,
|
|
||||||
string? searchKeyword = null,
|
|
||||||
string[]? classifies = null,
|
|
||||||
TransactionType? type = null,
|
|
||||||
int? year = null,
|
int? year = null,
|
||||||
int? month = null,
|
int? month = null,
|
||||||
DateTime? startDate = null,
|
DateTime? startDate = null,
|
||||||
DateTime? endDate = null,
|
DateTime? endDate = null,
|
||||||
|
TransactionType? type = null,
|
||||||
|
string[]? classifies = null,
|
||||||
|
string? searchKeyword = null,
|
||||||
string? reason = null,
|
string? reason = null,
|
||||||
|
int pageIndex = 1,
|
||||||
|
int pageSize = int.MaxValue,
|
||||||
bool sortByAmount = false);
|
bool sortByAmount = false);
|
||||||
|
|
||||||
/// <summary>
|
Task<long> CountAsync(
|
||||||
/// 获取总数
|
|
||||||
/// </summary>
|
|
||||||
Task<long> GetTotalCountAsync(
|
|
||||||
string? searchKeyword = null,
|
|
||||||
string[]? classifies = null,
|
|
||||||
TransactionType? type = null,
|
|
||||||
int? year = null,
|
int? year = null,
|
||||||
int? month = null,
|
int? month = null,
|
||||||
DateTime? startDate = null,
|
DateTime? startDate = null,
|
||||||
DateTime? endDate = null,
|
DateTime? endDate = null,
|
||||||
|
TransactionType? type = null,
|
||||||
|
string[]? classifies = null,
|
||||||
|
string? searchKeyword = null,
|
||||||
string? reason = null);
|
string? reason = null);
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取所有不同的交易分类
|
|
||||||
/// </summary>
|
|
||||||
Task<List<string>> GetDistinctClassifyAsync();
|
Task<List<string>> GetDistinctClassifyAsync();
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取指定月份每天的消费统计
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="year">年份</param>
|
|
||||||
/// <param name="month">月份</param>
|
|
||||||
/// <param name="savingClassify"></param>
|
|
||||||
/// <returns>每天的消费笔数和金额详情</returns>
|
|
||||||
Task<Dictionary<string, (int count, decimal expense, decimal income, decimal saving)>> GetDailyStatisticsAsync(int year, int month, string? savingClassify = null);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取指定日期范围内的每日统计
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="startDate">开始日期</param>
|
|
||||||
/// <param name="endDate">结束日期</param>
|
|
||||||
/// <param name="savingClassify"></param>
|
|
||||||
/// <returns>每天的消费笔数和金额详情</returns>
|
|
||||||
Task<Dictionary<string, (int count, decimal expense, decimal income, decimal saving)>> GetDailyStatisticsByRangeAsync(DateTime startDate, DateTime endDate, string? savingClassify = null);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取指定日期范围内的交易记录
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="startDate">开始日期</param>
|
|
||||||
/// <param name="endDate">结束日期</param>
|
|
||||||
/// <returns>交易记录列表</returns>
|
|
||||||
Task<List<TransactionRecord>> GetByDateRangeAsync(DateTime startDate, DateTime endDate);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取指定邮件的交易记录数量
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="emailMessageId">邮件ID</param>
|
|
||||||
/// <returns>交易记录数量</returns>
|
|
||||||
Task<int> GetCountByEmailIdAsync(long emailMessageId);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取月度统计数据
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="year">年份</param>
|
|
||||||
/// <param name="month">月份</param>
|
|
||||||
/// <returns>月度统计数据</returns>
|
|
||||||
Task<MonthlyStatistics> GetMonthlyStatisticsAsync(int year, int month);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取分类统计数据
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="year">年份</param>
|
|
||||||
/// <param name="month">月份</param>
|
|
||||||
/// <param name="type">交易类型(0:支出, 1:收入)</param>
|
|
||||||
/// <returns>分类统计列表</returns>
|
|
||||||
Task<List<CategoryStatistics>> GetCategoryStatisticsAsync(int year, int month, TransactionType type);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取多个月的趋势统计数据
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="startYear">开始年份</param>
|
|
||||||
/// <param name="startMonth">开始月份</param>
|
|
||||||
/// <param name="monthCount">月份数量</param>
|
|
||||||
/// <returns>趋势统计列表</returns>
|
|
||||||
Task<List<TrendStatistics>> GetTrendStatisticsAsync(int startYear, int startMonth, int monthCount);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取指定邮件的交易记录列表
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="emailMessageId">邮件ID</param>
|
|
||||||
/// <returns>交易记录列表</returns>
|
|
||||||
Task<List<TransactionRecord>> GetByEmailIdAsync(long emailMessageId);
|
Task<List<TransactionRecord>> GetByEmailIdAsync(long emailMessageId);
|
||||||
|
|
||||||
/// <summary>
|
Task<int> GetCountByEmailIdAsync(long emailMessageId);
|
||||||
/// 获取未分类的账单数量
|
|
||||||
/// </summary>
|
|
||||||
/// <returns>未分类账单数量</returns>
|
|
||||||
Task<int> GetUnclassifiedCountAsync();
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取未分类的账单列表
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="pageSize">每页数量</param>
|
|
||||||
/// <returns>未分类账单列表</returns>
|
|
||||||
Task<List<TransactionRecord>> GetUnclassifiedAsync(int pageSize = 10);
|
Task<List<TransactionRecord>> GetUnclassifiedAsync(int pageSize = 10);
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取按交易摘要(Reason)分组的统计信息(支持分页)
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="pageIndex">页码,从1开始</param>
|
|
||||||
/// <param name="pageSize">每页数量</param>
|
|
||||||
/// <returns>分组统计列表和总数</returns>
|
|
||||||
Task<(List<ReasonGroupDto> list, int total)> GetReasonGroupsAsync(int pageIndex = 1, int pageSize = 20);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 按摘要批量更新交易记录的分类
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="reason">交易摘要</param>
|
|
||||||
/// <param name="type">交易类型</param>
|
|
||||||
/// <param name="classify">分类名称</param>
|
|
||||||
/// <returns>更新的记录数量</returns>
|
|
||||||
Task<int> BatchUpdateByReasonAsync(string reason, TransactionType type, string classify);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 根据关键词查询交易记录(模糊匹配Reason字段)
|
|
||||||
/// </summary>
|
|
||||||
/// <returns>匹配的交易记录列表</returns>
|
|
||||||
Task<List<TransactionRecord>> QueryByWhereAsync(string sql);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 执行完整的SQL查询
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="completeSql">完整的SELECT SQL语句</param>
|
|
||||||
/// <returns>查询结果列表</returns>
|
|
||||||
Task<List<TransactionRecord>> ExecuteRawSqlAsync(string completeSql);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 根据关键词查询已分类的账单(用于智能分类参考)
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="keywords">关键词列表</param>
|
|
||||||
/// <param name="limit">返回结果数量限制</param>
|
|
||||||
/// <returns>已分类的账单列表</returns>
|
|
||||||
Task<List<TransactionRecord>> GetClassifiedByKeywordsAsync(List<string> keywords, int limit = 10);
|
Task<List<TransactionRecord>> GetClassifiedByKeywordsAsync(List<string> keywords, int limit = 10);
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 根据关键词查询已分类的账单,并计算相关度分数
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="keywords">关键词列表</param>
|
|
||||||
/// <param name="minMatchRate">最小匹配率(0.0-1.0),默认0.3表示至少匹配30%的关键词</param>
|
|
||||||
/// <param name="limit">返回结果数量限制</param>
|
|
||||||
/// <returns>带相关度分数的已分类账单列表</returns>
|
|
||||||
Task<List<(TransactionRecord record, double relevanceScore)>> GetClassifiedByKeywordsWithScoreAsync(List<string> keywords, double minMatchRate = 0.3, int limit = 10);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取抵账候选列表
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="currentId">当前交易ID</param>
|
|
||||||
/// <param name="amount">当前交易金额</param>
|
|
||||||
/// <param name="currentType">当前交易类型</param>
|
|
||||||
/// <returns>候选交易列表</returns>
|
|
||||||
Task<List<TransactionRecord>> GetCandidatesForOffsetAsync(long currentId, decimal amount, TransactionType currentType);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取待确认分类的账单列表
|
|
||||||
/// </summary>
|
|
||||||
/// <returns>待确认账单列表</returns>
|
|
||||||
Task<List<TransactionRecord>> GetUnconfirmedRecordsAsync();
|
Task<List<TransactionRecord>> GetUnconfirmedRecordsAsync();
|
||||||
|
|
||||||
/// <summary>
|
Task<int> BatchUpdateByReasonAsync(string reason, TransactionType type, string classify);
|
||||||
/// 全部确认待确认的分类
|
|
||||||
/// </summary>
|
|
||||||
/// <returns>影响行数</returns>
|
|
||||||
Task<int> ConfirmAllUnconfirmedAsync(long[] ids);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取指定分类在指定时间范围内的每日/每月统计趋势
|
|
||||||
/// </summary>
|
|
||||||
Task<Dictionary<DateTime, decimal>> GetFilteredTrendStatisticsAsync(
|
|
||||||
DateTime startDate,
|
|
||||||
DateTime endDate,
|
|
||||||
TransactionType type,
|
|
||||||
IEnumerable<string> classifies,
|
|
||||||
bool groupByMonth = false);
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 更新分类名称
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="oldName">旧分类名称</param>
|
|
||||||
/// <param name="newName">新分类名称</param>
|
|
||||||
/// <param name="type">交易类型</param>
|
|
||||||
/// <returns>影响行数</returns>
|
|
||||||
Task<int> UpdateCategoryNameAsync(string oldName, string newName, TransactionType type);
|
Task<int> UpdateCategoryNameAsync(string oldName, string newName, TransactionType type);
|
||||||
|
|
||||||
Task<Dictionary<(string, TransactionType), decimal>> GetAmountGroupByClassifyAsync(DateTime startTime, DateTime endTime);
|
Task<int> ConfirmAllUnconfirmedAsync(long[] ids);
|
||||||
}
|
}
|
||||||
|
|
||||||
public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<TransactionRecord>(freeSql), ITransactionRecordRepository
|
public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<TransactionRecord>(freeSql), ITransactionRecordRepository
|
||||||
{
|
{
|
||||||
|
private ISelect<TransactionRecord> BuildQuery(
|
||||||
|
int? year = null,
|
||||||
|
int? month = null,
|
||||||
|
DateTime? startDate = null,
|
||||||
|
DateTime? endDate = null,
|
||||||
|
TransactionType? type = null,
|
||||||
|
string[]? classifies = null,
|
||||||
|
string? searchKeyword = null,
|
||||||
|
string? reason = null)
|
||||||
|
{
|
||||||
|
var query = FreeSql.Select<TransactionRecord>();
|
||||||
|
|
||||||
|
query = query.WhereIf(!string.IsNullOrWhiteSpace(searchKeyword),
|
||||||
|
t => t.Reason.Contains(searchKeyword!) ||
|
||||||
|
t.Classify.Contains(searchKeyword!) ||
|
||||||
|
t.Card.Contains(searchKeyword!) ||
|
||||||
|
t.ImportFrom.Contains(searchKeyword!))
|
||||||
|
.WhereIf(!string.IsNullOrWhiteSpace(reason),
|
||||||
|
t => t.Reason == reason);
|
||||||
|
|
||||||
|
if (classifies is { Length: > 0 })
|
||||||
|
{
|
||||||
|
var filterClassifies = classifies.Select(c => c == "未分类" ? string.Empty : c).ToList();
|
||||||
|
query = query.Where(t => filterClassifies.Contains(t.Classify));
|
||||||
|
}
|
||||||
|
|
||||||
|
query = query.WhereIf(type.HasValue, t => t.Type == type!.Value);
|
||||||
|
|
||||||
|
if (year.HasValue)
|
||||||
|
{
|
||||||
|
if (month.HasValue && month.Value > 0)
|
||||||
|
{
|
||||||
|
// 查询指定年月
|
||||||
|
var dateStart = new DateTime(year.Value, month.Value, 1);
|
||||||
|
var dateEnd = dateStart.AddMonths(1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
// 查询整年数据(1月1日到下年1月1日)
|
||||||
|
var dateStart = new DateTime(year.Value, 1, 1);
|
||||||
|
var dateEnd = new DateTime(year.Value + 1, 1, 1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
query = query.WhereIf(startDate.HasValue, t => t.OccurredAt >= startDate!.Value)
|
||||||
|
.WhereIf(endDate.HasValue, t => t.OccurredAt <= endDate!.Value);
|
||||||
|
|
||||||
|
return query;
|
||||||
|
}
|
||||||
|
|
||||||
public async Task<TransactionRecord?> ExistsByEmailMessageIdAsync(long emailMessageId, DateTime occurredAt)
|
public async Task<TransactionRecord?> ExistsByEmailMessageIdAsync(long emailMessageId, DateTime occurredAt)
|
||||||
{
|
{
|
||||||
return await FreeSql.Select<TransactionRecord>()
|
return await FreeSql.Select<TransactionRecord>()
|
||||||
@@ -237,56 +116,23 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
.FirstAsync();
|
.FirstAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<List<TransactionRecord>> GetPagedListAsync(
|
public async Task<List<TransactionRecord>> QueryAsync(
|
||||||
int pageIndex = 1,
|
|
||||||
int pageSize = 20,
|
|
||||||
string? searchKeyword = null,
|
|
||||||
string[]? classifies = null,
|
|
||||||
TransactionType? type = null,
|
|
||||||
int? year = null,
|
int? year = null,
|
||||||
int? month = null,
|
int? month = null,
|
||||||
DateTime? startDate = null,
|
DateTime? startDate = null,
|
||||||
DateTime? endDate = null,
|
DateTime? endDate = null,
|
||||||
|
TransactionType? type = null,
|
||||||
|
string[]? classifies = null,
|
||||||
|
string? searchKeyword = null,
|
||||||
string? reason = null,
|
string? reason = null,
|
||||||
|
int pageIndex = 1,
|
||||||
|
int pageSize = int.MaxValue,
|
||||||
bool sortByAmount = false)
|
bool sortByAmount = false)
|
||||||
{
|
{
|
||||||
var query = FreeSql.Select<TransactionRecord>();
|
var query = BuildQuery(year, month, startDate, endDate, type, classifies, searchKeyword, reason);
|
||||||
|
|
||||||
// 如果提供了搜索关键词,则添加搜索条件
|
|
||||||
query = query.WhereIf(!string.IsNullOrWhiteSpace(searchKeyword),
|
|
||||||
t => t.Reason.Contains(searchKeyword!) ||
|
|
||||||
t.Classify.Contains(searchKeyword!) ||
|
|
||||||
t.Card.Contains(searchKeyword!) ||
|
|
||||||
t.ImportFrom.Contains(searchKeyword!))
|
|
||||||
.WhereIf(!string.IsNullOrWhiteSpace(reason),
|
|
||||||
t => t.Reason == reason);
|
|
||||||
|
|
||||||
// 按分类筛选
|
|
||||||
if (classifies is { Length: > 0 })
|
|
||||||
{
|
|
||||||
var filterClassifies = classifies.Select(c => c == "未分类" ? string.Empty : c).ToList();
|
|
||||||
query = query.Where(t => filterClassifies.Contains(t.Classify));
|
|
||||||
}
|
|
||||||
|
|
||||||
// 按交易类型筛选
|
|
||||||
query = query.WhereIf(type.HasValue, t => t.Type == type!.Value);
|
|
||||||
|
|
||||||
// 按年月筛选
|
|
||||||
if (year.HasValue && month.HasValue)
|
|
||||||
{
|
|
||||||
var dateStart = new DateTime(year.Value, month.Value, 1);
|
|
||||||
var dateEnd = dateStart.AddMonths(1);
|
|
||||||
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
|
||||||
}
|
|
||||||
|
|
||||||
// 按日期范围筛选
|
|
||||||
query = query.WhereIf(startDate.HasValue, t => t.OccurredAt >= startDate!.Value)
|
|
||||||
.WhereIf(endDate.HasValue, t => t.OccurredAt <= endDate!.Value);
|
|
||||||
|
|
||||||
// 根据sortByAmount参数决定排序方式
|
|
||||||
if (sortByAmount)
|
if (sortByAmount)
|
||||||
{
|
{
|
||||||
// 按金额降序排列
|
|
||||||
return await query
|
return await query
|
||||||
.OrderByDescending(t => t.Amount)
|
.OrderByDescending(t => t.Amount)
|
||||||
.OrderByDescending(t => t.Id)
|
.OrderByDescending(t => t.Id)
|
||||||
@@ -294,7 +140,6 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
.ToListAsync();
|
.ToListAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
// 按时间降序排列
|
|
||||||
return await query
|
return await query
|
||||||
.OrderByDescending(t => t.OccurredAt)
|
.OrderByDescending(t => t.OccurredAt)
|
||||||
.OrderByDescending(t => t.Id)
|
.OrderByDescending(t => t.Id)
|
||||||
@@ -302,49 +147,17 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
.ToListAsync();
|
.ToListAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<long> GetTotalCountAsync(
|
public async Task<long> CountAsync(
|
||||||
string? searchKeyword = null,
|
|
||||||
string[]? classifies = null,
|
|
||||||
TransactionType? type = null,
|
|
||||||
int? year = null,
|
int? year = null,
|
||||||
int? month = null,
|
int? month = null,
|
||||||
DateTime? startDate = null,
|
DateTime? startDate = null,
|
||||||
DateTime? endDate = null,
|
DateTime? endDate = null,
|
||||||
|
TransactionType? type = null,
|
||||||
|
string[]? classifies = null,
|
||||||
|
string? searchKeyword = null,
|
||||||
string? reason = null)
|
string? reason = null)
|
||||||
{
|
{
|
||||||
var query = FreeSql.Select<TransactionRecord>();
|
var query = BuildQuery(year, month, startDate, endDate, type, classifies, searchKeyword, reason);
|
||||||
|
|
||||||
// 如果提供了搜索关键词,则添加搜索条件
|
|
||||||
query = query.WhereIf(!string.IsNullOrWhiteSpace(searchKeyword),
|
|
||||||
t => t.Reason.Contains(searchKeyword!) ||
|
|
||||||
t.Classify.Contains(searchKeyword!) ||
|
|
||||||
t.Card.Contains(searchKeyword!) ||
|
|
||||||
t.ImportFrom.Contains(searchKeyword!))
|
|
||||||
.WhereIf(!string.IsNullOrWhiteSpace(reason),
|
|
||||||
t => t.Reason == reason);
|
|
||||||
|
|
||||||
// 按分类筛选
|
|
||||||
if (classifies is { Length: > 0 })
|
|
||||||
{
|
|
||||||
var filterClassifies = classifies.Select(c => c == "未分类" ? string.Empty : c).ToList();
|
|
||||||
query = query.Where(t => filterClassifies.Contains(t.Classify));
|
|
||||||
}
|
|
||||||
|
|
||||||
// 按交易类型筛选
|
|
||||||
query = query.WhereIf(type.HasValue, t => t.Type == type!.Value);
|
|
||||||
|
|
||||||
// 按年月筛选
|
|
||||||
if (year.HasValue && month.HasValue)
|
|
||||||
{
|
|
||||||
var dateStart = new DateTime(year.Value, month.Value, 1);
|
|
||||||
var dateEnd = dateStart.AddMonths(1);
|
|
||||||
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
|
||||||
}
|
|
||||||
|
|
||||||
// 按日期范围筛选
|
|
||||||
query = query.WhereIf(startDate.HasValue, t => t.OccurredAt >= startDate!.Value)
|
|
||||||
.WhereIf(endDate.HasValue, t => t.OccurredAt <= endDate!.Value);
|
|
||||||
|
|
||||||
return await query.CountAsync();
|
return await query.CountAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -356,58 +169,6 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
.ToListAsync(t => t.Classify);
|
.ToListAsync(t => t.Classify);
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<Dictionary<string, (int count, decimal expense, decimal income, decimal saving)>> GetDailyStatisticsAsync(int year, int month, string? savingClassify = null)
|
|
||||||
{
|
|
||||||
var startDate = new DateTime(year, month, 1);
|
|
||||||
var endDate = startDate.AddMonths(1);
|
|
||||||
|
|
||||||
return await GetDailyStatisticsByRangeAsync(startDate, endDate, savingClassify);
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<Dictionary<string, (int count, decimal expense, decimal income, decimal saving)>> GetDailyStatisticsByRangeAsync(DateTime startDate, DateTime endDate, string? savingClassify = null)
|
|
||||||
{
|
|
||||||
var records = await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.OccurredAt >= startDate && t.OccurredAt < endDate)
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
var statistics = records
|
|
||||||
.GroupBy(t => t.OccurredAt.ToString("yyyy-MM-dd"))
|
|
||||||
.ToDictionary(
|
|
||||||
g => g.Key,
|
|
||||||
g =>
|
|
||||||
{
|
|
||||||
// 分别统计收入和支出
|
|
||||||
var income = g.Where(t => t.Type == TransactionType.Income).Sum(t => Math.Abs(t.Amount));
|
|
||||||
var expense = g.Where(t => t.Type == TransactionType.Expense).Sum(t => Math.Abs(t.Amount));
|
|
||||||
|
|
||||||
var saving = 0m;
|
|
||||||
if (!string.IsNullOrEmpty(savingClassify))
|
|
||||||
{
|
|
||||||
saving = g.Where(t => savingClassify.Split(',').Contains(t.Classify)).Sum(t => Math.Abs(t.Amount));
|
|
||||||
}
|
|
||||||
|
|
||||||
return (count: g.Count(), expense, income, saving);
|
|
||||||
}
|
|
||||||
);
|
|
||||||
|
|
||||||
return statistics;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<List<TransactionRecord>> GetByDateRangeAsync(DateTime startDate, DateTime endDate)
|
|
||||||
{
|
|
||||||
return await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.OccurredAt >= startDate && t.OccurredAt <= endDate)
|
|
||||||
.OrderBy(t => t.OccurredAt)
|
|
||||||
.ToListAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<int> GetCountByEmailIdAsync(long emailMessageId)
|
|
||||||
{
|
|
||||||
return (int)await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.EmailMessageId == emailMessageId)
|
|
||||||
.CountAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<List<TransactionRecord>> GetByEmailIdAsync(long emailMessageId)
|
public async Task<List<TransactionRecord>> GetByEmailIdAsync(long emailMessageId)
|
||||||
{
|
{
|
||||||
return await FreeSql.Select<TransactionRecord>()
|
return await FreeSql.Select<TransactionRecord>()
|
||||||
@@ -416,10 +177,10 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
.ToListAsync();
|
.ToListAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<int> GetUnclassifiedCountAsync()
|
public async Task<int> GetCountByEmailIdAsync(long emailMessageId)
|
||||||
{
|
{
|
||||||
return (int)await FreeSql.Select<TransactionRecord>()
|
return (int)await FreeSql.Select<TransactionRecord>()
|
||||||
.Where(t => string.IsNullOrEmpty(t.Classify))
|
.Where(t => t.EmailMessageId == emailMessageId)
|
||||||
.CountAsync();
|
.CountAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -432,188 +193,6 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
.ToListAsync();
|
.ToListAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<(List<ReasonGroupDto> list, int total)> GetReasonGroupsAsync(int pageIndex = 1, int pageSize = 20)
|
|
||||||
{
|
|
||||||
// 先按照Reason分组,统计每个Reason的数量和总金额
|
|
||||||
var groups = await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => !string.IsNullOrEmpty(t.Reason))
|
|
||||||
.Where(t => string.IsNullOrEmpty(t.Classify)) // 只统计未分类的
|
|
||||||
.GroupBy(t => t.Reason)
|
|
||||||
.ToListAsync(g => new
|
|
||||||
{
|
|
||||||
Reason = g.Key,
|
|
||||||
Count = g.Count(),
|
|
||||||
TotalAmount = g.Sum(g.Value.Amount)
|
|
||||||
});
|
|
||||||
|
|
||||||
// 按总金额绝对值降序排序
|
|
||||||
var sortedGroups = groups.OrderByDescending(g => Math.Abs(g.TotalAmount)).ToList();
|
|
||||||
var total = sortedGroups.Count;
|
|
||||||
|
|
||||||
// 分页
|
|
||||||
var pagedGroups = sortedGroups
|
|
||||||
.Skip((pageIndex - 1) * pageSize)
|
|
||||||
.Take(pageSize)
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
// 为每个分组获取详细信息
|
|
||||||
var result = new List<ReasonGroupDto>();
|
|
||||||
foreach (var group in pagedGroups)
|
|
||||||
{
|
|
||||||
// 获取该分组的所有记录
|
|
||||||
var records = await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.Reason == group.Reason)
|
|
||||||
.Where(t => string.IsNullOrEmpty(t.Classify))
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
if (records.Count > 0)
|
|
||||||
{
|
|
||||||
var sample = records.First();
|
|
||||||
result.Add(new ReasonGroupDto
|
|
||||||
{
|
|
||||||
Reason = group.Reason,
|
|
||||||
Count = group.Count,
|
|
||||||
SampleType = sample.Type,
|
|
||||||
SampleClassify = sample.Classify,
|
|
||||||
TransactionIds = records.Select(r => r.Id).ToList(),
|
|
||||||
TotalAmount = Math.Abs(group.TotalAmount)
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return (result, total);
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<int> BatchUpdateByReasonAsync(string reason, TransactionType type, string classify)
|
|
||||||
{
|
|
||||||
return await FreeSql.Update<TransactionRecord>()
|
|
||||||
.Set(t => t.Type, type)
|
|
||||||
.Set(t => t.Classify, classify)
|
|
||||||
.Where(t => t.Reason == reason)
|
|
||||||
.ExecuteAffrowsAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<List<TransactionRecord>> QueryByWhereAsync(string sql)
|
|
||||||
{
|
|
||||||
return await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(sql)
|
|
||||||
.OrderByDescending(t => t.OccurredAt)
|
|
||||||
.ToListAsync();
|
|
||||||
}
|
|
||||||
public async Task<List<TransactionRecord>> ExecuteRawSqlAsync(string completeSql)
|
|
||||||
{
|
|
||||||
return await FreeSql.Ado.QueryAsync<TransactionRecord>(completeSql);
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<MonthlyStatistics> GetMonthlyStatisticsAsync(int year, int month)
|
|
||||||
{
|
|
||||||
var startDate = new DateTime(year, month, 1);
|
|
||||||
var endDate = startDate.AddMonths(1);
|
|
||||||
|
|
||||||
var records = await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.OccurredAt >= startDate && t.OccurredAt < endDate)
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
var statistics = new MonthlyStatistics
|
|
||||||
{
|
|
||||||
Year = year,
|
|
||||||
Month = month
|
|
||||||
};
|
|
||||||
|
|
||||||
foreach (var record in records)
|
|
||||||
{
|
|
||||||
var amount = Math.Abs(record.Amount);
|
|
||||||
|
|
||||||
if (record.Type == TransactionType.Expense)
|
|
||||||
{
|
|
||||||
statistics.TotalExpense += amount;
|
|
||||||
statistics.ExpenseCount++;
|
|
||||||
}
|
|
||||||
else if (record.Type == TransactionType.Income)
|
|
||||||
{
|
|
||||||
statistics.TotalIncome += amount;
|
|
||||||
statistics.IncomeCount++;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
statistics.Balance = statistics.TotalIncome - statistics.TotalExpense;
|
|
||||||
statistics.TotalCount = records.Count;
|
|
||||||
|
|
||||||
return statistics;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<List<CategoryStatistics>> GetCategoryStatisticsAsync(int year, int month, TransactionType type)
|
|
||||||
{
|
|
||||||
var startDate = new DateTime(year, month, 1);
|
|
||||||
var endDate = startDate.AddMonths(1);
|
|
||||||
|
|
||||||
var records = await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.OccurredAt >= startDate && t.OccurredAt < endDate && t.Type == type)
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
var categoryGroups = records
|
|
||||||
.GroupBy(t => t.Classify)
|
|
||||||
.Select(g => new CategoryStatistics
|
|
||||||
{
|
|
||||||
Classify = g.Key,
|
|
||||||
Amount = g.Sum(t => Math.Abs(t.Amount)),
|
|
||||||
Count = g.Count()
|
|
||||||
})
|
|
||||||
.OrderByDescending(c => c.Amount)
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
// 计算百分比
|
|
||||||
var total = categoryGroups.Sum(c => c.Amount);
|
|
||||||
if (total > 0)
|
|
||||||
{
|
|
||||||
foreach (var category in categoryGroups)
|
|
||||||
{
|
|
||||||
category.Percent = Math.Round((category.Amount / total) * 100, 1);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return categoryGroups;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<List<TrendStatistics>> GetTrendStatisticsAsync(int startYear, int startMonth, int monthCount)
|
|
||||||
{
|
|
||||||
var trends = new List<TrendStatistics>();
|
|
||||||
|
|
||||||
for (int i = 0; i < monthCount; i++)
|
|
||||||
{
|
|
||||||
var targetYear = startYear;
|
|
||||||
var targetMonth = startMonth + i;
|
|
||||||
|
|
||||||
// 处理月份溢出
|
|
||||||
while (targetMonth > 12)
|
|
||||||
{
|
|
||||||
targetMonth -= 12;
|
|
||||||
targetYear++;
|
|
||||||
}
|
|
||||||
|
|
||||||
var startDate = new DateTime(targetYear, targetMonth, 1);
|
|
||||||
var endDate = startDate.AddMonths(1);
|
|
||||||
|
|
||||||
var records = await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.OccurredAt >= startDate && t.OccurredAt < endDate)
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
var expense = records.Where(t => t.Type == TransactionType.Expense).Sum(t => Math.Abs(t.Amount));
|
|
||||||
var income = records.Where(t => t.Type == TransactionType.Income).Sum(t => Math.Abs(t.Amount));
|
|
||||||
|
|
||||||
trends.Add(new TrendStatistics
|
|
||||||
{
|
|
||||||
Year = targetYear,
|
|
||||||
Month = targetMonth,
|
|
||||||
Expense = expense,
|
|
||||||
Income = income,
|
|
||||||
Balance = income - expense
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
return trends;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<List<TransactionRecord>> GetClassifiedByKeywordsAsync(List<string> keywords, int limit = 10)
|
public async Task<List<TransactionRecord>> GetClassifiedByKeywordsAsync(List<string> keywords, int limit = 10)
|
||||||
{
|
{
|
||||||
if (keywords.Count == 0)
|
if (keywords.Count == 0)
|
||||||
@@ -622,9 +201,8 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
}
|
}
|
||||||
|
|
||||||
var query = FreeSql.Select<TransactionRecord>()
|
var query = FreeSql.Select<TransactionRecord>()
|
||||||
.Where(t => t.Classify != ""); // 只查询已分类的账单
|
.Where(t => t.Classify != "");
|
||||||
|
|
||||||
// 构建OR条件:Reason包含任意一个关键词
|
|
||||||
if (keywords.Count > 0)
|
if (keywords.Count > 0)
|
||||||
{
|
{
|
||||||
query = query.Where(t => keywords.Any(keyword => t.Reason.Contains(keyword)));
|
query = query.Where(t => keywords.Any(keyword => t.Reason.Contains(keyword)));
|
||||||
@@ -636,71 +214,21 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
.ToListAsync();
|
.ToListAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<List<(TransactionRecord record, double relevanceScore)>> GetClassifiedByKeywordsWithScoreAsync(List<string> keywords, double minMatchRate = 0.3, int limit = 10)
|
public async Task<List<TransactionRecord>> GetUnconfirmedRecordsAsync()
|
||||||
{
|
{
|
||||||
if (keywords.Count == 0)
|
return await FreeSql.Select<TransactionRecord>()
|
||||||
{
|
.Where(t => t.UnconfirmedClassify != null && t.UnconfirmedClassify != "")
|
||||||
return [];
|
.OrderByDescending(t => t.OccurredAt)
|
||||||
}
|
|
||||||
|
|
||||||
// 查询所有已分类且包含任意关键词的账单
|
|
||||||
var candidates = await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.Classify != "")
|
|
||||||
.Where(t => keywords.Any(keyword => t.Reason.Contains(keyword)))
|
|
||||||
.ToListAsync();
|
.ToListAsync();
|
||||||
|
|
||||||
// 计算每个候选账单的相关度分数
|
|
||||||
var scoredResults = candidates
|
|
||||||
.Select(record =>
|
|
||||||
{
|
|
||||||
var matchedCount = keywords.Count(keyword => record.Reason.Contains(keyword, StringComparison.OrdinalIgnoreCase));
|
|
||||||
var matchRate = (double)matchedCount / keywords.Count;
|
|
||||||
|
|
||||||
// 额外加分:完全匹配整个摘要(相似度更高)
|
|
||||||
var exactMatchBonus = keywords.Any(k => record.Reason.Equals(k, StringComparison.OrdinalIgnoreCase)) ? 0.2 : 0.0;
|
|
||||||
|
|
||||||
// 长度相似度加分:长度越接近,相关度越高
|
|
||||||
var avgKeywordLength = keywords.Average(k => k.Length);
|
|
||||||
var lengthSimilarity = 1.0 - Math.Min(1.0, Math.Abs(record.Reason.Length - avgKeywordLength) / Math.Max(record.Reason.Length, avgKeywordLength));
|
|
||||||
var lengthBonus = lengthSimilarity * 0.1;
|
|
||||||
|
|
||||||
var score = matchRate + exactMatchBonus + lengthBonus;
|
|
||||||
return (record, score);
|
|
||||||
})
|
|
||||||
.Where(x => x.score >= minMatchRate) // 过滤低相关度结果
|
|
||||||
.OrderByDescending(x => x.score) // 按相关度降序
|
|
||||||
.ThenByDescending(x => x.record.OccurredAt) // 相同分数时,按时间降序
|
|
||||||
.Take(limit)
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
return scoredResults;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<List<TransactionRecord>> GetCandidatesForOffsetAsync(long currentId, decimal amount, TransactionType currentType)
|
public async Task<int> BatchUpdateByReasonAsync(string reason, TransactionType type, string classify)
|
||||||
{
|
{
|
||||||
var absAmount = Math.Abs(amount);
|
return await FreeSql.Update<TransactionRecord>()
|
||||||
var minAmount = absAmount - 5;
|
.Set(t => t.Type, type)
|
||||||
var maxAmount = absAmount + 5;
|
.Set(t => t.Classify, classify)
|
||||||
|
.Where(t => t.Reason == reason)
|
||||||
var currentRecord = await FreeSql.Select<TransactionRecord>()
|
.ExecuteAffrowsAsync();
|
||||||
.Where(t => t.Id == currentId)
|
|
||||||
.FirstAsync();
|
|
||||||
|
|
||||||
if (currentRecord == null)
|
|
||||||
{
|
|
||||||
return [];
|
|
||||||
}
|
|
||||||
|
|
||||||
var list = await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.Id != currentId)
|
|
||||||
.Where(t => t.Type != currentType)
|
|
||||||
.Where(t => Math.Abs(t.Amount) >= minAmount && Math.Abs(t.Amount) <= maxAmount)
|
|
||||||
.Take(50)
|
|
||||||
.ToListAsync();
|
|
||||||
|
|
||||||
return list.OrderBy(t => Math.Abs(Math.Abs(t.Amount) - absAmount))
|
|
||||||
.ThenBy(x => Math.Abs((x.OccurredAt - currentRecord.OccurredAt).TotalSeconds))
|
|
||||||
.ToList();
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<int> UpdateCategoryNameAsync(string oldName, string newName, TransactionType type)
|
public async Task<int> UpdateCategoryNameAsync(string oldName, string newName, TransactionType type)
|
||||||
@@ -711,14 +239,6 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
.ExecuteAffrowsAsync();
|
.ExecuteAffrowsAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<List<TransactionRecord>> GetUnconfirmedRecordsAsync()
|
|
||||||
{
|
|
||||||
return await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.UnconfirmedClassify != null && t.UnconfirmedClassify != "")
|
|
||||||
.OrderByDescending(t => t.OccurredAt)
|
|
||||||
.ToListAsync();
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<int> ConfirmAllUnconfirmedAsync(long[] ids)
|
public async Task<int> ConfirmAllUnconfirmedAsync(long[] ids)
|
||||||
{
|
{
|
||||||
return await FreeSql.Update<TransactionRecord>()
|
return await FreeSql.Update<TransactionRecord>()
|
||||||
@@ -730,136 +250,4 @@ public class TransactionRecordRepository(IFreeSql freeSql) : BaseRepository<Tran
|
|||||||
.Where(t => ids.Contains(t.Id))
|
.Where(t => ids.Contains(t.Id))
|
||||||
.ExecuteAffrowsAsync();
|
.ExecuteAffrowsAsync();
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<Dictionary<DateTime, decimal>> GetFilteredTrendStatisticsAsync(
|
|
||||||
DateTime startDate,
|
|
||||||
DateTime endDate,
|
|
||||||
TransactionType type,
|
|
||||||
IEnumerable<string> classifies,
|
|
||||||
bool groupByMonth = false)
|
|
||||||
{
|
|
||||||
var query = FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.OccurredAt >= startDate && t.OccurredAt <= endDate && t.Type == type);
|
|
||||||
|
|
||||||
if (classifies.Any())
|
|
||||||
{
|
|
||||||
query = query.Where(t => classifies.Contains(t.Classify));
|
|
||||||
}
|
|
||||||
|
|
||||||
var list = await query.ToListAsync(t => new { t.OccurredAt, t.Amount });
|
|
||||||
|
|
||||||
if (groupByMonth)
|
|
||||||
{
|
|
||||||
return list
|
|
||||||
.GroupBy(t => new DateTime(t.OccurredAt.Year, t.OccurredAt.Month, 1))
|
|
||||||
.ToDictionary(g => g.Key, g => g.Sum(x => Math.Abs(x.Amount)));
|
|
||||||
}
|
|
||||||
|
|
||||||
return list
|
|
||||||
.GroupBy(t => t.OccurredAt.Date)
|
|
||||||
.ToDictionary(g => g.Key, g => g.Sum(x => Math.Abs(x.Amount)));
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<Dictionary<(string, TransactionType), decimal>> GetAmountGroupByClassifyAsync(DateTime startTime, DateTime endTime)
|
|
||||||
{
|
|
||||||
var result = await FreeSql.Select<TransactionRecord>()
|
|
||||||
.Where(t => t.OccurredAt >= startTime && t.OccurredAt < endTime)
|
|
||||||
.GroupBy(t => new { t.Classify, t.Type })
|
|
||||||
.ToListAsync(g => new
|
|
||||||
{
|
|
||||||
g.Key.Classify,
|
|
||||||
g.Key.Type,
|
|
||||||
TotalAmount = g.Sum(g.Value.Amount - g.Value.RefundAmount)
|
|
||||||
});
|
|
||||||
|
|
||||||
return result.ToDictionary(x => (x.Classify, x.Type), x => x.TotalAmount);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 按Reason分组统计DTO
|
|
||||||
/// </summary>
|
|
||||||
public class ReasonGroupDto
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 交易摘要
|
|
||||||
/// </summary>
|
|
||||||
public string Reason { get; set; } = string.Empty;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 该摘要的记录数量
|
|
||||||
/// </summary>
|
|
||||||
public int Count { get; set; }
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 示例交易类型(该分组中第一条记录的类型)
|
|
||||||
/// </summary>
|
|
||||||
public TransactionType SampleType { get; set; }
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 示例分类(该分组中第一条记录的分类)
|
|
||||||
/// </summary>
|
|
||||||
public string SampleClassify { get; set; } = string.Empty;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 该分组的所有账单ID列表
|
|
||||||
/// </summary>
|
|
||||||
public List<long> TransactionIds { get; set; } = [];
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 该分组的总金额(绝对值)
|
|
||||||
/// </summary>
|
|
||||||
public decimal TotalAmount { get; set; }
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 月度统计数据
|
|
||||||
/// </summary>
|
|
||||||
public class MonthlyStatistics
|
|
||||||
{
|
|
||||||
public int Year { get; set; }
|
|
||||||
|
|
||||||
public int Month { get; set; }
|
|
||||||
|
|
||||||
public decimal TotalExpense { get; set; }
|
|
||||||
|
|
||||||
public decimal TotalIncome { get; set; }
|
|
||||||
|
|
||||||
public decimal Balance { get; set; }
|
|
||||||
|
|
||||||
public int ExpenseCount { get; set; }
|
|
||||||
|
|
||||||
public int IncomeCount { get; set; }
|
|
||||||
|
|
||||||
public int TotalCount { get; set; }
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 分类统计数据
|
|
||||||
/// </summary>
|
|
||||||
public class CategoryStatistics
|
|
||||||
{
|
|
||||||
public string Classify { get; set; } = string.Empty;
|
|
||||||
|
|
||||||
public decimal Amount { get; set; }
|
|
||||||
|
|
||||||
public int Count { get; set; }
|
|
||||||
|
|
||||||
public decimal Percent { get; set; }
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 趋势统计数据
|
|
||||||
/// </summary>
|
|
||||||
public class TrendStatistics
|
|
||||||
{
|
|
||||||
public int Year { get; set; }
|
|
||||||
|
|
||||||
public int Month { get; set; }
|
|
||||||
|
|
||||||
public decimal Expense { get; set; }
|
|
||||||
|
|
||||||
public decimal Income { get; set; }
|
|
||||||
|
|
||||||
public decimal Balance { get; set; }
|
|
||||||
}
|
}
|
||||||
456
Repository/TransactionRecordRepository.md
Normal file
456
Repository/TransactionRecordRepository.md
Normal file
@@ -0,0 +1,456 @@
|
|||||||
|
# TransactionRecordRepository 查询语句文档
|
||||||
|
|
||||||
|
本文档整理了所有与账单(TransactionRecord)相关的查询语句,包括仓储层、服务层中的SQL查询。
|
||||||
|
|
||||||
|
## 目录
|
||||||
|
|
||||||
|
1. [TransactionRecordRepository 查询方法](#transactionrecordrepository-查询方法)
|
||||||
|
2. [其他仓储中的账单查询](#其他仓储中的账单查询)
|
||||||
|
3. [服务层中的SQL查询](#服务层中的sql查询)
|
||||||
|
4. [总结](#总结)
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## TransactionRecordRepository 查询方法
|
||||||
|
|
||||||
|
### 1. 基础查询
|
||||||
|
|
||||||
|
#### 1.1 根据邮件ID和交易时间检查是否存在
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:94-99
|
||||||
|
return await FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(t => t.EmailMessageId == emailMessageId && t.OccurredAt == occurredAt)
|
||||||
|
.FirstAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
#### 1.2 根据导入编号检查是否存在
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:101-106
|
||||||
|
return await FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(t => t.ImportNo == importNo && t.ImportFrom == importFrom)
|
||||||
|
.FirstAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### 2. 核心查询构建器
|
||||||
|
|
||||||
|
#### 2.1 BuildQuery() 私有方法 - 统一查询构建
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:53-92
|
||||||
|
private ISelect<TransactionRecord> BuildQuery(
|
||||||
|
int? year = null,
|
||||||
|
int? month = null,
|
||||||
|
DateTime? startDate = null,
|
||||||
|
DateTime? endDate = null,
|
||||||
|
TransactionType? type = null,
|
||||||
|
string[]? classifies = null,
|
||||||
|
string? searchKeyword = null,
|
||||||
|
string? reason = null)
|
||||||
|
{
|
||||||
|
var query = FreeSql.Select<TransactionRecord>();
|
||||||
|
|
||||||
|
// 搜索关键词条件(Reason/Classify/Card/ImportFrom)
|
||||||
|
query = query.WhereIf(!string.IsNullOrWhiteSpace(searchKeyword),
|
||||||
|
t => t.Reason.Contains(searchKeyword!) ||
|
||||||
|
t.Classify.Contains(searchKeyword!) ||
|
||||||
|
t.Card.Contains(searchKeyword!) ||
|
||||||
|
t.ImportFrom.Contains(searchKeyword!))
|
||||||
|
.WhereIf(!string.IsNullOrWhiteSpace(reason),
|
||||||
|
t => t.Reason == reason);
|
||||||
|
|
||||||
|
// 按分类筛选(处理"未分类"特殊情况)
|
||||||
|
if (classifies is { Length: > 0 })
|
||||||
|
{
|
||||||
|
var filterClassifies = classifies.Select(c => c == "未分类" ? string.Empty : c).ToList();
|
||||||
|
query = query.Where(t => filterClassifies.Contains(t.Classify));
|
||||||
|
}
|
||||||
|
|
||||||
|
// 按交易类型筛选
|
||||||
|
query = query.WhereIf(type.HasValue, t => t.Type == type!.Value);
|
||||||
|
|
||||||
|
// 按年月筛选
|
||||||
|
if (year.HasValue && month.HasValue)
|
||||||
|
{
|
||||||
|
var dateStart = new DateTime(year.Value, month.Value, 1);
|
||||||
|
var dateEnd = dateStart.AddMonths(1);
|
||||||
|
query = query.Where(t => t.OccurredAt >= dateStart && t.OccurredAt < dateEnd);
|
||||||
|
}
|
||||||
|
|
||||||
|
// 按日期范围筛选
|
||||||
|
query = query.WhereIf(startDate.HasValue, t => t.OccurredAt >= startDate!.Value)
|
||||||
|
.WhereIf(endDate.HasValue, t => t.OccurredAt <= endDate!.Value);
|
||||||
|
|
||||||
|
return query;
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### 3. 分页查询与统计
|
||||||
|
|
||||||
|
#### 3.1 分页获取交易记录列表
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:108-137
|
||||||
|
var query = BuildQuery(year, month, startDate, endDate, type, classifies, searchKeyword, reason);
|
||||||
|
|
||||||
|
// 排序:按金额或按时间
|
||||||
|
if (sortByAmount)
|
||||||
|
{
|
||||||
|
return await query
|
||||||
|
.OrderByDescending(t => t.Amount)
|
||||||
|
.OrderByDescending(t => t.Id)
|
||||||
|
.Page(pageIndex, pageSize)
|
||||||
|
.ToListAsync();
|
||||||
|
}
|
||||||
|
|
||||||
|
return await query
|
||||||
|
.OrderByDescending(t => t.OccurredAt)
|
||||||
|
.OrderByDescending(t => t.Id)
|
||||||
|
.Page(pageIndex, pageSize)
|
||||||
|
.ToListAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
#### 3.2 获取总数(与分页查询条件相同)
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:139-151
|
||||||
|
var query = BuildQuery(year, month, startDate, endDate, type, classifies, searchKeyword, reason);
|
||||||
|
return await query.CountAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
#### 3.3 获取所有不同的交易分类
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:153-159
|
||||||
|
return await FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(t => !string.IsNullOrEmpty(t.Classify))
|
||||||
|
.Distinct()
|
||||||
|
.ToListAsync(t => t.Classify);
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### 4. 按邮件相关查询
|
||||||
|
|
||||||
|
#### 4.1 获取指定邮件的交易记录列表
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:161-167
|
||||||
|
return await FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(t => t.EmailMessageId == emailMessageId)
|
||||||
|
.OrderBy(t => t.OccurredAt)
|
||||||
|
.ToListAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
#### 4.2 获取指定邮件的交易记录数量
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:169-174
|
||||||
|
return (int)await FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(t => t.EmailMessageId == emailMessageId)
|
||||||
|
.CountAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### 5. 未分类账单查询
|
||||||
|
|
||||||
|
#### 5.1 获取未分类的账单列表
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:176-183
|
||||||
|
return await FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(t => string.IsNullOrEmpty(t.Classify))
|
||||||
|
.OrderByDescending(t => t.OccurredAt)
|
||||||
|
.Page(1, pageSize)
|
||||||
|
.ToListAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### 6. 智能分类相关查询
|
||||||
|
|
||||||
|
#### 6.1 根据关键词查询已分类的账单
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:185-204
|
||||||
|
if (keywords.Count == 0)
|
||||||
|
{
|
||||||
|
return [];
|
||||||
|
}
|
||||||
|
|
||||||
|
var query = FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(t => t.Classify != "");
|
||||||
|
|
||||||
|
// 构建OR条件:Reason包含任意一个关键词
|
||||||
|
if (keywords.Count > 0)
|
||||||
|
{
|
||||||
|
query = query.Where(t => keywords.Any(keyword => t.Reason.Contains(keyword)));
|
||||||
|
}
|
||||||
|
|
||||||
|
return await query
|
||||||
|
.OrderByDescending(t => t.OccurredAt)
|
||||||
|
.Limit(limit)
|
||||||
|
.ToListAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### 7. 待确认分类查询
|
||||||
|
|
||||||
|
#### 7.1 获取待确认分类的账单列表
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:206-212
|
||||||
|
return await FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(t => t.UnconfirmedClassify != null && t.UnconfirmedClassify != "")
|
||||||
|
.OrderByDescending(t => t.OccurredAt)
|
||||||
|
.ToListAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### 8. 批量更新操作
|
||||||
|
|
||||||
|
#### 8.1 按摘要批量更新交易记录的分类
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:214-221
|
||||||
|
return await FreeSql.Update<TransactionRecord>()
|
||||||
|
.Set(t => t.Type, type)
|
||||||
|
.Set(t => t.Classify, classify)
|
||||||
|
.Where(t => t.Reason == reason)
|
||||||
|
.ExecuteAffrowsAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
#### 8.2 更新分类名称
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:223-229
|
||||||
|
return await FreeSql.Update<TransactionRecord>()
|
||||||
|
.Set(a => a.Classify, newName)
|
||||||
|
.Where(a => a.Classify == oldName && a.Type == type)
|
||||||
|
.ExecuteAffrowsAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
#### 8.3 确认待确认的分类
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionRecordRepository.cs:231-241
|
||||||
|
return await FreeSql.Update<TransactionRecord>()
|
||||||
|
.Set(t => t.Classify == t.UnconfirmedClassify)
|
||||||
|
.Set(t => t.Type == (t.UnconfirmedType ?? t.Type))
|
||||||
|
.Set(t => t.UnconfirmedClassify, null)
|
||||||
|
.Set(t => t.UnconfirmedType, null)
|
||||||
|
.Where(t => t.UnconfirmedClassify != null && t.UnconfirmedClassify != "")
|
||||||
|
.Where(t => ids.Contains(t.Id))
|
||||||
|
.ExecuteAffrowsAsync();
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## 其他仓储中的账单查询
|
||||||
|
|
||||||
|
### BudgetRepository
|
||||||
|
|
||||||
|
#### 1. 获取预算当前金额
|
||||||
|
```csharp
|
||||||
|
/// 位置: BudgetRepository.cs:12-33
|
||||||
|
var query = FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(t => t.OccurredAt >= startDate && t.OccurredAt <= endDate);
|
||||||
|
|
||||||
|
if (!string.IsNullOrEmpty(budget.SelectedCategories))
|
||||||
|
{
|
||||||
|
var categoryList = budget.SelectedCategories.Split(',');
|
||||||
|
query = query.Where(t => categoryList.Contains(t.Classify));
|
||||||
|
}
|
||||||
|
|
||||||
|
if (budget.Category == BudgetCategory.Expense)
|
||||||
|
{
|
||||||
|
query = query.Where(t => t.Type == TransactionType.Expense);
|
||||||
|
}
|
||||||
|
else if (budget.Category == BudgetCategory.Income)
|
||||||
|
{
|
||||||
|
query = query.Where(t => t.Type == TransactionType.Income);
|
||||||
|
}
|
||||||
|
|
||||||
|
return await query.SumAsync(t => t.Amount);
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### TransactionCategoryRepository
|
||||||
|
|
||||||
|
#### 1. 检查分类是否被使用
|
||||||
|
```csharp
|
||||||
|
/// 位置: TransactionCategoryRepository.cs:53-63
|
||||||
|
var count = await FreeSql.Select<TransactionRecord>()
|
||||||
|
.Where(r => r.Classify == category.Name && r.Type == category.Type)
|
||||||
|
.CountAsync();
|
||||||
|
|
||||||
|
return count > 0;
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## 服务层中的SQL查询
|
||||||
|
|
||||||
|
### SmartHandleService
|
||||||
|
|
||||||
|
#### 1. 智能分析账单 - 执行AI生成的SQL
|
||||||
|
```csharp
|
||||||
|
/// 位置: SmartHandleService.cs:351
|
||||||
|
queryResults = await transactionRepository.ExecuteDynamicSqlAsync(sqlText);
|
||||||
|
```
|
||||||
|
|
||||||
|
**说明**: 此方法接收AI生成的SQL语句并执行,SQL内容由AI根据用户问题动态生成,例如:
|
||||||
|
|
||||||
|
```sql
|
||||||
|
SELECT
|
||||||
|
COUNT(*) AS TransactionCount,
|
||||||
|
SUM(ABS(Amount)) AS TotalAmount,
|
||||||
|
Type,
|
||||||
|
Classify
|
||||||
|
FROM TransactionRecord
|
||||||
|
WHERE OccurredAt >= '2025-01-01'
|
||||||
|
AND OccurredAt < '2026-01-01'
|
||||||
|
GROUP BY Type, Classify
|
||||||
|
ORDER BY TotalAmount DESC
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### BudgetService
|
||||||
|
|
||||||
|
#### 1. 获取归档摘要 - 年度交易统计
|
||||||
|
```csharp
|
||||||
|
/// 位置: BudgetService.cs:239-252
|
||||||
|
var yearTransactions = await transactionRecordRepository.ExecuteDynamicSqlAsync(
|
||||||
|
$"""
|
||||||
|
SELECT
|
||||||
|
COUNT(*) AS TransactionCount,
|
||||||
|
SUM(ABS(Amount)) AS TotalAmount,
|
||||||
|
Type,
|
||||||
|
Classify
|
||||||
|
FROM TransactionRecord
|
||||||
|
WHERE OccurredAt >= '{year}-01-01'
|
||||||
|
AND OccurredAt < '{year + 1}-01-01'
|
||||||
|
GROUP BY Type, Classify
|
||||||
|
ORDER BY TotalAmount DESC
|
||||||
|
"""
|
||||||
|
);
|
||||||
|
```
|
||||||
|
|
||||||
|
#### 2. 获取归档摘要 - 月度交易统计
|
||||||
|
```csharp
|
||||||
|
/// 位置: BudgetService.cs:254-267
|
||||||
|
var monthYear = new DateTime(year, month, 1).AddMonths(1);
|
||||||
|
var monthTransactions = await transactionRecordRepository.ExecuteDynamicSqlAsync(
|
||||||
|
$"""
|
||||||
|
SELECT
|
||||||
|
COUNT(*) AS TransactionCount,
|
||||||
|
SUM(ABS(Amount)) AS TotalAmount,
|
||||||
|
Type,
|
||||||
|
Classify
|
||||||
|
FROM TransactionRecord
|
||||||
|
WHERE OccurredAt >= '{year}-{month:00}-01'
|
||||||
|
AND OccurredAt < '{monthYear:yyyy-MM-dd}'
|
||||||
|
GROUP BY Type, Classify
|
||||||
|
ORDER BY TotalAmount DESC
|
||||||
|
"""
|
||||||
|
);
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
### BudgetSavingsService
|
||||||
|
|
||||||
|
#### 1. 获取按分类分组的交易金额(用于存款预算计算)
|
||||||
|
```csharp
|
||||||
|
/// 位置: BudgetSavingsService.cs:62-65
|
||||||
|
var transactionClassify = await transactionsRepository.GetAmountGroupByClassifyAsync(
|
||||||
|
new DateTime(year, month, 1),
|
||||||
|
new DateTime(year, month, 1).AddMonths(1)
|
||||||
|
);
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## 总结
|
||||||
|
|
||||||
|
### 查询方法分类
|
||||||
|
|
||||||
|
| 分类 | 方法数 | 说明 |
|
||||||
|
|------|--------|------|
|
||||||
|
| 基础查询 | 2 | 检查记录是否存在(去重) |
|
||||||
|
| 核心构建器 | 1 | BuildQuery() 私有方法,统一查询逻辑 |
|
||||||
|
| 分页查询 | 2 | 分页列表 + 总数统计 |
|
||||||
|
| 分类查询 | 1 | 获取所有不同分类 |
|
||||||
|
| 邮件相关 | 2 | 按邮件ID查询列表和数量 |
|
||||||
|
| 未分类查询 | 1 | 获取未分类账单列表 |
|
||||||
|
| 智能分类 | 1 | 关键词匹配查询 |
|
||||||
|
| 待确认分类 | 1 | 获取待确认账单列表 |
|
||||||
|
| 批量更新 | 3 | 批量更新分类和确认操作 |
|
||||||
|
| 其他仓储查询 | 2 | 预算/分类仓储中的账单查询 |
|
||||||
|
| 服务层SQL | 3 | AI生成SQL + 归档统计 |
|
||||||
|
|
||||||
|
### 关键发现
|
||||||
|
|
||||||
|
1. **简化的架构**:新实现移除了复杂的统计方法,专注于核心的CRUD操作和查询功能。
|
||||||
|
|
||||||
|
2. **统一的查询构建**:`BuildQuery()` 私有方法(第53-92行)被 `QueryAsync()` 和 `CountAsync()` 共享使用,确保查询逻辑一致性。
|
||||||
|
|
||||||
|
3. **去重检查**:`ExistsByEmailMessageIdAsync()` 和 `ExistsByImportNoAsync()` 用于防止重复导入。
|
||||||
|
|
||||||
|
4. **灵活的查询条件**:支持按年月、日期范围、交易类型、分类、关键词等多维度筛选。
|
||||||
|
|
||||||
|
5. **批量操作优化**:提供批量更新分类、确认待确认记录等高效操作。
|
||||||
|
|
||||||
|
6. **服务层SQL保持不变**:AI生成SQL和归档统计等高级查询功能仍然通过 `ExecuteDynamicSqlAsync()` 实现。
|
||||||
|
|
||||||
|
### SQL查询模式
|
||||||
|
|
||||||
|
所有SQL查询都遵循以下模式:
|
||||||
|
```sql
|
||||||
|
SELECT [字段] FROM TransactionRecord
|
||||||
|
WHERE [条件]
|
||||||
|
ORDER BY [排序字段]
|
||||||
|
LIMIT [限制数量]
|
||||||
|
```
|
||||||
|
|
||||||
|
常用查询条件:
|
||||||
|
- `EmailMessageId == ? AND OccurredAt == ?` - 精确匹配去重
|
||||||
|
- `ImportNo == ? AND ImportFrom == ?` - 导入记录去重
|
||||||
|
- `Classify != ""` - 已分类记录
|
||||||
|
- `Classify == "" OR Classify IS NULL` - 未分类记录
|
||||||
|
- `UnconfirmedClassify != ""` - 待确认记录
|
||||||
|
- `Reason.Contains(?) OR Classify.Contains(?)` - 关键词搜索
|
||||||
|
|
||||||
|
### 字段说明
|
||||||
|
|
||||||
|
| 字段 | 类型 | 说明 |
|
||||||
|
|------|------|------|
|
||||||
|
| Id | bigint | 主键 |
|
||||||
|
| Card | nvarchar | 卡号 |
|
||||||
|
| Reason | nvarchar | 交易原因/摘要 |
|
||||||
|
| Amount | decimal | 交易金额(支出为负数,收入为正数) |
|
||||||
|
| OccurredAt | datetime | 交易发生时间 |
|
||||||
|
| Type | int | 交易类型(0=支出, 1=收入, 2=不计入收支) |
|
||||||
|
| Classify | nvarchar | 交易分类(空字符串表示未分类) |
|
||||||
|
| EmailMessageId | bigint | 关联邮件ID |
|
||||||
|
| ImportNo | nvarchar | 导入编号 |
|
||||||
|
| ImportFrom | nvarchar | 导入来源 |
|
||||||
|
| UnconfirmedClassify | nvarchar | 待确认分类 |
|
||||||
|
| UnconfirmedType | int? | 待确认类型 |
|
||||||
|
|
||||||
|
### 接口方法总览
|
||||||
|
|
||||||
|
**ITransactionRecordRepository 接口定义(17个方法):**
|
||||||
|
|
||||||
|
1. `ExistsByEmailMessageIdAsync()` - 邮件去重检查
|
||||||
|
2. `ExistsByImportNoAsync()` - 导入去重检查
|
||||||
|
3. `QueryAsync()` - 分页查询(支持多维度筛选)
|
||||||
|
4. `CountAsync()` - 总数统计(与QueryAsync条件相同)
|
||||||
|
5. `GetDistinctClassifyAsync()` - 获取所有分类
|
||||||
|
6. `GetByEmailIdAsync()` - 按邮件ID查询记录
|
||||||
|
7. `GetCountByEmailIdAsync()` - 按邮件ID统计数量
|
||||||
|
8. `GetUnclassifiedAsync()` - 获取未分类记录
|
||||||
|
9. `GetClassifiedByKeywordsAsync()` - 关键词匹配查询
|
||||||
|
10. `GetUnconfirmedRecordsAsync()` - 获取待确认记录
|
||||||
|
11. `BatchUpdateByReasonAsync()` - 按摘要批量更新
|
||||||
|
12. `UpdateCategoryNameAsync()` - 更新分类名称
|
||||||
|
13. `ConfirmAllUnconfirmedAsync()` - 确认待确认记录
|
||||||
|
|
||||||
|
**私有辅助方法:**
|
||||||
|
- `BuildQuery()` - 统一查询构建器(被QueryAsync和CountAsync使用)
|
||||||
55
Service/AGENTS.md
Normal file
55
Service/AGENTS.md
Normal file
@@ -0,0 +1,55 @@
|
|||||||
|
# SERVICE LAYER KNOWLEDGE BASE
|
||||||
|
|
||||||
|
**Generated:** 2026-01-28
|
||||||
|
**Parent:** EmailBill/AGENTS.md
|
||||||
|
|
||||||
|
## OVERVIEW
|
||||||
|
Business logic layer with job scheduling, email processing, and application services.
|
||||||
|
|
||||||
|
## STRUCTURE
|
||||||
|
```
|
||||||
|
Service/
|
||||||
|
├── GlobalUsings.cs # Common imports
|
||||||
|
├── Jobs/ # Background jobs
|
||||||
|
│ ├── BudgetArchiveJob.cs # Budget archiving
|
||||||
|
│ ├── DbBackupJob.cs # Database backups
|
||||||
|
│ ├── EmailSyncJob.cs # Email synchronization
|
||||||
|
│ └── PeriodicBillJob.cs # Periodic bill processing
|
||||||
|
├── EmailServices/ # Email processing
|
||||||
|
│ ├── EmailHandleService.cs # Email handling logic
|
||||||
|
│ ├── EmailFetchService.cs # Email fetching
|
||||||
|
│ ├── EmailSyncService.cs # Email synchronization
|
||||||
|
│ └── EmailParse/ # Email parsing services
|
||||||
|
├── AppSettingModel/ # Configuration models
|
||||||
|
├── Budget/ # Budget services
|
||||||
|
└── [Various service classes] # Core business services
|
||||||
|
```
|
||||||
|
|
||||||
|
## WHERE TO LOOK
|
||||||
|
| Task | Location | Notes |
|
||||||
|
|------|----------|-------|
|
||||||
|
| Background jobs | Jobs/ | Scheduled tasks, cron patterns |
|
||||||
|
| Email processing | EmailServices/ | Email parsing, handling, sync |
|
||||||
|
| Budget logic | Budget/ | Budget calculations, stats |
|
||||||
|
| Configuration | AppSettingModel/ | Settings models, validation |
|
||||||
|
| Core services | *.cs | Main business logic |
|
||||||
|
|
||||||
|
## CONVENTIONS
|
||||||
|
- Service classes end with "Service" suffix
|
||||||
|
- Jobs inherit from appropriate base job classes
|
||||||
|
- Use IDateTimeProvider for time operations
|
||||||
|
- Async/await for I/O operations
|
||||||
|
- Dependency injection via constructor
|
||||||
|
|
||||||
|
## ANTI-PATTERNS (THIS LAYER)
|
||||||
|
- Never access database directly (use repositories)
|
||||||
|
- Don't return domain entities to controllers (use DTOs)
|
||||||
|
- Avoid long-running operations in main thread
|
||||||
|
- No hardcoded configuration values
|
||||||
|
- Don't mix service responsibilities
|
||||||
|
|
||||||
|
## UNIQUE STYLES
|
||||||
|
- Email parsing with multiple format handlers
|
||||||
|
- Background job patterns with error handling
|
||||||
|
- Configuration models with validation attributes
|
||||||
|
- Service composition patterns
|
||||||
@@ -1,11 +1,11 @@
|
|||||||
using System.Net.Http.Headers;
|
using System.Net.Http.Headers;
|
||||||
|
|
||||||
namespace Service;
|
namespace Service.AI;
|
||||||
|
|
||||||
public interface IOpenAiService
|
public interface IOpenAiService
|
||||||
{
|
{
|
||||||
Task<string?> ChatAsync(string systemPrompt, string userPrompt);
|
Task<string?> ChatAsync(string systemPrompt, string userPrompt, int timeoutSeconds = 15);
|
||||||
Task<string?> ChatAsync(string prompt);
|
Task<string?> ChatAsync(string prompt, int timeoutSeconds = 15);
|
||||||
IAsyncEnumerable<string> ChatStreamAsync(string systemPrompt, string userPrompt);
|
IAsyncEnumerable<string> ChatStreamAsync(string systemPrompt, string userPrompt);
|
||||||
IAsyncEnumerable<string> ChatStreamAsync(string prompt);
|
IAsyncEnumerable<string> ChatStreamAsync(string prompt);
|
||||||
}
|
}
|
||||||
@@ -15,7 +15,7 @@ public class OpenAiService(
|
|||||||
ILogger<OpenAiService> logger
|
ILogger<OpenAiService> logger
|
||||||
) : IOpenAiService
|
) : IOpenAiService
|
||||||
{
|
{
|
||||||
public async Task<string?> ChatAsync(string systemPrompt, string userPrompt)
|
public async Task<string?> ChatAsync(string systemPrompt, string userPrompt, int timeoutSeconds = 15)
|
||||||
{
|
{
|
||||||
var cfg = aiSettings.Value;
|
var cfg = aiSettings.Value;
|
||||||
if (string.IsNullOrWhiteSpace(cfg.Endpoint) ||
|
if (string.IsNullOrWhiteSpace(cfg.Endpoint) ||
|
||||||
@@ -27,7 +27,7 @@ public class OpenAiService(
|
|||||||
}
|
}
|
||||||
|
|
||||||
using var http = new HttpClient();
|
using var http = new HttpClient();
|
||||||
http.Timeout = TimeSpan.FromSeconds(15);
|
http.Timeout = TimeSpan.FromSeconds(timeoutSeconds);
|
||||||
http.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", cfg.Key);
|
http.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", cfg.Key);
|
||||||
|
|
||||||
var payload = new
|
var payload = new
|
||||||
@@ -72,7 +72,7 @@ public class OpenAiService(
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<string?> ChatAsync(string prompt)
|
public async Task<string?> ChatAsync(string prompt, int timeoutSeconds = 15)
|
||||||
{
|
{
|
||||||
var cfg = aiSettings.Value;
|
var cfg = aiSettings.Value;
|
||||||
if (string.IsNullOrWhiteSpace(cfg.Endpoint) ||
|
if (string.IsNullOrWhiteSpace(cfg.Endpoint) ||
|
||||||
@@ -84,7 +84,7 @@ public class OpenAiService(
|
|||||||
}
|
}
|
||||||
|
|
||||||
using var http = new HttpClient();
|
using var http = new HttpClient();
|
||||||
http.Timeout = TimeSpan.FromSeconds(60 * 5);
|
http.Timeout = TimeSpan.FromSeconds(timeoutSeconds);
|
||||||
http.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", cfg.Key);
|
http.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", cfg.Key);
|
||||||
|
|
||||||
var payload = new
|
var payload = new
|
||||||
@@ -1,4 +1,6 @@
|
|||||||
namespace Service;
|
using Service.Transaction;
|
||||||
|
|
||||||
|
namespace Service.AI;
|
||||||
|
|
||||||
public interface ISmartHandleService
|
public interface ISmartHandleService
|
||||||
{
|
{
|
||||||
@@ -11,6 +13,7 @@ public interface ISmartHandleService
|
|||||||
|
|
||||||
public class SmartHandleService(
|
public class SmartHandleService(
|
||||||
ITransactionRecordRepository transactionRepository,
|
ITransactionRecordRepository transactionRepository,
|
||||||
|
ITransactionStatisticsService transactionStatisticsService,
|
||||||
ITextSegmentService textSegmentService,
|
ITextSegmentService textSegmentService,
|
||||||
ILogger<SmartHandleService> logger,
|
ILogger<SmartHandleService> logger,
|
||||||
ITransactionCategoryRepository categoryRepository,
|
ITransactionCategoryRepository categoryRepository,
|
||||||
@@ -61,7 +64,7 @@ public class SmartHandleService(
|
|||||||
{
|
{
|
||||||
// 查询包含这些关键词且已分类的账单(带相关度评分)
|
// 查询包含这些关键词且已分类的账单(带相关度评分)
|
||||||
// minMatchRate=0.4 表示至少匹配40%的关键词才被认为是相似的
|
// minMatchRate=0.4 表示至少匹配40%的关键词才被认为是相似的
|
||||||
var similarClassifiedWithScore = await transactionRepository.GetClassifiedByKeywordsWithScoreAsync(keywords, minMatchRate: 0.4, limit: 10);
|
var similarClassifiedWithScore = await transactionStatisticsService.GetClassifiedByKeywordsWithScoreAsync(keywords, minMatchRate: 0.4, limit: 10);
|
||||||
|
|
||||||
if (similarClassifiedWithScore.Count > 0)
|
if (similarClassifiedWithScore.Count > 0)
|
||||||
{
|
{
|
||||||
@@ -491,8 +494,8 @@ public class SmartHandleService(
|
|||||||
/// </summary>
|
/// </summary>
|
||||||
private static int FindMatchingBrace(string str, int startPos)
|
private static int FindMatchingBrace(string str, int startPos)
|
||||||
{
|
{
|
||||||
int braceCount = 0;
|
var braceCount = 0;
|
||||||
for (int i = startPos; i < str.Length; i++)
|
for (var i = startPos; i < str.Length; i++)
|
||||||
{
|
{
|
||||||
if (str[i] == '{') braceCount++;
|
if (str[i] == '{') braceCount++;
|
||||||
else if (str[i] == '}')
|
else if (str[i] == '}')
|
||||||
@@ -1,7 +1,7 @@
|
|||||||
using JiebaNet.Analyser;
|
using JiebaNet.Analyser;
|
||||||
using JiebaNet.Segmenter;
|
using JiebaNet.Segmenter;
|
||||||
|
|
||||||
namespace Service;
|
namespace Service.AI;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 文本分词服务接口
|
/// 文本分词服务接口
|
||||||
@@ -1,3 +1,5 @@
|
|||||||
|
using Service.Transaction;
|
||||||
|
|
||||||
namespace Service.Budget;
|
namespace Service.Budget;
|
||||||
|
|
||||||
public interface IBudgetSavingsService
|
public interface IBudgetSavingsService
|
||||||
@@ -11,7 +13,7 @@ public interface IBudgetSavingsService
|
|||||||
public class BudgetSavingsService(
|
public class BudgetSavingsService(
|
||||||
IBudgetRepository budgetRepository,
|
IBudgetRepository budgetRepository,
|
||||||
IBudgetArchiveRepository budgetArchiveRepository,
|
IBudgetArchiveRepository budgetArchiveRepository,
|
||||||
ITransactionRecordRepository transactionsRepository,
|
ITransactionStatisticsService transactionStatisticsService,
|
||||||
IConfigService configService,
|
IConfigService configService,
|
||||||
IDateTimeProvider dateTimeProvider
|
IDateTimeProvider dateTimeProvider
|
||||||
) : IBudgetSavingsService
|
) : IBudgetSavingsService
|
||||||
@@ -59,7 +61,7 @@ public class BudgetSavingsService(
|
|||||||
int year,
|
int year,
|
||||||
int month)
|
int month)
|
||||||
{
|
{
|
||||||
var transactionClassify = await transactionsRepository.GetAmountGroupByClassifyAsync(
|
var transactionClassify = await transactionStatisticsService.GetAmountGroupByClassifyAsync(
|
||||||
new DateTime(year, month, 1),
|
new DateTime(year, month, 1),
|
||||||
new DateTime(year, month, 1).AddMonths(1)
|
new DateTime(year, month, 1).AddMonths(1)
|
||||||
);
|
);
|
||||||
@@ -374,7 +376,7 @@ public class BudgetSavingsService(
|
|||||||
if (!string.IsNullOrEmpty(savingsCategories))
|
if (!string.IsNullOrEmpty(savingsCategories))
|
||||||
{
|
{
|
||||||
var cats = new HashSet<string>(savingsCategories.Split(',', StringSplitOptions.RemoveEmptyEntries));
|
var cats = new HashSet<string>(savingsCategories.Split(',', StringSplitOptions.RemoveEmptyEntries));
|
||||||
foreach(var kvp in transactionClassify)
|
foreach (var kvp in transactionClassify)
|
||||||
{
|
{
|
||||||
if (cats.Contains(kvp.Key.Item1))
|
if (cats.Contains(kvp.Key.Item1))
|
||||||
{
|
{
|
||||||
@@ -412,7 +414,7 @@ public class BudgetSavingsService(
|
|||||||
{
|
{
|
||||||
// 因为非当前月份的读取归档数据,这边依然是读取当前月份的数据
|
// 因为非当前月份的读取归档数据,这边依然是读取当前月份的数据
|
||||||
var currentMonth = dateTimeProvider.Now.Month;
|
var currentMonth = dateTimeProvider.Now.Month;
|
||||||
var transactionClassify = await transactionsRepository.GetAmountGroupByClassifyAsync(
|
var transactionClassify = await transactionStatisticsService.GetAmountGroupByClassifyAsync(
|
||||||
new DateTime(year, currentMonth, 1),
|
new DateTime(year, currentMonth, 1),
|
||||||
new DateTime(year, currentMonth, 1).AddMonths(1)
|
new DateTime(year, currentMonth, 1).AddMonths(1)
|
||||||
);
|
);
|
||||||
@@ -424,6 +426,7 @@ public class BudgetSavingsService(
|
|||||||
// 归档的预算收入支出明细
|
// 归档的预算收入支出明细
|
||||||
var archiveIncomeItems = new List<(long id, string name, int[] months, decimal limit, decimal current)>();
|
var archiveIncomeItems = new List<(long id, string name, int[] months, decimal limit, decimal current)>();
|
||||||
var archiveExpenseItems = new List<(long id, string name, int[] months, decimal limit, decimal current)>();
|
var archiveExpenseItems = new List<(long id, string name, int[] months, decimal limit, decimal current)>();
|
||||||
|
var archiveSavingsItems = new List<(long id, string name, int[] months, decimal limit, decimal current)>();
|
||||||
// 获取归档数据
|
// 获取归档数据
|
||||||
var archives = await budgetArchiveRepository.GetArchivesByYearAsync(year);
|
var archives = await budgetArchiveRepository.GetArchivesByYearAsync(year);
|
||||||
var archiveBudgetGroups = archives
|
var archiveBudgetGroups = archives
|
||||||
@@ -438,6 +441,7 @@ public class BudgetSavingsService(
|
|||||||
{
|
{
|
||||||
BudgetCategory.Income => archiveIncomeItems,
|
BudgetCategory.Income => archiveIncomeItems,
|
||||||
BudgetCategory.Expense => archiveExpenseItems,
|
BudgetCategory.Expense => archiveExpenseItems,
|
||||||
|
BudgetCategory.Savings => archiveSavingsItems,
|
||||||
_ => throw new NotSupportedException($"Category {archive.Category} is not supported.")
|
_ => throw new NotSupportedException($"Category {archive.Category} is not supported.")
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -599,10 +603,8 @@ public class BudgetSavingsService(
|
|||||||
预算收入合计:
|
预算收入合计:
|
||||||
<span class='expense-value'>
|
<span class='expense-value'>
|
||||||
<strong>
|
<strong>
|
||||||
{
|
{currentMonthlyIncomeItems.Sum(i => i.limit * i.factor)
|
||||||
currentMonthlyIncomeItems.Sum(i => i.limit * i.factor)
|
+ currentYearlyIncomeItems.Sum(i => i.limit):N0}
|
||||||
+ currentYearlyIncomeItems.Sum(i => i.limit)
|
|
||||||
:N0}
|
|
||||||
</strong>
|
</strong>
|
||||||
</span>
|
</span>
|
||||||
</p>
|
</p>
|
||||||
@@ -663,7 +665,62 @@ public class BudgetSavingsService(
|
|||||||
""");
|
""");
|
||||||
}
|
}
|
||||||
#endregion
|
#endregion
|
||||||
|
#region 构建归档存款明细表格
|
||||||
|
var archiveSavingsDiff = 0m;
|
||||||
|
if (archiveSavingsItems.Any())
|
||||||
|
{
|
||||||
|
description.AppendLine("<h3>已归档存款明细</h3>");
|
||||||
|
description.AppendLine("""
|
||||||
|
<table>
|
||||||
|
<thead>
|
||||||
|
<tr>
|
||||||
|
<th>名称</th>
|
||||||
|
<th>预算</th>
|
||||||
|
<th>月</th>
|
||||||
|
<th>合计</th>
|
||||||
|
<th>实际</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody>
|
||||||
|
""");
|
||||||
|
|
||||||
|
// 已归档的存款
|
||||||
|
foreach (var (_, name, months, limit, current) in archiveSavingsItems)
|
||||||
|
{
|
||||||
|
description.AppendLine($"""
|
||||||
|
<tr>
|
||||||
|
<td>{name}</td>
|
||||||
|
<td>{(limit == 0 ? "不限额" : limit.ToString("N0"))}</td>
|
||||||
|
<td>{FormatMonths(months)}</td>
|
||||||
|
<td>{limit * months.Length:N0}</td>
|
||||||
|
<td><span class='income-value'>{current:N0}</span></td>
|
||||||
|
</tr>
|
||||||
|
""");
|
||||||
|
}
|
||||||
|
description.AppendLine("</tbody></table>");
|
||||||
|
|
||||||
|
archiveSavingsDiff = archiveSavingsItems.Sum(i => i.current) - archiveSavingsItems.Sum(i => i.limit * i.months.Length);
|
||||||
|
description.AppendLine($"""
|
||||||
|
<p>
|
||||||
|
<span class="highlight">已归档存款总结: </span>
|
||||||
|
{(archiveSavingsDiff > 0 ? "超额存款" : "未达预期")}:
|
||||||
|
<span class='{(archiveSavingsDiff > 0 ? "income-value" : "expense-value")}'>
|
||||||
|
<strong>{archiveSavingsDiff:N0}</strong>
|
||||||
|
</span>
|
||||||
|
=
|
||||||
|
实际存款合计:
|
||||||
|
<span class='income-value'>
|
||||||
|
<strong>{archiveSavingsItems.Sum(i => i.current):N0}</strong>
|
||||||
|
</span>
|
||||||
|
-
|
||||||
|
预算存款合计:
|
||||||
|
<span class='income-value'>
|
||||||
|
<strong>{archiveSavingsItems.Sum(i => i.limit * i.months.Length):N0}</strong>
|
||||||
|
</span>
|
||||||
|
</p>
|
||||||
|
""");
|
||||||
|
}
|
||||||
|
#endregion
|
||||||
#region 构建当前年度预算支出明细表格
|
#region 构建当前年度预算支出明细表格
|
||||||
description.AppendLine("<h3>预算支出明细</h3>");
|
description.AppendLine("<h3>预算支出明细</h3>");
|
||||||
description.AppendLine("""
|
description.AppendLine("""
|
||||||
@@ -712,10 +769,8 @@ public class BudgetSavingsService(
|
|||||||
支出预算合计:
|
支出预算合计:
|
||||||
<span class='expense-value'>
|
<span class='expense-value'>
|
||||||
<strong>
|
<strong>
|
||||||
{
|
{currentMonthlyExpenseItems.Sum(i => i.limit * i.factor)
|
||||||
currentMonthlyExpenseItems.Sum(i => i.limit * i.factor)
|
+ currentYearlyExpenseItems.Sum(i => i.limit):N0}
|
||||||
+ currentYearlyExpenseItems.Sum(i => i.limit)
|
|
||||||
:N0}
|
|
||||||
</strong>
|
</strong>
|
||||||
</span>
|
</span>
|
||||||
</p>
|
</p>
|
||||||
@@ -725,7 +780,10 @@ public class BudgetSavingsService(
|
|||||||
#region 总结
|
#region 总结
|
||||||
var archiveIncomeBudget = archiveIncomeItems.Sum(i => i.limit * i.months.Length);
|
var archiveIncomeBudget = archiveIncomeItems.Sum(i => i.limit * i.months.Length);
|
||||||
var archiveExpenseBudget = archiveExpenseItems.Sum(i => i.limit * i.months.Length);
|
var archiveExpenseBudget = archiveExpenseItems.Sum(i => i.limit * i.months.Length);
|
||||||
var archiveSavings = archiveIncomeBudget - archiveExpenseBudget + archiveIncomeDiff + archiveExpenseDiff;
|
// 如果有归档存款数据,直接使用;否则用收入-支出计算
|
||||||
|
var archiveSavings = archiveSavingsItems.Any()
|
||||||
|
? archiveSavingsItems.Sum(i => i.current)
|
||||||
|
: archiveIncomeBudget - archiveExpenseBudget + archiveIncomeDiff + archiveExpenseDiff;
|
||||||
|
|
||||||
var expectedIncome = currentMonthlyIncomeItems.Sum(i => i.limit == 0 ? i.current : i.limit * i.factor) + currentYearlyIncomeItems.Sum(i => i.isMandatory || i.limit == 0 ? i.current : i.limit);
|
var expectedIncome = currentMonthlyIncomeItems.Sum(i => i.limit == 0 ? i.current : i.limit * i.factor) + currentYearlyIncomeItems.Sum(i => i.isMandatory || i.limit == 0 ? i.current : i.limit);
|
||||||
var expectedExpense = currentMonthlyExpenseItems.Sum(i => i.limit == 0 ? i.current : i.limit * i.factor) + currentYearlyExpenseItems.Sum(i => i.isMandatory || i.limit == 0 ? i.current : i.limit);
|
var expectedExpense = currentMonthlyExpenseItems.Sum(i => i.limit == 0 ? i.current : i.limit * i.factor) + currentYearlyExpenseItems.Sum(i => i.isMandatory || i.limit == 0 ? i.current : i.limit);
|
||||||
@@ -772,7 +830,7 @@ public class BudgetSavingsService(
|
|||||||
if (!string.IsNullOrEmpty(savingsCategories))
|
if (!string.IsNullOrEmpty(savingsCategories))
|
||||||
{
|
{
|
||||||
var cats = new HashSet<string>(savingsCategories.Split(',', StringSplitOptions.RemoveEmptyEntries));
|
var cats = new HashSet<string>(savingsCategories.Split(',', StringSplitOptions.RemoveEmptyEntries));
|
||||||
foreach(var kvp in transactionClassify)
|
foreach (var kvp in transactionClassify)
|
||||||
{
|
{
|
||||||
if (cats.Contains(kvp.Key.Item1))
|
if (cats.Contains(kvp.Key.Item1))
|
||||||
{
|
{
|
||||||
@@ -849,8 +907,8 @@ public class BudgetSavingsService(
|
|||||||
Array.Sort(months);
|
Array.Sort(months);
|
||||||
if (months.Length >= 2)
|
if (months.Length >= 2)
|
||||||
{
|
{
|
||||||
bool isContinuous = true;
|
var isContinuous = true;
|
||||||
for (int i = 1; i < months.Length; i++)
|
for (var i = 1; i < months.Length; i++)
|
||||||
{
|
{
|
||||||
if (months[i] != months[i - 1] + 1)
|
if (months[i] != months[i - 1] + 1)
|
||||||
{
|
{
|
||||||
|
|||||||
@@ -1,3 +1,7 @@
|
|||||||
|
using Service.AI;
|
||||||
|
using Service.Message;
|
||||||
|
using Service.Transaction;
|
||||||
|
|
||||||
namespace Service.Budget;
|
namespace Service.Budget;
|
||||||
|
|
||||||
public interface IBudgetService
|
public interface IBudgetService
|
||||||
@@ -29,11 +33,13 @@ public class BudgetService(
|
|||||||
IBudgetRepository budgetRepository,
|
IBudgetRepository budgetRepository,
|
||||||
IBudgetArchiveRepository budgetArchiveRepository,
|
IBudgetArchiveRepository budgetArchiveRepository,
|
||||||
ITransactionRecordRepository transactionRecordRepository,
|
ITransactionRecordRepository transactionRecordRepository,
|
||||||
|
ITransactionStatisticsService transactionStatisticsService,
|
||||||
IOpenAiService openAiService,
|
IOpenAiService openAiService,
|
||||||
IMessageService messageService,
|
IMessageService messageService,
|
||||||
ILogger<BudgetService> logger,
|
ILogger<BudgetService> logger,
|
||||||
IBudgetSavingsService budgetSavingsService,
|
IBudgetSavingsService budgetSavingsService,
|
||||||
IDateTimeProvider dateTimeProvider
|
IDateTimeProvider dateTimeProvider,
|
||||||
|
IBudgetStatsService budgetStatsService
|
||||||
) : IBudgetService
|
) : IBudgetService
|
||||||
{
|
{
|
||||||
public async Task<List<BudgetResult>> GetListAsync(DateTime referenceDate)
|
public async Task<List<BudgetResult>> GetListAsync(DateTime referenceDate)
|
||||||
@@ -109,17 +115,7 @@ public class BudgetService(
|
|||||||
|
|
||||||
public async Task<BudgetCategoryStats> GetCategoryStatsAsync(BudgetCategory category, DateTime referenceDate)
|
public async Task<BudgetCategoryStats> GetCategoryStatsAsync(BudgetCategory category, DateTime referenceDate)
|
||||||
{
|
{
|
||||||
var budgets = await GetListAsync(referenceDate);
|
return await budgetStatsService.GetCategoryStatsAsync(category, referenceDate);
|
||||||
|
|
||||||
var result = new BudgetCategoryStats();
|
|
||||||
|
|
||||||
// 获取月度统计
|
|
||||||
result.Month = await CalculateCategoryStatsAsync(budgets, category, BudgetPeriodType.Month, referenceDate);
|
|
||||||
|
|
||||||
// 获取年度统计
|
|
||||||
result.Year = await CalculateCategoryStatsAsync(budgets, category, BudgetPeriodType.Year, referenceDate);
|
|
||||||
|
|
||||||
return result;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public async Task<List<UncoveredCategoryDetail>> GetUncoveredCategoriesAsync(BudgetCategory category, DateTime? referenceDate = null)
|
public async Task<List<UncoveredCategoryDetail>> GetUncoveredCategoriesAsync(BudgetCategory category, DateTime? referenceDate = null)
|
||||||
@@ -142,7 +138,7 @@ public class BudgetService(
|
|||||||
.ToHashSet();
|
.ToHashSet();
|
||||||
|
|
||||||
// 2. 获取分类统计
|
// 2. 获取分类统计
|
||||||
var stats = await transactionRecordRepository.GetCategoryStatisticsAsync(date.Year, date.Month, transactionType);
|
var stats = await transactionStatisticsService.GetCategoryStatisticsAsync(date.Year, date.Month, transactionType);
|
||||||
|
|
||||||
// 3. 过滤未覆盖的
|
// 3. 过滤未覆盖的
|
||||||
return stats
|
return stats
|
||||||
@@ -163,179 +159,7 @@ public class BudgetService(
|
|||||||
return archive?.Summary;
|
return archive?.Summary;
|
||||||
}
|
}
|
||||||
|
|
||||||
private async Task<BudgetStatsDto> CalculateCategoryStatsAsync(
|
|
||||||
List<BudgetResult> budgets,
|
|
||||||
BudgetCategory category,
|
|
||||||
BudgetPeriodType statType,
|
|
||||||
DateTime referenceDate)
|
|
||||||
{
|
|
||||||
var result = new BudgetStatsDto
|
|
||||||
{
|
|
||||||
PeriodType = statType,
|
|
||||||
Rate = 0,
|
|
||||||
Current = 0,
|
|
||||||
Limit = 0,
|
|
||||||
Count = 0
|
|
||||||
};
|
|
||||||
|
|
||||||
// 获取当前分类下所有预算,排除不记额预算
|
|
||||||
var relevant = budgets
|
|
||||||
.Where(b => b.Category == category && !b.NoLimit)
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
// 月度统计中,只包含月度预算;年度统计中,包含所有预算
|
|
||||||
if (statType == BudgetPeriodType.Month)
|
|
||||||
{
|
|
||||||
relevant = relevant.Where(b => b.Type == BudgetPeriodType.Month).ToList();
|
|
||||||
}
|
|
||||||
|
|
||||||
if (relevant.Count == 0)
|
|
||||||
{
|
|
||||||
return result;
|
|
||||||
}
|
|
||||||
|
|
||||||
result.Count = relevant.Count;
|
|
||||||
decimal totalCurrent = 0;
|
|
||||||
decimal totalLimit = 0;
|
|
||||||
|
|
||||||
// 是否可以使用趋势统计来计算实际发生额(避免多预算重复计入同一笔账)
|
|
||||||
var transactionType = category switch
|
|
||||||
{
|
|
||||||
BudgetCategory.Expense => TransactionType.Expense,
|
|
||||||
BudgetCategory.Income => TransactionType.Income,
|
|
||||||
_ => TransactionType.None
|
|
||||||
};
|
|
||||||
|
|
||||||
foreach (var budget in relevant)
|
|
||||||
{
|
|
||||||
// 限额折算
|
|
||||||
var itemLimit = budget.Limit;
|
|
||||||
if (statType == BudgetPeriodType.Year && budget.Type == BudgetPeriodType.Month)
|
|
||||||
{
|
|
||||||
// 年度视图下,月度预算折算为年度
|
|
||||||
itemLimit = budget.Limit * 12;
|
|
||||||
}
|
|
||||||
totalLimit += itemLimit;
|
|
||||||
|
|
||||||
// 先逐预算累加当前值(作为后备值)
|
|
||||||
var selectedCategories = string.Join(',', budget.SelectedCategories);
|
|
||||||
var currentAmount = await CalculateCurrentAmountAsync(new()
|
|
||||||
{
|
|
||||||
Name = budget.Name,
|
|
||||||
Type = budget.Type,
|
|
||||||
Limit = budget.Limit,
|
|
||||||
Category = budget.Category,
|
|
||||||
SelectedCategories = selectedCategories,
|
|
||||||
StartDate = new DateTime(referenceDate.Year, referenceDate.Month, 1),
|
|
||||||
IsMandatoryExpense = budget.IsMandatoryExpense
|
|
||||||
}, referenceDate);
|
|
||||||
|
|
||||||
if (statType == BudgetPeriodType.Month)
|
|
||||||
{
|
|
||||||
totalCurrent += currentAmount;
|
|
||||||
}
|
|
||||||
else if (statType == BudgetPeriodType.Year)
|
|
||||||
{
|
|
||||||
// 年度视图下,累加所有预算的当前值
|
|
||||||
totalCurrent += currentAmount;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
result.Limit = totalLimit;
|
|
||||||
|
|
||||||
// 计算每日/每月趋势
|
|
||||||
if (transactionType != TransactionType.None)
|
|
||||||
{
|
|
||||||
var hasGlobalBudget = relevant.Any(b => b.SelectedCategories.Length == 0);
|
|
||||||
|
|
||||||
var allClassifies = hasGlobalBudget
|
|
||||||
? []
|
|
||||||
: relevant
|
|
||||||
.SelectMany(b => b.SelectedCategories)
|
|
||||||
.Distinct()
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
DateTime startDate, endDate;
|
|
||||||
bool groupByMonth;
|
|
||||||
|
|
||||||
if (statType == BudgetPeriodType.Month)
|
|
||||||
{
|
|
||||||
startDate = new DateTime(referenceDate.Year, referenceDate.Month, 1);
|
|
||||||
endDate = startDate.AddMonths(1).AddDays(-1);
|
|
||||||
groupByMonth = false;
|
|
||||||
}
|
|
||||||
else // Year
|
|
||||||
{
|
|
||||||
startDate = new DateTime(referenceDate.Year, 1, 1);
|
|
||||||
endDate = startDate.AddYears(1).AddDays(-1);
|
|
||||||
groupByMonth = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
var dailyStats = await transactionRecordRepository.GetFilteredTrendStatisticsAsync(
|
|
||||||
startDate,
|
|
||||||
endDate,
|
|
||||||
transactionType,
|
|
||||||
allClassifies,
|
|
||||||
groupByMonth);
|
|
||||||
|
|
||||||
decimal accumulated = 0;
|
|
||||||
decimal lastValidAccumulated = 0;
|
|
||||||
var now = dateTimeProvider.Now;
|
|
||||||
|
|
||||||
if (statType == BudgetPeriodType.Month)
|
|
||||||
{
|
|
||||||
var daysInMonth = DateTime.DaysInMonth(startDate.Year, startDate.Month);
|
|
||||||
for (int i = 1; i <= daysInMonth; i++)
|
|
||||||
{
|
|
||||||
var currentDate = new DateTime(startDate.Year, startDate.Month, i);
|
|
||||||
if (currentDate.Date > now.Date)
|
|
||||||
{
|
|
||||||
result.Trend.Add(null);
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (dailyStats.TryGetValue(currentDate.Date, out var amount))
|
|
||||||
{
|
|
||||||
accumulated += amount;
|
|
||||||
lastValidAccumulated = accumulated;
|
|
||||||
}
|
|
||||||
result.Trend.Add(accumulated);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else // Year
|
|
||||||
{
|
|
||||||
for (int i = 1; i <= 12; i++)
|
|
||||||
{
|
|
||||||
var currentMonthDate = new DateTime(startDate.Year, i, 1);
|
|
||||||
|
|
||||||
if (currentMonthDate.Year > now.Year || (currentMonthDate.Year == now.Year && i > now.Month))
|
|
||||||
{
|
|
||||||
result.Trend.Add(null);
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (dailyStats.TryGetValue(currentMonthDate, out var amount))
|
|
||||||
{
|
|
||||||
accumulated += amount;
|
|
||||||
lastValidAccumulated = accumulated;
|
|
||||||
}
|
|
||||||
result.Trend.Add(accumulated);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// 如果有有效的趋势数据,使用去重后的实际发生额(趋势的累计值),避免同一账单被多预算重复计入
|
|
||||||
// 否则使用前面逐预算累加的值(作为后备)
|
|
||||||
if (lastValidAccumulated > 0)
|
|
||||||
{
|
|
||||||
totalCurrent = lastValidAccumulated;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
result.Current = totalCurrent;
|
|
||||||
result.Rate = totalLimit > 0 ? totalCurrent / totalLimit * 100 : 0;
|
|
||||||
|
|
||||||
return result;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<string> ArchiveBudgetsAsync(int year, int month)
|
public async Task<string> ArchiveBudgetsAsync(int year, int month)
|
||||||
{
|
{
|
||||||
@@ -693,6 +517,11 @@ public class BudgetStatsDto
|
|||||||
/// 每日/每月累计金额趋势(对应当前周期内的实际发生额累计值)
|
/// 每日/每月累计金额趋势(对应当前周期内的实际发生额累计值)
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public List<decimal?> Trend { get; set; } = [];
|
public List<decimal?> Trend { get; set; } = [];
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// HTML 格式的详细描述(罗列每个预算的额度和实际值及计算公式)
|
||||||
|
/// </summary>
|
||||||
|
public string Description { get; set; } = string.Empty;
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
|
|||||||
1295
Service/Budget/BudgetStatsService.cs
Normal file
1295
Service/Budget/BudgetStatsService.cs
Normal file
File diff suppressed because it is too large
Load Diff
@@ -1,4 +1,6 @@
|
|||||||
using Service.EmailServices.EmailParse;
|
using Service.AI;
|
||||||
|
using Service.EmailServices.EmailParse;
|
||||||
|
using Service.Message;
|
||||||
|
|
||||||
namespace Service.EmailServices;
|
namespace Service.EmailServices;
|
||||||
|
|
||||||
@@ -73,7 +75,7 @@ public class EmailHandleService(
|
|||||||
|
|
||||||
logger.LogInformation("成功解析邮件,共 {Count} 条交易记录", parsed.Length);
|
logger.LogInformation("成功解析邮件,共 {Count} 条交易记录", parsed.Length);
|
||||||
|
|
||||||
bool allSuccess = true;
|
var allSuccess = true;
|
||||||
var records = new List<TransactionRecord>();
|
var records = new List<TransactionRecord>();
|
||||||
foreach (var (card, reason, amount, balance, type, occurredAt) in parsed)
|
foreach (var (card, reason, amount, balance, type, occurredAt) in parsed)
|
||||||
{
|
{
|
||||||
@@ -142,7 +144,7 @@ public class EmailHandleService(
|
|||||||
|
|
||||||
logger.LogInformation("成功解析邮件,共 {Count} 条交易记录", parsed.Length);
|
logger.LogInformation("成功解析邮件,共 {Count} 条交易记录", parsed.Length);
|
||||||
|
|
||||||
bool allSuccess = true;
|
var allSuccess = true;
|
||||||
var records = new List<TransactionRecord>();
|
var records = new List<TransactionRecord>();
|
||||||
foreach (var (card, reason, amount, balance, type, occurredAt) in parsed)
|
foreach (var (card, reason, amount, balance, type, occurredAt) in parsed)
|
||||||
{
|
{
|
||||||
@@ -177,7 +179,7 @@ public class EmailHandleService(
|
|||||||
{
|
{
|
||||||
var clone = records.ToArray().DeepClone();
|
var clone = records.ToArray().DeepClone();
|
||||||
|
|
||||||
if(clone?.Any() != true)
|
if (clone?.Any() != true)
|
||||||
{
|
{
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,4 +1,6 @@
|
|||||||
namespace Service.EmailServices.EmailParse;
|
using Service.AI;
|
||||||
|
|
||||||
|
namespace Service.EmailServices.EmailParse;
|
||||||
|
|
||||||
public class EmailParseForm95555(
|
public class EmailParseForm95555(
|
||||||
ILogger<EmailParseForm95555> logger,
|
ILogger<EmailParseForm95555> logger,
|
||||||
@@ -70,7 +72,7 @@ public class EmailParseForm95555(
|
|||||||
var balanceStr = match.Groups["balance"].Value;
|
var balanceStr = match.Groups["balance"].Value;
|
||||||
var typeStr = match.Groups["type"].Value;
|
var typeStr = match.Groups["type"].Value;
|
||||||
var reason = match.Groups["reason"].Value;
|
var reason = match.Groups["reason"].Value;
|
||||||
if(string.IsNullOrEmpty(reason))
|
if (string.IsNullOrEmpty(reason))
|
||||||
{
|
{
|
||||||
reason = typeStr;
|
reason = typeStr;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,4 +1,5 @@
|
|||||||
using HtmlAgilityPack;
|
using HtmlAgilityPack;
|
||||||
|
using Service.AI;
|
||||||
// ReSharper disable ConditionIsAlwaysTrueOrFalseAccordingToNullableAPIContract
|
// ReSharper disable ConditionIsAlwaysTrueOrFalseAccordingToNullableAPIContract
|
||||||
// ReSharper disable ConditionalAccessQualifierIsNonNullableAccordingToAPIContract
|
// ReSharper disable ConditionalAccessQualifierIsNonNullableAccordingToAPIContract
|
||||||
|
|
||||||
@@ -91,7 +92,7 @@ public partial class EmailParseFormCcsvc(
|
|||||||
{
|
{
|
||||||
foreach (var node in transactionNodes)
|
foreach (var node in transactionNodes)
|
||||||
{
|
{
|
||||||
string card = "";
|
var card = "";
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
// Time
|
// Time
|
||||||
@@ -140,7 +141,7 @@ public partial class EmailParseFormCcsvc(
|
|||||||
}
|
}
|
||||||
|
|
||||||
// 招商信用卡特殊,消费金额为正数,退款为负数
|
// 招商信用卡特殊,消费金额为正数,退款为负数
|
||||||
if(amount > 0)
|
if (amount > 0)
|
||||||
{
|
{
|
||||||
type = TransactionType.Expense;
|
type = TransactionType.Expense;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,4 +1,6 @@
|
|||||||
namespace Service.EmailServices.EmailParse;
|
using Service.AI;
|
||||||
|
|
||||||
|
namespace Service.EmailServices.EmailParse;
|
||||||
|
|
||||||
public interface IEmailParseServices
|
public interface IEmailParseServices
|
||||||
{
|
{
|
||||||
@@ -45,7 +47,7 @@ public abstract class EmailParseServicesBase(
|
|||||||
// AI兜底
|
// AI兜底
|
||||||
result = await ParseByAiAsync(emailContent) ?? [];
|
result = await ParseByAiAsync(emailContent) ?? [];
|
||||||
|
|
||||||
if(result.Length == 0)
|
if (result.Length == 0)
|
||||||
{
|
{
|
||||||
logger.LogWarning("AI解析邮件内容也未能提取到任何交易记录");
|
logger.LogWarning("AI解析邮件内容也未能提取到任何交易记录");
|
||||||
}
|
}
|
||||||
@@ -148,19 +150,19 @@ public abstract class EmailParseServicesBase(
|
|||||||
|
|
||||||
private (string card, string reason, decimal amount, decimal balance, TransactionType type, DateTime? occurredAt)? ParseSingleRecord(JsonElement obj)
|
private (string card, string reason, decimal amount, decimal balance, TransactionType type, DateTime? occurredAt)? ParseSingleRecord(JsonElement obj)
|
||||||
{
|
{
|
||||||
string card = obj.TryGetProperty("card", out var pCard) ? pCard.GetString() ?? string.Empty : string.Empty;
|
var card = obj.TryGetProperty("card", out var pCard) ? pCard.GetString() ?? string.Empty : string.Empty;
|
||||||
string reason = obj.TryGetProperty("reason", out var pReason) ? pReason.GetString() ?? string.Empty : string.Empty;
|
var reason = obj.TryGetProperty("reason", out var pReason) ? pReason.GetString() ?? string.Empty : string.Empty;
|
||||||
string typeStr = obj.TryGetProperty("type", out var pType) ? pType.GetString() ?? string.Empty : string.Empty;
|
var typeStr = obj.TryGetProperty("type", out var pType) ? pType.GetString() ?? string.Empty : string.Empty;
|
||||||
string occurredAtStr = obj.TryGetProperty("occurredAt", out var pOccurredAt) ? pOccurredAt.GetString() ?? string.Empty : string.Empty;
|
var occurredAtStr = obj.TryGetProperty("occurredAt", out var pOccurredAt) ? pOccurredAt.GetString() ?? string.Empty : string.Empty;
|
||||||
|
|
||||||
decimal amount = 0m;
|
var amount = 0m;
|
||||||
if (obj.TryGetProperty("amount", out var pAmount))
|
if (obj.TryGetProperty("amount", out var pAmount))
|
||||||
{
|
{
|
||||||
if (pAmount.ValueKind == JsonValueKind.Number && pAmount.TryGetDecimal(out var d)) amount = d;
|
if (pAmount.ValueKind == JsonValueKind.Number && pAmount.TryGetDecimal(out var d)) amount = d;
|
||||||
else if (pAmount.ValueKind == JsonValueKind.String && decimal.TryParse(pAmount.GetString(), NumberStyles.Any, CultureInfo.InvariantCulture, out var ds)) amount = ds;
|
else if (pAmount.ValueKind == JsonValueKind.String && decimal.TryParse(pAmount.GetString(), NumberStyles.Any, CultureInfo.InvariantCulture, out var ds)) amount = ds;
|
||||||
}
|
}
|
||||||
|
|
||||||
decimal balance = 0m;
|
var balance = 0m;
|
||||||
if (obj.TryGetProperty("balance", out var pBalance))
|
if (obj.TryGetProperty("balance", out var pBalance))
|
||||||
{
|
{
|
||||||
if (pBalance.ValueKind == JsonValueKind.Number && pBalance.TryGetDecimal(out var d2)) balance = d2;
|
if (pBalance.ValueKind == JsonValueKind.Number && pBalance.TryGetDecimal(out var d2)) balance = d2;
|
||||||
@@ -173,7 +175,7 @@ public abstract class EmailParseServicesBase(
|
|||||||
}
|
}
|
||||||
|
|
||||||
var occurredAt = (DateTime?)null;
|
var occurredAt = (DateTime?)null;
|
||||||
if(DateTime.TryParse(occurredAtStr, out var occurredAtValue))
|
if (DateTime.TryParse(occurredAtStr, out var occurredAtValue))
|
||||||
{
|
{
|
||||||
occurredAt = occurredAtValue;
|
occurredAt = occurredAtValue;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -199,12 +199,12 @@ public class EmailSyncService(
|
|||||||
message.TextBody ?? message.HtmlBody ?? string.Empty
|
message.TextBody ?? message.HtmlBody ?? string.Empty
|
||||||
) || (DateTime.Now - message.Date.DateTime > TimeSpan.FromDays(3)))
|
) || (DateTime.Now - message.Date.DateTime > TimeSpan.FromDays(3)))
|
||||||
{
|
{
|
||||||
#if DEBUG
|
#if DEBUG
|
||||||
logger.LogDebug("DEBUG 模式下,跳过标记已读步骤");
|
logger.LogDebug("DEBUG 模式下,跳过标记已读步骤");
|
||||||
#else
|
#else
|
||||||
// 标记邮件为已读
|
// 标记邮件为已读
|
||||||
await emailFetchService.MarkAsReadAsync(uid);
|
await emailFetchService.MarkAsReadAsync(uid);
|
||||||
#endif
|
#endif
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
catch (Exception ex)
|
catch (Exception ex)
|
||||||
|
|||||||
@@ -283,7 +283,7 @@ public class ImportService(
|
|||||||
|
|
||||||
DateTime GetDateTimeValue(IDictionary<string, string> row, string key)
|
DateTime GetDateTimeValue(IDictionary<string, string> row, string key)
|
||||||
{
|
{
|
||||||
if(!row.ContainsKey(key))
|
if (!row.ContainsKey(key))
|
||||||
{
|
{
|
||||||
return DateTime.MinValue;
|
return DateTime.MinValue;
|
||||||
}
|
}
|
||||||
@@ -432,7 +432,7 @@ public class ImportService(
|
|||||||
|
|
||||||
// 读取表头(第一行)
|
// 读取表头(第一行)
|
||||||
var headers = new List<string>();
|
var headers = new List<string>();
|
||||||
for (int col = 1; col <= colCount; col++)
|
for (var col = 1; col <= colCount; col++)
|
||||||
{
|
{
|
||||||
var header = worksheet.Cells[1, col].Text?.Trim() ?? string.Empty;
|
var header = worksheet.Cells[1, col].Text?.Trim() ?? string.Empty;
|
||||||
headers.Add(header);
|
headers.Add(header);
|
||||||
@@ -441,10 +441,10 @@ public class ImportService(
|
|||||||
var result = new List<IDictionary<string, string>>();
|
var result = new List<IDictionary<string, string>>();
|
||||||
|
|
||||||
// 读取数据行(从第二行开始)
|
// 读取数据行(从第二行开始)
|
||||||
for (int row = 2; row <= rowCount; row++)
|
for (var row = 2; row <= rowCount; row++)
|
||||||
{
|
{
|
||||||
var rowData = new Dictionary<string, string>();
|
var rowData = new Dictionary<string, string>();
|
||||||
for (int col = 1; col <= colCount; col++)
|
for (var col = 1; col <= colCount; col++)
|
||||||
{
|
{
|
||||||
var header = headers[col - 1];
|
var header = headers[col - 1];
|
||||||
var value = worksheet.Cells[row, col].Text?.Trim() ?? string.Empty;
|
var value = worksheet.Cells[row, col].Text?.Trim() ?? string.Empty;
|
||||||
|
|||||||
150
Service/Jobs/CategoryIconGenerationJob.cs
Normal file
150
Service/Jobs/CategoryIconGenerationJob.cs
Normal file
@@ -0,0 +1,150 @@
|
|||||||
|
using Quartz;
|
||||||
|
using Service.AI;
|
||||||
|
|
||||||
|
namespace Service.Jobs;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 分类图标生成定时任务
|
||||||
|
/// 每10分钟扫描一次,为没有图标的分类生成 5 个 SVG 图标
|
||||||
|
/// </summary>
|
||||||
|
public class CategoryIconGenerationJob(
|
||||||
|
ITransactionCategoryRepository categoryRepository,
|
||||||
|
IOpenAiService openAiService,
|
||||||
|
ILogger<CategoryIconGenerationJob> logger) : IJob
|
||||||
|
{
|
||||||
|
private static readonly SemaphoreSlim _semaphore = new(1, 1);
|
||||||
|
|
||||||
|
public async Task Execute(IJobExecutionContext context)
|
||||||
|
{
|
||||||
|
// 尝试获取锁,如果失败则跳过本次执行
|
||||||
|
if (!await _semaphore.WaitAsync(0))
|
||||||
|
{
|
||||||
|
logger.LogInformation("上一个分类图标生成任务尚未完成,跳过本次执行");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
try
|
||||||
|
{
|
||||||
|
|
||||||
|
logger.LogInformation("开始执行分类图标生成任务");
|
||||||
|
|
||||||
|
// 查询所有分类,然后过滤出没有图标的
|
||||||
|
var allCategories = await categoryRepository.GetAllAsync();
|
||||||
|
var categoriesWithoutIcon = allCategories
|
||||||
|
.Where(c => string.IsNullOrEmpty(c.Icon))
|
||||||
|
.ToList();
|
||||||
|
|
||||||
|
if (categoriesWithoutIcon.Count == 0)
|
||||||
|
{
|
||||||
|
logger.LogInformation("所有分类都已有图标,跳过本次任务");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.LogInformation("发现 {Count} 个分类没有图标,开始生成", categoriesWithoutIcon.Count);
|
||||||
|
|
||||||
|
// 为每个分类生成图标
|
||||||
|
foreach (var category in categoriesWithoutIcon)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
await GenerateIconsForCategoryAsync(category);
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
logger.LogError(ex, "为分类 {CategoryName}(ID:{CategoryId}) 生成图标失败",
|
||||||
|
category.Name, category.Id);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.LogInformation("分类图标生成任务执行完成");
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
logger.LogError(ex, "分类图标生成任务执行出错");
|
||||||
|
throw;
|
||||||
|
}
|
||||||
|
finally
|
||||||
|
{
|
||||||
|
_semaphore.Release();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 为单个分类生成 5 个 SVG 图标
|
||||||
|
/// </summary>
|
||||||
|
private async Task GenerateIconsForCategoryAsync(TransactionCategory category)
|
||||||
|
{
|
||||||
|
logger.LogInformation("正在为分类 {CategoryName}(ID:{CategoryId}) 生成图标",
|
||||||
|
category.Name, category.Id);
|
||||||
|
|
||||||
|
var typeText = category.Type == TransactionType.Expense ? "支出" : "收入";
|
||||||
|
|
||||||
|
var systemPrompt = """
|
||||||
|
你是一个专业的 SVG 图标设计师,擅长创作精美、富有表现力的图标。
|
||||||
|
请根据分类名称和类型,生成 5 个风格迥异、视觉效果突出的 SVG 图标。
|
||||||
|
|
||||||
|
设计要求:
|
||||||
|
1. 尺寸:24x24,viewBox="0 0 24 24"
|
||||||
|
2. 色彩:使用丰富的渐变色和多色搭配,让图标更有吸引力和辨识度
|
||||||
|
- 可以使用 <linearGradient> 或 <radialGradient> 创建渐变效果
|
||||||
|
- 不同元素使用不同颜色,增加层次感
|
||||||
|
- 根据分类含义选择合适的配色方案(如餐饮用暖色系、交通用蓝色系等)
|
||||||
|
3. 设计风格:5 个图标必须风格明显不同,避免雷同
|
||||||
|
- 第1个:扁平化风格,色彩鲜明,使用渐变
|
||||||
|
- 第2个:线性风格,多色描边,细节丰富
|
||||||
|
- 第3个:3D立体风格,使用阴影和高光效果
|
||||||
|
- 第4个:卡通可爱风格,圆润造型,活泼配色
|
||||||
|
- 第5个:现代简约风格,几何与曲线结合,优雅配色
|
||||||
|
4. 细节丰富:不要只用简单的几何图形,添加特征性的细节元素
|
||||||
|
- 例如:餐饮可以加刀叉、蒸汽、食材纹理等
|
||||||
|
- 交通可以加轮胎、车窗、尾气等
|
||||||
|
- 每个图标要有独特的视觉记忆点
|
||||||
|
5. 图标要直观表达分类含义,让人一眼就能识别
|
||||||
|
6. 只返回 JSON 数组格式,包含 5 个完整的 SVG 字符串,不要有任何其他文字说明
|
||||||
|
|
||||||
|
重要:每个 SVG 必须是自包含的完整代码,包含所有必要的 gradient 定义。
|
||||||
|
""";
|
||||||
|
|
||||||
|
var userPrompt = $"""
|
||||||
|
分类名称:{category.Name}
|
||||||
|
分类类型:{typeText}
|
||||||
|
|
||||||
|
请为这个分类生成 5 个精美的、风格各异的彩色 SVG 图标。
|
||||||
|
确保每个图标都有独特的视觉特征,不会与其他图标混淆。
|
||||||
|
|
||||||
|
返回格式(纯 JSON 数组,无其他内容):
|
||||||
|
["<svg>...</svg>", "<svg>...</svg>", "<svg>...</svg>", "<svg>...</svg>", "<svg>...</svg>"]
|
||||||
|
""";
|
||||||
|
|
||||||
|
var response = await openAiService.ChatAsync(systemPrompt, userPrompt, timeoutSeconds: 60 * 10);
|
||||||
|
|
||||||
|
if (string.IsNullOrWhiteSpace(response))
|
||||||
|
{
|
||||||
|
logger.LogWarning("AI 未返回有效的图标数据,分类: {CategoryName}", category.Name);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// 验证返回的是有效的 JSON 数组
|
||||||
|
try
|
||||||
|
{
|
||||||
|
var icons = JsonSerializer.Deserialize<List<string>>(response);
|
||||||
|
if (icons == null || icons.Count != 5)
|
||||||
|
{
|
||||||
|
logger.LogWarning("AI 返回的图标数量不正确(期望5个),分类: {CategoryName}", category.Name);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// 保存图标到数据库
|
||||||
|
category.Icon = response;
|
||||||
|
await categoryRepository.UpdateAsync(category);
|
||||||
|
|
||||||
|
logger.LogInformation("成功为分类 {CategoryName}(ID:{CategoryId}) 生成并保存了 5 个图标",
|
||||||
|
category.Name, category.Id);
|
||||||
|
}
|
||||||
|
catch (JsonException ex)
|
||||||
|
{
|
||||||
|
logger.LogError(ex, "解析 AI 返回的图标数据失败,分类: {CategoryName},响应内容: {Response}",
|
||||||
|
category.Name, response);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -144,12 +144,12 @@ public class EmailSyncJob(
|
|||||||
message.TextBody ?? message.HtmlBody ?? string.Empty
|
message.TextBody ?? message.HtmlBody ?? string.Empty
|
||||||
) || (DateTime.Now - message.Date.DateTime > TimeSpan.FromDays(3)))
|
) || (DateTime.Now - message.Date.DateTime > TimeSpan.FromDays(3)))
|
||||||
{
|
{
|
||||||
#if DEBUG
|
#if DEBUG
|
||||||
logger.LogDebug("DEBUG 模式下,跳过标记已读步骤");
|
logger.LogDebug("DEBUG 模式下,跳过标记已读步骤");
|
||||||
#else
|
#else
|
||||||
// 标记邮件为已读
|
// 标记邮件为已读
|
||||||
await emailFetchService.MarkAsReadAsync(uid);
|
await emailFetchService.MarkAsReadAsync(uid);
|
||||||
#endif
|
#endif
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
catch (Exception ex)
|
catch (Exception ex)
|
||||||
|
|||||||
78
Service/Jobs/LogCleanupJob.cs
Normal file
78
Service/Jobs/LogCleanupJob.cs
Normal file
@@ -0,0 +1,78 @@
|
|||||||
|
using Quartz;
|
||||||
|
|
||||||
|
namespace Service.Jobs;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 日志清理定时任务
|
||||||
|
/// </summary>
|
||||||
|
[DisallowConcurrentExecution]
|
||||||
|
public class LogCleanupJob(ILogger<LogCleanupJob> logger) : IJob
|
||||||
|
{
|
||||||
|
private const int RetentionDays = 30; // 保留30天的日志
|
||||||
|
|
||||||
|
public Task Execute(IJobExecutionContext context)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
logger.LogInformation("开始执行日志清理任务");
|
||||||
|
|
||||||
|
var logDirectory = Path.Combine(Directory.GetCurrentDirectory(), "logs");
|
||||||
|
if (!Directory.Exists(logDirectory))
|
||||||
|
{
|
||||||
|
logger.LogWarning("日志目录不存在: {LogDirectory}", logDirectory);
|
||||||
|
return Task.CompletedTask;
|
||||||
|
}
|
||||||
|
|
||||||
|
var cutoffDate = DateTime.Now.AddDays(-RetentionDays);
|
||||||
|
var logFiles = Directory.GetFiles(logDirectory, "log-*.txt");
|
||||||
|
var deletedCount = 0;
|
||||||
|
|
||||||
|
foreach (var logFile in logFiles)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
var fileName = Path.GetFileNameWithoutExtension(logFile);
|
||||||
|
var dateStr = fileName.Replace("log-", "");
|
||||||
|
|
||||||
|
// 尝试解析日期 (格式: yyyyMMdd)
|
||||||
|
if (DateTime.TryParseExact(dateStr, "yyyyMMdd",
|
||||||
|
CultureInfo.InvariantCulture,
|
||||||
|
DateTimeStyles.None,
|
||||||
|
out var logDate))
|
||||||
|
{
|
||||||
|
if (logDate < cutoffDate)
|
||||||
|
{
|
||||||
|
File.Delete(logFile);
|
||||||
|
deletedCount++;
|
||||||
|
logger.LogInformation("已删除过期日志文件: {LogFile} (日期: {LogDate})",
|
||||||
|
Path.GetFileName(logFile), logDate.ToString("yyyy-MM-dd"));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
logger.LogError(ex, "删除日志文件失败: {LogFile}", logFile);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (deletedCount > 0)
|
||||||
|
{
|
||||||
|
logger.LogInformation("日志清理完成,共删除 {DeletedCount} 个过期日志文件(保留 {RetentionDays} 天)",
|
||||||
|
deletedCount, RetentionDays);
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
logger.LogDebug("没有需要清理的过期日志文件");
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.LogInformation("日志清理任务执行完成");
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
logger.LogError(ex, "日志清理任务执行出错");
|
||||||
|
throw; // 让 Quartz 知道任务失败
|
||||||
|
}
|
||||||
|
|
||||||
|
return Task.CompletedTask;
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -1,4 +1,5 @@
|
|||||||
using Quartz;
|
using Quartz;
|
||||||
|
using Service.Transaction;
|
||||||
|
|
||||||
namespace Service.Jobs;
|
namespace Service.Jobs;
|
||||||
|
|
||||||
|
|||||||
@@ -1,106 +0,0 @@
|
|||||||
using Microsoft.Extensions.Hosting;
|
|
||||||
|
|
||||||
namespace Service;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 日志清理后台服务
|
|
||||||
/// </summary>
|
|
||||||
public class LogCleanupService(ILogger<LogCleanupService> logger) : BackgroundService
|
|
||||||
{
|
|
||||||
private readonly TimeSpan _checkInterval = TimeSpan.FromHours(24); // 每24小时检查一次
|
|
||||||
private const int RetentionDays = 30; // 保留30天的日志
|
|
||||||
|
|
||||||
protected override async Task ExecuteAsync(CancellationToken stoppingToken)
|
|
||||||
{
|
|
||||||
logger.LogInformation("日志清理服务已启动");
|
|
||||||
|
|
||||||
// 启动时立即执行一次清理
|
|
||||||
await CleanupOldLogsAsync();
|
|
||||||
|
|
||||||
// 定期清理
|
|
||||||
while (!stoppingToken.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await Task.Delay(_checkInterval, stoppingToken);
|
|
||||||
await CleanupOldLogsAsync();
|
|
||||||
}
|
|
||||||
catch (OperationCanceledException)
|
|
||||||
{
|
|
||||||
// 服务正在停止
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
logger.LogError(ex, "清理日志时发生错误");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
logger.LogInformation("日志清理服务已停止");
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 清理过期的日志文件
|
|
||||||
/// </summary>
|
|
||||||
private async Task CleanupOldLogsAsync()
|
|
||||||
{
|
|
||||||
await Task.Run(() =>
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
var logDirectory = Path.Combine(Directory.GetCurrentDirectory(), "logs");
|
|
||||||
if (!Directory.Exists(logDirectory))
|
|
||||||
{
|
|
||||||
logger.LogWarning("日志目录不存在: {LogDirectory}", logDirectory);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
var cutoffDate = DateTime.Now.AddDays(-RetentionDays);
|
|
||||||
var logFiles = Directory.GetFiles(logDirectory, "log-*.txt");
|
|
||||||
var deletedCount = 0;
|
|
||||||
|
|
||||||
foreach (var logFile in logFiles)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
var fileName = Path.GetFileNameWithoutExtension(logFile);
|
|
||||||
var dateStr = fileName.Replace("log-", "");
|
|
||||||
|
|
||||||
// 尝试解析日期 (格式: yyyyMMdd)
|
|
||||||
if (DateTime.TryParseExact(dateStr, "yyyyMMdd",
|
|
||||||
CultureInfo.InvariantCulture,
|
|
||||||
DateTimeStyles.None,
|
|
||||||
out var logDate))
|
|
||||||
{
|
|
||||||
if (logDate < cutoffDate)
|
|
||||||
{
|
|
||||||
File.Delete(logFile);
|
|
||||||
deletedCount++;
|
|
||||||
logger.LogInformation("已删除过期日志文件: {LogFile} (日期: {LogDate})",
|
|
||||||
Path.GetFileName(logFile), logDate.ToString("yyyy-MM-dd"));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
logger.LogError(ex, "删除日志文件失败: {LogFile}", logFile);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (deletedCount > 0)
|
|
||||||
{
|
|
||||||
logger.LogInformation("日志清理完成,共删除 {DeletedCount} 个过期日志文件(保留 {RetentionDays} 天)",
|
|
||||||
deletedCount, RetentionDays);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
logger.LogDebug("没有需要清理的过期日志文件");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
logger.LogError(ex, "清理日志过程中发生错误");
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
namespace Service;
|
namespace Service.Message;
|
||||||
|
|
||||||
public interface IMessageService
|
public interface IMessageService
|
||||||
{
|
{
|
||||||
@@ -1,7 +1,7 @@
|
|||||||
using WebPush;
|
using WebPush;
|
||||||
using PushSubscription = Entity.PushSubscription;
|
using PushSubscription = Entity.PushSubscription;
|
||||||
|
|
||||||
namespace Service;
|
namespace Service.Message;
|
||||||
|
|
||||||
public interface INotificationService
|
public interface INotificationService
|
||||||
{
|
{
|
||||||
@@ -1,61 +0,0 @@
|
|||||||
using Microsoft.Extensions.Hosting;
|
|
||||||
|
|
||||||
namespace Service;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 周期性账单后台服务
|
|
||||||
/// </summary>
|
|
||||||
public class PeriodicBillBackgroundService(
|
|
||||||
IServiceProvider serviceProvider,
|
|
||||||
ILogger<PeriodicBillBackgroundService> logger
|
|
||||||
) : BackgroundService
|
|
||||||
{
|
|
||||||
protected override async Task ExecuteAsync(CancellationToken stoppingToken)
|
|
||||||
{
|
|
||||||
logger.LogInformation("周期性账单后台服务已启动");
|
|
||||||
|
|
||||||
while (!stoppingToken.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
var now = DateTime.Now;
|
|
||||||
|
|
||||||
// 计算下次执行时间(每天早上6点)
|
|
||||||
var nextRun = now.Date.AddHours(6);
|
|
||||||
if (now >= nextRun)
|
|
||||||
{
|
|
||||||
nextRun = nextRun.AddDays(1);
|
|
||||||
}
|
|
||||||
|
|
||||||
var delay = nextRun - now;
|
|
||||||
logger.LogInformation("下次执行周期性账单检查时间: {NextRun}, 延迟: {Delay}",
|
|
||||||
nextRun.ToString("yyyy-MM-dd HH:mm:ss"), delay);
|
|
||||||
|
|
||||||
await Task.Delay(delay, stoppingToken);
|
|
||||||
|
|
||||||
if (stoppingToken.IsCancellationRequested)
|
|
||||||
break;
|
|
||||||
|
|
||||||
// 执行周期性账单检查
|
|
||||||
using (var scope = serviceProvider.CreateScope())
|
|
||||||
{
|
|
||||||
var periodicService = scope.ServiceProvider.GetRequiredService<ITransactionPeriodicService>();
|
|
||||||
await periodicService.ExecutePeriodicBillsAsync();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (OperationCanceledException)
|
|
||||||
{
|
|
||||||
logger.LogInformation("周期性账单后台服务已取消");
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
logger.LogError(ex, "周期性账单后台服务执行出错");
|
|
||||||
// 出错后等待1小时再重试
|
|
||||||
await Task.Delay(TimeSpan.FromHours(1), stoppingToken);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
logger.LogInformation("周期性账单后台服务已停止");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
namespace Service;
|
namespace Service.Transaction;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 周期性账单服务接口
|
/// 周期性账单服务接口
|
||||||
@@ -108,6 +108,11 @@ public class TransactionPeriodicService(
|
|||||||
/// </summary>
|
/// </summary>
|
||||||
private bool ShouldExecuteToday(TransactionPeriodic bill)
|
private bool ShouldExecuteToday(TransactionPeriodic bill)
|
||||||
{
|
{
|
||||||
|
if (!bill.IsEnabled)
|
||||||
|
{
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
var today = DateTime.Today;
|
var today = DateTime.Today;
|
||||||
|
|
||||||
// 如果从未执行过,需要执行
|
// 如果从未执行过,需要执行
|
||||||
350
Service/Transaction/TransactionStatisticsService.cs
Normal file
350
Service/Transaction/TransactionStatisticsService.cs
Normal file
@@ -0,0 +1,350 @@
|
|||||||
|
namespace Service.Transaction;
|
||||||
|
|
||||||
|
public interface ITransactionStatisticsService
|
||||||
|
{
|
||||||
|
Task<Dictionary<string, (int count, decimal expense, decimal income, decimal saving)>> GetDailyStatisticsAsync(int year, int month, string? savingClassify = null);
|
||||||
|
|
||||||
|
Task<Dictionary<string, (int count, decimal expense, decimal income, decimal saving)>> GetDailyStatisticsByRangeAsync(DateTime startDate, DateTime endDate, string? savingClassify = null);
|
||||||
|
|
||||||
|
Task<MonthlyStatistics> GetMonthlyStatisticsAsync(int year, int month);
|
||||||
|
|
||||||
|
Task<List<CategoryStatistics>> GetCategoryStatisticsAsync(int year, int month, TransactionType type);
|
||||||
|
|
||||||
|
Task<List<TrendStatistics>> GetTrendStatisticsAsync(int startYear, int startMonth, int monthCount);
|
||||||
|
|
||||||
|
Task<(List<ReasonGroupDto> list, int total)> GetReasonGroupsAsync(int pageIndex = 1, int pageSize = 20);
|
||||||
|
|
||||||
|
Task<List<(TransactionRecord record, double relevanceScore)>> GetClassifiedByKeywordsWithScoreAsync(List<string> keywords, double minMatchRate = 0.3, int limit = 10);
|
||||||
|
|
||||||
|
Task<Dictionary<DateTime, decimal>> GetFilteredTrendStatisticsAsync(
|
||||||
|
DateTime startDate,
|
||||||
|
DateTime endDate,
|
||||||
|
TransactionType type,
|
||||||
|
IEnumerable<string> classifies,
|
||||||
|
bool groupByMonth = false);
|
||||||
|
|
||||||
|
Task<Dictionary<(string, TransactionType), decimal>> GetAmountGroupByClassifyAsync(DateTime startTime, DateTime endTime);
|
||||||
|
}
|
||||||
|
|
||||||
|
public class TransactionStatisticsService(
|
||||||
|
ITransactionRecordRepository transactionRepository
|
||||||
|
) : ITransactionStatisticsService
|
||||||
|
{
|
||||||
|
public async Task<Dictionary<string, (int count, decimal expense, decimal income, decimal saving)>> GetDailyStatisticsAsync(int year, int month, string? savingClassify = null)
|
||||||
|
{
|
||||||
|
// 当 month=0 时,表示查询整年数据
|
||||||
|
DateTime startDate;
|
||||||
|
DateTime endDate;
|
||||||
|
|
||||||
|
if (month == 0)
|
||||||
|
{
|
||||||
|
// 查询整年:1月1日至12月31日
|
||||||
|
startDate = new DateTime(year, 1, 1);
|
||||||
|
endDate = new DateTime(year, 12, 31).AddDays(1); // 包含12月31日
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
// 查询指定月份
|
||||||
|
startDate = new DateTime(year, month, 1);
|
||||||
|
endDate = startDate.AddMonths(1);
|
||||||
|
}
|
||||||
|
|
||||||
|
return await GetDailyStatisticsByRangeAsync(startDate, endDate, savingClassify);
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task<Dictionary<string, (int count, decimal expense, decimal income, decimal saving)>> GetDailyStatisticsByRangeAsync(DateTime startDate, DateTime endDate, string? savingClassify = null)
|
||||||
|
{
|
||||||
|
var records = await transactionRepository.QueryAsync(
|
||||||
|
startDate: startDate,
|
||||||
|
endDate: endDate,
|
||||||
|
pageSize: int.MaxValue);
|
||||||
|
|
||||||
|
return records
|
||||||
|
.GroupBy(t => t.OccurredAt.ToString("yyyy-MM-dd"))
|
||||||
|
.ToDictionary(
|
||||||
|
g => g.Key,
|
||||||
|
g =>
|
||||||
|
{
|
||||||
|
var income = g.Where(t => t.Type == TransactionType.Income).Sum(t => Math.Abs(t.Amount));
|
||||||
|
var expense = g.Where(t => t.Type == TransactionType.Expense).Sum(t => Math.Abs(t.Amount));
|
||||||
|
|
||||||
|
var saving = 0m;
|
||||||
|
if (!string.IsNullOrEmpty(savingClassify))
|
||||||
|
{
|
||||||
|
saving = g.Where(t => savingClassify.Split(',').Contains(t.Classify)).Sum(t => Math.Abs(t.Amount));
|
||||||
|
}
|
||||||
|
|
||||||
|
return (count: g.Count(), expense, income, saving);
|
||||||
|
}
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task<MonthlyStatistics> GetMonthlyStatisticsAsync(int year, int month)
|
||||||
|
{
|
||||||
|
var records = await transactionRepository.QueryAsync(
|
||||||
|
year: year,
|
||||||
|
month: month,
|
||||||
|
pageSize: int.MaxValue);
|
||||||
|
|
||||||
|
var statistics = new MonthlyStatistics
|
||||||
|
{
|
||||||
|
Year = year,
|
||||||
|
Month = month
|
||||||
|
};
|
||||||
|
|
||||||
|
foreach (var record in records)
|
||||||
|
{
|
||||||
|
var amount = Math.Abs(record.Amount);
|
||||||
|
|
||||||
|
if (record.Type == TransactionType.Expense)
|
||||||
|
{
|
||||||
|
statistics.TotalExpense += amount;
|
||||||
|
statistics.ExpenseCount++;
|
||||||
|
}
|
||||||
|
else if (record.Type == TransactionType.Income)
|
||||||
|
{
|
||||||
|
statistics.TotalIncome += amount;
|
||||||
|
statistics.IncomeCount++;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
statistics.Balance = statistics.TotalIncome - statistics.TotalExpense;
|
||||||
|
statistics.TotalCount = records.Count;
|
||||||
|
|
||||||
|
return statistics;
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task<List<CategoryStatistics>> GetCategoryStatisticsAsync(int year, int month, TransactionType type)
|
||||||
|
{
|
||||||
|
var records = await transactionRepository.QueryAsync(
|
||||||
|
year: year,
|
||||||
|
month: month,
|
||||||
|
type: type,
|
||||||
|
pageSize: int.MaxValue);
|
||||||
|
|
||||||
|
var categoryGroups = records
|
||||||
|
.GroupBy(t => t.Classify)
|
||||||
|
.Select(g => new CategoryStatistics
|
||||||
|
{
|
||||||
|
Classify = g.Key,
|
||||||
|
Amount = g.Sum(t => Math.Abs(t.Amount)),
|
||||||
|
Count = g.Count()
|
||||||
|
})
|
||||||
|
.OrderByDescending(c => c.Amount)
|
||||||
|
.ToList();
|
||||||
|
|
||||||
|
var total = categoryGroups.Sum(c => c.Amount);
|
||||||
|
if (total > 0)
|
||||||
|
{
|
||||||
|
foreach (var category in categoryGroups)
|
||||||
|
{
|
||||||
|
category.Percent = Math.Round((category.Amount / total) * 100, 1);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return categoryGroups;
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task<List<TrendStatistics>> GetTrendStatisticsAsync(int startYear, int startMonth, int monthCount)
|
||||||
|
{
|
||||||
|
var trends = new List<TrendStatistics>();
|
||||||
|
|
||||||
|
for (var i = 0; i < monthCount; i++)
|
||||||
|
{
|
||||||
|
var targetYear = startYear;
|
||||||
|
var targetMonth = startMonth + i;
|
||||||
|
|
||||||
|
while (targetMonth > 12)
|
||||||
|
{
|
||||||
|
targetMonth -= 12;
|
||||||
|
targetYear++;
|
||||||
|
}
|
||||||
|
|
||||||
|
var records = await transactionRepository.QueryAsync(
|
||||||
|
year: targetYear,
|
||||||
|
month: targetMonth,
|
||||||
|
pageSize: int.MaxValue);
|
||||||
|
|
||||||
|
var expense = records.Where(t => t.Type == TransactionType.Expense).Sum(t => Math.Abs(t.Amount));
|
||||||
|
var income = records.Where(t => t.Type == TransactionType.Income).Sum(t => Math.Abs(t.Amount));
|
||||||
|
|
||||||
|
trends.Add(new TrendStatistics
|
||||||
|
{
|
||||||
|
Year = targetYear,
|
||||||
|
Month = targetMonth,
|
||||||
|
Expense = expense,
|
||||||
|
Income = income,
|
||||||
|
Balance = income - expense
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
return trends;
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task<(List<ReasonGroupDto> list, int total)> GetReasonGroupsAsync(int pageIndex = 1, int pageSize = 20)
|
||||||
|
{
|
||||||
|
var records = await transactionRepository.QueryAsync(
|
||||||
|
pageSize: int.MaxValue);
|
||||||
|
|
||||||
|
var unclassifiedRecords = records
|
||||||
|
.Where(t => !string.IsNullOrEmpty(t.Reason) && string.IsNullOrEmpty(t.Classify))
|
||||||
|
.GroupBy(t => t.Reason)
|
||||||
|
.Select(g => new
|
||||||
|
{
|
||||||
|
Reason = g.Key,
|
||||||
|
Count = g.Count(),
|
||||||
|
TotalAmount = g.Sum(r => r.Amount),
|
||||||
|
SampleType = g.First().Type,
|
||||||
|
SampleClassify = g.First().Classify,
|
||||||
|
TransactionIds = g.Select(r => r.Id).ToList()
|
||||||
|
})
|
||||||
|
.OrderByDescending(g => Math.Abs(g.TotalAmount))
|
||||||
|
.ToList();
|
||||||
|
|
||||||
|
var total = unclassifiedRecords.Count;
|
||||||
|
var pagedGroups = unclassifiedRecords
|
||||||
|
.Skip((pageIndex - 1) * pageSize)
|
||||||
|
.Take(pageSize)
|
||||||
|
.Select(g => new ReasonGroupDto
|
||||||
|
{
|
||||||
|
Reason = g.Reason,
|
||||||
|
Count = g.Count,
|
||||||
|
SampleType = g.SampleType,
|
||||||
|
SampleClassify = g.SampleClassify,
|
||||||
|
TransactionIds = g.TransactionIds,
|
||||||
|
TotalAmount = Math.Abs(g.TotalAmount)
|
||||||
|
})
|
||||||
|
.ToList();
|
||||||
|
|
||||||
|
return (pagedGroups, total);
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task<List<(TransactionRecord record, double relevanceScore)>> GetClassifiedByKeywordsWithScoreAsync(List<string> keywords, double minMatchRate = 0.3, int limit = 10)
|
||||||
|
{
|
||||||
|
if (keywords.Count == 0)
|
||||||
|
{
|
||||||
|
return [];
|
||||||
|
}
|
||||||
|
|
||||||
|
var candidates = await transactionRepository.GetClassifiedByKeywordsAsync(keywords, limit: int.MaxValue);
|
||||||
|
|
||||||
|
var scoredResults = candidates
|
||||||
|
.Select(record =>
|
||||||
|
{
|
||||||
|
var matchedCount = keywords.Count(keyword => record.Reason.Contains(keyword, StringComparison.OrdinalIgnoreCase));
|
||||||
|
var matchRate = (double)matchedCount / keywords.Count;
|
||||||
|
|
||||||
|
var exactMatchBonus = keywords.Any(k => record.Reason.Equals(k, StringComparison.OrdinalIgnoreCase)) ? 0.2 : 0.0;
|
||||||
|
|
||||||
|
var avgKeywordLength = keywords.Average(k => k.Length);
|
||||||
|
var lengthSimilarity = 1.0 - Math.Min(1.0, Math.Abs(record.Reason.Length - avgKeywordLength) / Math.Max(record.Reason.Length, avgKeywordLength));
|
||||||
|
var lengthBonus = lengthSimilarity * 0.1;
|
||||||
|
|
||||||
|
var score = matchRate + exactMatchBonus + lengthBonus;
|
||||||
|
return (record, score);
|
||||||
|
})
|
||||||
|
.Where(x => x.score >= minMatchRate)
|
||||||
|
.OrderByDescending(x => x.score)
|
||||||
|
.ThenByDescending(x => x.record.OccurredAt)
|
||||||
|
.Take(limit)
|
||||||
|
.ToList();
|
||||||
|
|
||||||
|
return scoredResults;
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task<Dictionary<DateTime, decimal>> GetFilteredTrendStatisticsAsync(
|
||||||
|
DateTime startDate,
|
||||||
|
DateTime endDate,
|
||||||
|
TransactionType type,
|
||||||
|
IEnumerable<string> classifies,
|
||||||
|
bool groupByMonth = false)
|
||||||
|
{
|
||||||
|
var records = await transactionRepository.QueryAsync(
|
||||||
|
startDate: startDate,
|
||||||
|
endDate: endDate,
|
||||||
|
type: type,
|
||||||
|
classifies: classifies.ToArray(),
|
||||||
|
pageSize: int.MaxValue);
|
||||||
|
|
||||||
|
if (groupByMonth)
|
||||||
|
{
|
||||||
|
return records
|
||||||
|
.GroupBy(t => new DateTime(t.OccurredAt.Year, t.OccurredAt.Month, 1))
|
||||||
|
.ToDictionary(g => g.Key, g => g.Sum(x => Math.Abs(x.Amount)));
|
||||||
|
}
|
||||||
|
|
||||||
|
return records
|
||||||
|
.GroupBy(t => t.OccurredAt.Date)
|
||||||
|
.ToDictionary(g => g.Key, g => g.Sum(x => Math.Abs(x.Amount)));
|
||||||
|
}
|
||||||
|
|
||||||
|
public async Task<Dictionary<(string, TransactionType), decimal>> GetAmountGroupByClassifyAsync(DateTime startTime, DateTime endTime)
|
||||||
|
{
|
||||||
|
var records = await transactionRepository.QueryAsync(
|
||||||
|
startDate: startTime,
|
||||||
|
endDate: endTime,
|
||||||
|
pageSize: int.MaxValue);
|
||||||
|
|
||||||
|
return records
|
||||||
|
.GroupBy(t => new { t.Classify, t.Type })
|
||||||
|
.ToDictionary(g => (g.Key.Classify, g.Key.Type), g => g.Sum(t => t.Amount));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public record ReasonGroupDto
|
||||||
|
{
|
||||||
|
public string Reason { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
public int Count { get; set; }
|
||||||
|
|
||||||
|
public TransactionType SampleType { get; set; }
|
||||||
|
|
||||||
|
public string SampleClassify { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
public List<long> TransactionIds { get; set; } = [];
|
||||||
|
|
||||||
|
public decimal TotalAmount { get; set; }
|
||||||
|
}
|
||||||
|
|
||||||
|
public record MonthlyStatistics
|
||||||
|
{
|
||||||
|
public int Year { get; set; }
|
||||||
|
|
||||||
|
public int Month { get; set; }
|
||||||
|
|
||||||
|
public decimal TotalExpense { get; set; }
|
||||||
|
|
||||||
|
public decimal TotalIncome { get; set; }
|
||||||
|
|
||||||
|
public decimal Balance { get; set; }
|
||||||
|
|
||||||
|
public int ExpenseCount { get; set; }
|
||||||
|
|
||||||
|
public int IncomeCount { get; set; }
|
||||||
|
|
||||||
|
public int TotalCount { get; set; }
|
||||||
|
}
|
||||||
|
|
||||||
|
public record CategoryStatistics
|
||||||
|
{
|
||||||
|
public string Classify { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
public decimal Amount { get; set; }
|
||||||
|
|
||||||
|
public int Count { get; set; }
|
||||||
|
|
||||||
|
public decimal Percent { get; set; }
|
||||||
|
}
|
||||||
|
|
||||||
|
public record TrendStatistics
|
||||||
|
{
|
||||||
|
public int Year { get; set; }
|
||||||
|
|
||||||
|
public int Month { get; set; }
|
||||||
|
|
||||||
|
public decimal Expense { get; set; }
|
||||||
|
|
||||||
|
public decimal Income { get; set; }
|
||||||
|
|
||||||
|
public decimal Balance { get; set; }
|
||||||
|
}
|
||||||
@@ -1,9 +1,21 @@
|
|||||||
<template>
|
<template>
|
||||||
<van-config-provider :theme="theme" class="app-provider">
|
<van-config-provider
|
||||||
|
:theme="theme"
|
||||||
|
class="app-provider"
|
||||||
|
>
|
||||||
<div class="app-root">
|
<div class="app-root">
|
||||||
<RouterView />
|
<RouterView />
|
||||||
<van-tabbar v-show="showTabbar" v-model="active">
|
<van-tabbar
|
||||||
<van-tabbar-item name="ccalendar" icon="notes" to="/calendar"> 日历 </van-tabbar-item>
|
v-show="showTabbar"
|
||||||
|
v-model="active"
|
||||||
|
>
|
||||||
|
<van-tabbar-item
|
||||||
|
name="ccalendar"
|
||||||
|
icon="notes"
|
||||||
|
to="/calendar"
|
||||||
|
>
|
||||||
|
日历
|
||||||
|
</van-tabbar-item>
|
||||||
<van-tabbar-item
|
<van-tabbar-item
|
||||||
name="statistics"
|
name="statistics"
|
||||||
icon="chart-trending-o"
|
icon="chart-trending-o"
|
||||||
@@ -29,12 +41,28 @@
|
|||||||
>
|
>
|
||||||
预算
|
预算
|
||||||
</van-tabbar-item>
|
</van-tabbar-item>
|
||||||
<van-tabbar-item name="setting" icon="setting" to="/setting"> 设置 </van-tabbar-item>
|
<van-tabbar-item
|
||||||
|
name="setting"
|
||||||
|
icon="setting"
|
||||||
|
to="/setting"
|
||||||
|
>
|
||||||
|
设置
|
||||||
|
</van-tabbar-item>
|
||||||
</van-tabbar>
|
</van-tabbar>
|
||||||
<GlobalAddBill v-if="isShowAddBill" @success="handleAddTransactionSuccess" />
|
<GlobalAddBill
|
||||||
|
v-if="isShowAddBill"
|
||||||
|
@success="handleAddTransactionSuccess"
|
||||||
|
/>
|
||||||
|
|
||||||
<div v-if="needRefresh" class="update-toast" @click="updateServiceWorker">
|
<div
|
||||||
<van-icon name="upgrade" class="update-icon" />
|
v-if="needRefresh"
|
||||||
|
class="update-toast"
|
||||||
|
@click="updateServiceWorker"
|
||||||
|
>
|
||||||
|
<van-icon
|
||||||
|
name="upgrade"
|
||||||
|
class="update-icon"
|
||||||
|
/>
|
||||||
<span>新版本可用,点击刷新</span>
|
<span>新版本可用,点击刷新</span>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
@@ -149,11 +177,10 @@ const setActive = (path) => {
|
|||||||
return 'statistics'
|
return 'statistics'
|
||||||
}
|
}
|
||||||
})()
|
})()
|
||||||
console.log(active.value, path)
|
|
||||||
}
|
}
|
||||||
|
|
||||||
const isShowAddBill = computed(() => {
|
const isShowAddBill = computed(() => {
|
||||||
return route.path === '/' || route.path === '/balance' || route.path === '/message'
|
return route.path === '/' || route.path === '/balance' || route.path === '/message' || route.path === '/calendar'
|
||||||
})
|
})
|
||||||
|
|
||||||
onUnmounted(() => {
|
onUnmounted(() => {
|
||||||
|
|||||||
59
Web/src/api/AGENTS.md
Normal file
59
Web/src/api/AGENTS.md
Normal file
@@ -0,0 +1,59 @@
|
|||||||
|
# API CLIENTS KNOWLEDGE BASE
|
||||||
|
|
||||||
|
**Generated:** 2026-01-28
|
||||||
|
**Parent:** EmailBill/AGENTS.md
|
||||||
|
|
||||||
|
## OVERVIEW
|
||||||
|
Axios-based HTTP client modules for backend API integration with request/response interceptors.
|
||||||
|
|
||||||
|
## STRUCTURE
|
||||||
|
```
|
||||||
|
Web/src/api/
|
||||||
|
├── request.js # Base HTTP client setup
|
||||||
|
├── auth.js # Authentication API
|
||||||
|
├── budget.js # Budget management API
|
||||||
|
├── transactionRecord.js # Transaction CRUD API
|
||||||
|
├── transactionCategory.js # Category management
|
||||||
|
├── transactionPeriodic.js # Periodic transactions
|
||||||
|
├── statistics.js # Analytics API
|
||||||
|
├── message.js # Message API
|
||||||
|
├── notification.js # Push notifications
|
||||||
|
├── emailRecord.js # Email records
|
||||||
|
├── config.js # Configuration API
|
||||||
|
├── billImport.js # Bill import
|
||||||
|
├── log.js # Application logs
|
||||||
|
└── job.js # Background job management
|
||||||
|
```
|
||||||
|
|
||||||
|
## WHERE TO LOOK
|
||||||
|
| Task | Location | Notes |
|
||||||
|
|------|----------|-------|
|
||||||
|
| Base HTTP setup | request.js | Axios interceptors, error handling |
|
||||||
|
| Authentication | auth.js | Login, token management |
|
||||||
|
| Budget data | budget.js | Budget CRUD, statistics |
|
||||||
|
| Transactions | transactionRecord.js | Transaction operations |
|
||||||
|
| Categories | transactionCategory.js | Category management |
|
||||||
|
| Statistics | statistics.js | Analytics, reports |
|
||||||
|
| Notifications | notification.js | Push subscription handling |
|
||||||
|
|
||||||
|
## CONVENTIONS
|
||||||
|
- All functions return Promises with async/await
|
||||||
|
- Error handling via try/catch with user messages
|
||||||
|
- HTTP methods: get, post, put, delete mapping to REST
|
||||||
|
- Request/response data transformation
|
||||||
|
- Token-based authentication via headers
|
||||||
|
- Consistent error message format
|
||||||
|
|
||||||
|
## ANTI-PATTERNS (THIS LAYER)
|
||||||
|
- Never fetch directly without going through these modules
|
||||||
|
- Don't hardcode API endpoints (use environment variables)
|
||||||
|
- Avoid synchronous operations
|
||||||
|
- Don't duplicate request logic across components
|
||||||
|
- No business logic in API clients
|
||||||
|
|
||||||
|
## UNIQUE STYLES
|
||||||
|
- Chinese error messages for user feedback
|
||||||
|
- Automatic token refresh handling
|
||||||
|
- Request/response logging for debugging
|
||||||
|
- Paged query patterns for list endpoints
|
||||||
|
- File upload handling for imports
|
||||||
@@ -4,7 +4,7 @@
|
|||||||
* 获取预算列表
|
* 获取预算列表
|
||||||
* @param {string} referenceDate 参考日期 (可选)
|
* @param {string} referenceDate 参考日期 (可选)
|
||||||
*/
|
*/
|
||||||
export function getBudgetList(referenceDate) {
|
export function getBudgetList (referenceDate) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Budget/GetList',
|
url: '/Budget/GetList',
|
||||||
method: 'get',
|
method: 'get',
|
||||||
@@ -16,7 +16,7 @@ export function getBudgetList(referenceDate) {
|
|||||||
* 创建预算
|
* 创建预算
|
||||||
* @param {object} data 预算数据
|
* @param {object} data 预算数据
|
||||||
*/
|
*/
|
||||||
export function createBudget(data) {
|
export function createBudget (data) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Budget/Create',
|
url: '/Budget/Create',
|
||||||
method: 'post',
|
method: 'post',
|
||||||
@@ -28,7 +28,7 @@ export function createBudget(data) {
|
|||||||
* 更新预算
|
* 更新预算
|
||||||
* @param {object} data 预算数据
|
* @param {object} data 预算数据
|
||||||
*/
|
*/
|
||||||
export function updateBudget(data) {
|
export function updateBudget (data) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Budget/Update',
|
url: '/Budget/Update',
|
||||||
method: 'post',
|
method: 'post',
|
||||||
@@ -40,7 +40,7 @@ export function updateBudget(data) {
|
|||||||
* 删除预算
|
* 删除预算
|
||||||
* @param {number} id 预算ID
|
* @param {number} id 预算ID
|
||||||
*/
|
*/
|
||||||
export function deleteBudget(id) {
|
export function deleteBudget (id) {
|
||||||
return request({
|
return request({
|
||||||
url: `/Budget/DeleteById/${id}`,
|
url: `/Budget/DeleteById/${id}`,
|
||||||
method: 'delete'
|
method: 'delete'
|
||||||
@@ -52,7 +52,7 @@ export function deleteBudget(id) {
|
|||||||
* @param {string} category 分类 (Expense/Income/Savings)
|
* @param {string} category 分类 (Expense/Income/Savings)
|
||||||
* @param {string} referenceDate 参考日期 (可选)
|
* @param {string} referenceDate 参考日期 (可选)
|
||||||
*/
|
*/
|
||||||
export function getCategoryStats(category, referenceDate) {
|
export function getCategoryStats (category, referenceDate) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Budget/GetCategoryStats',
|
url: '/Budget/GetCategoryStats',
|
||||||
method: 'get',
|
method: 'get',
|
||||||
@@ -64,7 +64,7 @@ export function getCategoryStats(category, referenceDate) {
|
|||||||
* @param {number} category 预算分类
|
* @param {number} category 预算分类
|
||||||
* @param {string} referenceDate 参考日期
|
* @param {string} referenceDate 参考日期
|
||||||
*/
|
*/
|
||||||
export function getUncoveredCategories(category, referenceDate) {
|
export function getUncoveredCategories (category, referenceDate) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Budget/GetUncoveredCategories',
|
url: '/Budget/GetUncoveredCategories',
|
||||||
method: 'get',
|
method: 'get',
|
||||||
@@ -76,7 +76,7 @@ export function getUncoveredCategories(category, referenceDate) {
|
|||||||
* 获取归档总结
|
* 获取归档总结
|
||||||
* @param {string} referenceDate 参考日期
|
* @param {string} referenceDate 参考日期
|
||||||
*/
|
*/
|
||||||
export function getArchiveSummary(referenceDate) {
|
export function getArchiveSummary (referenceDate) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Budget/GetArchiveSummary',
|
url: '/Budget/GetArchiveSummary',
|
||||||
method: 'get',
|
method: 'get',
|
||||||
@@ -88,7 +88,7 @@ export function getArchiveSummary(referenceDate) {
|
|||||||
* 更新归档总结
|
* 更新归档总结
|
||||||
* @param {object} data 数据 { referenceDate, summary }
|
* @param {object} data 数据 { referenceDate, summary }
|
||||||
*/
|
*/
|
||||||
export function updateArchiveSummary(data) {
|
export function updateArchiveSummary (data) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Budget/UpdateArchiveSummary',
|
url: '/Budget/UpdateArchiveSummary',
|
||||||
method: 'post',
|
method: 'post',
|
||||||
@@ -102,7 +102,7 @@ export function updateArchiveSummary(data) {
|
|||||||
* @param {number} month 月份
|
* @param {number} month 月份
|
||||||
* @param {number} type 周期类型 (1:Month, 2:Year)
|
* @param {number} type 周期类型 (1:Month, 2:Year)
|
||||||
*/
|
*/
|
||||||
export function getSavingsBudget(year, month, type) {
|
export function getSavingsBudget (year, month, type) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Budget/GetSavingsBudget',
|
url: '/Budget/GetSavingsBudget',
|
||||||
method: 'get',
|
method: 'get',
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
import request from './request'
|
import request from './request'
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* 日志相关 API
|
* 日志相关 API
|
||||||
@@ -12,6 +12,7 @@
|
|||||||
* @param {string} [params.searchKeyword] - 搜索关键词
|
* @param {string} [params.searchKeyword] - 搜索关键词
|
||||||
* @param {string} [params.logLevel] - 日志级别
|
* @param {string} [params.logLevel] - 日志级别
|
||||||
* @param {string} [params.date] - 日期 (yyyyMMdd)
|
* @param {string} [params.date] - 日期 (yyyyMMdd)
|
||||||
|
* @param {string} [params.className] - 类名
|
||||||
* @returns {Promise<{success: boolean, data: Array, total: number}>}
|
* @returns {Promise<{success: boolean, data: Array, total: number}>}
|
||||||
*/
|
*/
|
||||||
export const getLogList = (params = {}) => {
|
export const getLogList = (params = {}) => {
|
||||||
@@ -32,3 +33,34 @@ export const getAvailableDates = () => {
|
|||||||
method: 'get'
|
method: 'get'
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 获取可用的类名列表
|
||||||
|
* @param {Object} params - 查询参数
|
||||||
|
* @param {string} [params.date] - 日期 (yyyyMMdd)
|
||||||
|
* @returns {Promise<{success: boolean, data: Array}>}
|
||||||
|
*/
|
||||||
|
export const getAvailableClassNames = (params = {}) => {
|
||||||
|
return request({
|
||||||
|
url: '/Log/GetAvailableClassNames',
|
||||||
|
method: 'get',
|
||||||
|
params
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 根据请求ID查询关联日志
|
||||||
|
* @param {Object} params - 查询参数
|
||||||
|
* @param {string} params.requestId - 请求ID
|
||||||
|
* @param {number} [params.pageIndex=1] - 页码
|
||||||
|
* @param {number} [params.pageSize=50] - 每页条数
|
||||||
|
* @param {string} [params.date] - 日期 (yyyyMMdd)
|
||||||
|
* @returns {Promise<{success: boolean, data: Array, total: number}>}
|
||||||
|
*/
|
||||||
|
export const getLogsByRequestId = (params = {}) => {
|
||||||
|
return request({
|
||||||
|
url: '/Log/GetLogsByRequestId',
|
||||||
|
method: 'get',
|
||||||
|
params
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|||||||
@@ -1,13 +1,13 @@
|
|||||||
import request from './request'
|
import request from './request'
|
||||||
|
|
||||||
export function getVapidPublicKey() {
|
export function getVapidPublicKey () {
|
||||||
return request({
|
return request({
|
||||||
url: '/Notification/GetVapidPublicKey',
|
url: '/Notification/GetVapidPublicKey',
|
||||||
method: 'get'
|
method: 'get'
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
export function subscribe(data) {
|
export function subscribe (data) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Notification/Subscribe',
|
url: '/Notification/Subscribe',
|
||||||
method: 'post',
|
method: 'post',
|
||||||
@@ -15,7 +15,7 @@ export function subscribe(data) {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
export function testNotification(message) {
|
export function testNotification (message) {
|
||||||
return request({
|
return request({
|
||||||
url: '/Notification/TestNotification',
|
url: '/Notification/TestNotification',
|
||||||
method: 'post',
|
method: 'post',
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
import axios from 'axios'
|
import axios from 'axios'
|
||||||
import { showToast } from 'vant'
|
import { showToast } from 'vant'
|
||||||
import { useAuthStore } from '@/stores/auth'
|
import { useAuthStore } from '@/stores/auth'
|
||||||
import router from '@/router'
|
import router from '@/router'
|
||||||
@@ -12,6 +12,15 @@ const request = axios.create({
|
|||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
|
// 生成请求ID
|
||||||
|
const generateRequestId = () => {
|
||||||
|
return 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, function (c) {
|
||||||
|
const r = Math.random() * 16 | 0
|
||||||
|
const v = c === 'x' ? r : (r & 0x3 | 0x8)
|
||||||
|
return v.toString(16)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
// 请求拦截器
|
// 请求拦截器
|
||||||
request.interceptors.request.use(
|
request.interceptors.request.use(
|
||||||
(config) => {
|
(config) => {
|
||||||
@@ -20,6 +29,11 @@ request.interceptors.request.use(
|
|||||||
if (authStore.token) {
|
if (authStore.token) {
|
||||||
config.headers.Authorization = `Bearer ${authStore.token}`
|
config.headers.Authorization = `Bearer ${authStore.token}`
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 添加请求ID
|
||||||
|
const requestId = generateRequestId()
|
||||||
|
config.headers['X-Request-ID'] = requestId
|
||||||
|
|
||||||
return config
|
return config
|
||||||
},
|
},
|
||||||
(error) => {
|
(error) => {
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
import request from './request'
|
import request from './request'
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* 统计相关 API
|
* 统计相关 API
|
||||||
@@ -87,21 +87,6 @@ export const getDailyStatistics = (params) => {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* 获取指定日期范围内的每日统计
|
|
||||||
* @param {Object} params - 查询参数
|
|
||||||
* @param {string} params.startDate - 开始日期
|
|
||||||
* @param {string} params.endDate - 结束日期
|
|
||||||
* @returns {Promise<{success: boolean, data: Array}>}
|
|
||||||
*/
|
|
||||||
export const getDailyStatisticsRange = (params) => {
|
|
||||||
return request({
|
|
||||||
url: '/TransactionRecord/GetDailyStatisticsRange',
|
|
||||||
method: 'get',
|
|
||||||
params
|
|
||||||
})
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* 获取累积余额统计数据(用于余额卡片)
|
* 获取累积余额统计数据(用于余额卡片)
|
||||||
* @param {Object} params - 查询参数
|
* @param {Object} params - 查询参数
|
||||||
|
|||||||
@@ -76,3 +76,30 @@ export const batchCreateCategories = (dataList) => {
|
|||||||
data: dataList
|
data: dataList
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 为指定分类生成新的SVG图标
|
||||||
|
* @param {number} categoryId - 分类ID
|
||||||
|
* @returns {Promise<{success: boolean, data: string}>} 返回生成的SVG内容
|
||||||
|
*/
|
||||||
|
export const generateIcon = (categoryId) => {
|
||||||
|
return request({
|
||||||
|
url: '/TransactionCategory/GenerateIcon',
|
||||||
|
method: 'post',
|
||||||
|
data: { categoryId }
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 更新分类的选中图标索引
|
||||||
|
* @param {number} categoryId - 分类ID
|
||||||
|
* @param {number} selectedIndex - 选中的图标索引
|
||||||
|
* @returns {Promise<{success: boolean}>}
|
||||||
|
*/
|
||||||
|
export const updateSelectedIcon = (categoryId, selectedIndex) => {
|
||||||
|
return request({
|
||||||
|
url: '/TransactionCategory/UpdateSelectedIcon',
|
||||||
|
method: 'post',
|
||||||
|
data: { categoryId, selectedIndex }
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
import request from './request'
|
import request from './request'
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* 交易记录相关 API
|
* 交易记录相关 API
|
||||||
@@ -82,6 +82,7 @@ export const createTransaction = (data) => {
|
|||||||
* @param {number} data.balance - 交易后余额
|
* @param {number} data.balance - 交易后余额
|
||||||
* @param {number} data.type - 交易类型 (0:支出, 1:收入, 2:不计入收支)
|
* @param {number} data.type - 交易类型 (0:支出, 1:收入, 2:不计入收支)
|
||||||
* @param {string} data.classify - 交易分类
|
* @param {string} data.classify - 交易分类
|
||||||
|
* @param {string} [data.occurredAt] - 交易时间
|
||||||
* @returns {Promise<{success: boolean}>}
|
* @returns {Promise<{success: boolean}>}
|
||||||
*/
|
*/
|
||||||
export const updateTransaction = (data) => {
|
export const updateTransaction = (data) => {
|
||||||
@@ -223,32 +224,6 @@ export const nlpAnalysis = (userInput) => {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* 获取抵账候选列表
|
|
||||||
* @param {number} id - 当前交易ID
|
|
||||||
* @returns {Promise<{success: boolean, data: Array}>}
|
|
||||||
*/
|
|
||||||
export const getCandidatesForOffset = (id) => {
|
|
||||||
return request({
|
|
||||||
url: `/TransactionRecord/GetCandidatesForOffset/${id}`,
|
|
||||||
method: 'get'
|
|
||||||
})
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* 抵账(删除两笔交易)
|
|
||||||
* @param {number} id1 - 交易ID 1
|
|
||||||
* @param {number} id2 - 交易ID 2
|
|
||||||
* @returns {Promise<{success: boolean}>}
|
|
||||||
*/
|
|
||||||
export const offsetTransactions = (id1, id2) => {
|
|
||||||
return request({
|
|
||||||
url: '/TransactionRecord/OffsetTransactions',
|
|
||||||
method: 'post',
|
|
||||||
data: { id1, id2 }
|
|
||||||
})
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* 一句话录账解析
|
* 一句话录账解析
|
||||||
* @param {string} text - 用户输入的自然语言文本
|
* @param {string} text - 用户输入的自然语言文本
|
||||||
|
|||||||
184
Web/src/assets/theme.css
Normal file
184
Web/src/assets/theme.css
Normal file
@@ -0,0 +1,184 @@
|
|||||||
|
/**
|
||||||
|
* EmailBill 主题系统 - 根据 v2.pen 设计稿
|
||||||
|
* 用于保持整个应用色彩和布局一致性
|
||||||
|
*/
|
||||||
|
|
||||||
|
:root {
|
||||||
|
/* ============ 颜色变量 - 浅色主题 ============ */
|
||||||
|
|
||||||
|
/* 背景色 */
|
||||||
|
--bg-primary: #FFFFFF;
|
||||||
|
--bg-secondary: #F6F7F8;
|
||||||
|
--bg-tertiary: #F3F4F6;
|
||||||
|
--bg-button: #F5F5F5;
|
||||||
|
|
||||||
|
/* 文字颜色 */
|
||||||
|
--text-primary: #1A1A1A;
|
||||||
|
--text-secondary: #6B7280;
|
||||||
|
--text-tertiary: #9CA3AF;
|
||||||
|
|
||||||
|
/* 强调色 */
|
||||||
|
--accent-primary: #FF6B6B;
|
||||||
|
--accent-danger: #EF4444;
|
||||||
|
--accent-warning: #D97706;
|
||||||
|
--accent-warning-bg: #FFFBEB;
|
||||||
|
--accent-success: #22C55E;
|
||||||
|
--accent-success-bg: #F0FDF4;
|
||||||
|
--accent-info: #6366F1;
|
||||||
|
--accent-info-bg: #E0E7FF;
|
||||||
|
|
||||||
|
/* 图标色 */
|
||||||
|
--icon-star: #FF6B6B;
|
||||||
|
--icon-coffee: #FCD34D;
|
||||||
|
|
||||||
|
/* ============ 布局变量 ============ */
|
||||||
|
|
||||||
|
/* 间距 */
|
||||||
|
--spacing-xs: 2px;
|
||||||
|
--spacing-sm: 4px;
|
||||||
|
--spacing-md: 8px
|
||||||
|
--spacing-lg: 12px;
|
||||||
|
--spacing-xl: 16px;
|
||||||
|
--spacing-2xl: 20px;
|
||||||
|
--spacing-3xl: 24px;
|
||||||
|
|
||||||
|
/* 圆角 */
|
||||||
|
--radius-sm: 12px;
|
||||||
|
--radius-md: 16px;
|
||||||
|
--radius-lg: 20px;
|
||||||
|
--radius-full: 22px;
|
||||||
|
|
||||||
|
/* 字体大小 */
|
||||||
|
--font-xs: 9px;
|
||||||
|
--font-sm: 11px;
|
||||||
|
--font-base: 12px;
|
||||||
|
--font-md: 13px;
|
||||||
|
--font-lg: 15px;
|
||||||
|
--font-xl: 18px;
|
||||||
|
--font-2xl: 24px;
|
||||||
|
--font-3xl: 32px;
|
||||||
|
|
||||||
|
/* 字体粗细 */
|
||||||
|
--font-medium: 500;
|
||||||
|
--font-semibold: 600;
|
||||||
|
--font-bold: 700;
|
||||||
|
--font-extrabold: 800;
|
||||||
|
|
||||||
|
/* 字体 */
|
||||||
|
--font-primary: 'DM Sans', -apple-system, BlinkMacSystemFont, 'Segoe UI', sans-serif;
|
||||||
|
--font-display: 'Bricolage Grotesque', -apple-system, BlinkMacSystemFont, 'Segoe UI', sans-serif;
|
||||||
|
|
||||||
|
/* 阴影 (可选) */
|
||||||
|
--shadow-sm: 0 1px 2px rgba(0, 0, 0, 0.05);
|
||||||
|
--shadow-md: 0 4px 6px rgba(0, 0, 0, 0.05);
|
||||||
|
--shadow-lg: 0 10px 15px rgba(0, 0, 0, 0.05);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ============ 深色主题 ============ */
|
||||||
|
[data-theme="dark"] {
|
||||||
|
/* 背景色 */
|
||||||
|
--bg-primary: #09090B;
|
||||||
|
--bg-secondary: #18181b;
|
||||||
|
--bg-tertiary: #27272a;
|
||||||
|
--bg-button: #27272a;
|
||||||
|
|
||||||
|
/* 文字颜色 */
|
||||||
|
--text-primary: #f4f4f5;
|
||||||
|
--text-secondary: #a1a1aa;
|
||||||
|
--text-tertiary: #71717a;
|
||||||
|
|
||||||
|
/* 强调色 (深色主题调整) */
|
||||||
|
--accent-primary: #FF6B6B;
|
||||||
|
--accent-danger: #f87171;
|
||||||
|
--accent-warning: #fbbf24;
|
||||||
|
--accent-warning-bg: #451a03;
|
||||||
|
--accent-success: #4ade80;
|
||||||
|
--accent-success-bg: #064e3b;
|
||||||
|
--accent-info: #818cf8;
|
||||||
|
--accent-info-bg: #312e81;
|
||||||
|
|
||||||
|
/* 图标色 (深色主题) */
|
||||||
|
--icon-star: #FF6B6B;
|
||||||
|
--icon-coffee: #FCD34D;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ============ 通用工具类 ============ */
|
||||||
|
|
||||||
|
/* 文字 */
|
||||||
|
.text-primary {
|
||||||
|
color: var(--text-primary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-secondary {
|
||||||
|
color: var(--text-secondary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-tertiary {
|
||||||
|
color: var(--text-tertiary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-danger {
|
||||||
|
color: var(--accent-danger);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* 背景 */
|
||||||
|
.bg-primary {
|
||||||
|
background-color: var(--bg-primary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.bg-secondary {
|
||||||
|
background-color: var(--bg-secondary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.bg-tertiary {
|
||||||
|
background-color: var(--bg-tertiary);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* 布局容器 */
|
||||||
|
.container-fluid {
|
||||||
|
width: 100%;
|
||||||
|
max-width: 402px;
|
||||||
|
margin: 0 auto;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* Flex 布局 */
|
||||||
|
.flex {
|
||||||
|
display: flex;
|
||||||
|
}
|
||||||
|
|
||||||
|
.flex-col {
|
||||||
|
flex-direction: column;
|
||||||
|
}
|
||||||
|
|
||||||
|
.items-center {
|
||||||
|
align-items: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.justify-between {
|
||||||
|
justify-content: space-between;
|
||||||
|
}
|
||||||
|
|
||||||
|
.justify-center {
|
||||||
|
justify-content: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* 间距 */
|
||||||
|
.gap-xs { gap: var(--spacing-xs); }
|
||||||
|
.gap-sm { gap: var(--spacing-sm); }
|
||||||
|
.gap-md { gap: var(--spacing-md); }
|
||||||
|
.gap-lg { gap: var(--spacing-lg); }
|
||||||
|
.gap-xl { gap: var(--spacing-xl); }
|
||||||
|
.gap-2xl { gap: var(--spacing-2xl); }
|
||||||
|
.gap-3xl { gap: var(--spacing-3xl); }
|
||||||
|
|
||||||
|
/* 内边距 */
|
||||||
|
.p-sm { padding: var(--spacing-md); }
|
||||||
|
.p-md { padding: var(--spacing-xl); }
|
||||||
|
.p-lg { padding: var(--spacing-2xl); }
|
||||||
|
.p-xl { padding: var(--spacing-3xl); }
|
||||||
|
|
||||||
|
/* 圆角 */
|
||||||
|
.rounded-sm { border-radius: var(--radius-sm); }
|
||||||
|
.rounded-md { border-radius: var(--radius-md); }
|
||||||
|
.rounded-lg { border-radius: var(--radius-lg); }
|
||||||
|
.rounded-full { border-radius: var(--radius-full); }
|
||||||
@@ -38,30 +38,58 @@
|
|||||||
/>
|
/>
|
||||||
|
|
||||||
<!-- 交易类型 -->
|
<!-- 交易类型 -->
|
||||||
<van-field name="type" label="类型">
|
<van-field
|
||||||
|
name="type"
|
||||||
|
label="类型"
|
||||||
|
>
|
||||||
<template #input>
|
<template #input>
|
||||||
<van-radio-group v-model="form.type" direction="horizontal" @change="handleTypeChange">
|
<van-radio-group
|
||||||
<van-radio :name="0"> 支出 </van-radio>
|
v-model="form.type"
|
||||||
<van-radio :name="1"> 收入 </van-radio>
|
direction="horizontal"
|
||||||
<van-radio :name="2"> 不计 </van-radio>
|
@change="handleTypeChange"
|
||||||
|
>
|
||||||
|
<van-radio :name="0">
|
||||||
|
支出
|
||||||
|
</van-radio>
|
||||||
|
<van-radio :name="1">
|
||||||
|
收入
|
||||||
|
</van-radio>
|
||||||
|
<van-radio :name="2">
|
||||||
|
不计
|
||||||
|
</van-radio>
|
||||||
</van-radio-group>
|
</van-radio-group>
|
||||||
</template>
|
</template>
|
||||||
</van-field>
|
</van-field>
|
||||||
|
|
||||||
<!-- 分类 -->
|
<!-- 分类 -->
|
||||||
<van-field name="category" label="分类">
|
<van-field
|
||||||
|
name="category"
|
||||||
|
label="分类"
|
||||||
|
>
|
||||||
<template #input>
|
<template #input>
|
||||||
<span v-if="!categoryName" style="color: var(--van-text-color-3)">请选择分类</span>
|
<span
|
||||||
|
v-if="!categoryName"
|
||||||
|
style="color: var(--van-text-color-3)"
|
||||||
|
>请选择分类</span>
|
||||||
<span v-else>{{ categoryName }}</span>
|
<span v-else>{{ categoryName }}</span>
|
||||||
</template>
|
</template>
|
||||||
</van-field>
|
</van-field>
|
||||||
|
|
||||||
<!-- 分类选择组件 -->
|
<!-- 分类选择组件 -->
|
||||||
<ClassifySelector v-model="categoryName" :type="form.type" />
|
<ClassifySelector
|
||||||
|
v-model="categoryName"
|
||||||
|
:type="form.type"
|
||||||
|
/>
|
||||||
</van-cell-group>
|
</van-cell-group>
|
||||||
|
|
||||||
<div class="actions">
|
<div class="actions">
|
||||||
<van-button round block type="primary" native-type="submit" :loading="loading">
|
<van-button
|
||||||
|
round
|
||||||
|
block
|
||||||
|
type="primary"
|
||||||
|
native-type="submit"
|
||||||
|
:loading="loading"
|
||||||
|
>
|
||||||
{{ submitText }}
|
{{ submitText }}
|
||||||
</van-button>
|
</van-button>
|
||||||
<slot name="actions" />
|
<slot name="actions" />
|
||||||
@@ -69,7 +97,12 @@
|
|||||||
</van-form>
|
</van-form>
|
||||||
|
|
||||||
<!-- 日期选择弹窗 -->
|
<!-- 日期选择弹窗 -->
|
||||||
<van-popup v-model:show="showDatePicker" position="bottom" round teleport="body">
|
<van-popup
|
||||||
|
v-model:show="showDatePicker"
|
||||||
|
position="bottom"
|
||||||
|
round
|
||||||
|
teleport="body"
|
||||||
|
>
|
||||||
<van-date-picker
|
<van-date-picker
|
||||||
v-model="currentDate"
|
v-model="currentDate"
|
||||||
title="选择日期"
|
title="选择日期"
|
||||||
@@ -79,7 +112,12 @@
|
|||||||
</van-popup>
|
</van-popup>
|
||||||
|
|
||||||
<!-- 时间选择弹窗 -->
|
<!-- 时间选择弹窗 -->
|
||||||
<van-popup v-model:show="showTimePicker" position="bottom" round teleport="body">
|
<van-popup
|
||||||
|
v-model:show="showTimePicker"
|
||||||
|
position="bottom"
|
||||||
|
round
|
||||||
|
teleport="body"
|
||||||
|
>
|
||||||
<van-time-picker
|
<van-time-picker
|
||||||
v-model="currentTime"
|
v-model="currentTime"
|
||||||
title="选择时间"
|
title="选择时间"
|
||||||
|
|||||||
@@ -1,6 +1,10 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="manual-bill-add">
|
<div class="manual-bill-add">
|
||||||
<BillForm ref="billFormRef" :loading="saving" @submit="handleSave" />
|
<BillForm
|
||||||
|
ref="billFormRef"
|
||||||
|
:loading="saving"
|
||||||
|
@submit="handleSave"
|
||||||
|
/>
|
||||||
</div>
|
</div>
|
||||||
</template>
|
</template>
|
||||||
|
|
||||||
|
|||||||
@@ -1,6 +1,10 @@
|
|||||||
<template>
|
<template>
|
||||||
<div>
|
<div>
|
||||||
<div v-if="!parseResult" class="input-section" style="margin: 12px 12px 0 16px">
|
<div
|
||||||
|
v-if="!parseResult"
|
||||||
|
class="input-section"
|
||||||
|
style="margin: 12px 12px 0 16px"
|
||||||
|
>
|
||||||
<van-field
|
<van-field
|
||||||
v-model="text"
|
v-model="text"
|
||||||
type="textarea"
|
type="textarea"
|
||||||
@@ -23,7 +27,10 @@
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div v-if="parseResult" class="result-section">
|
<div
|
||||||
|
v-if="parseResult"
|
||||||
|
class="result-section"
|
||||||
|
>
|
||||||
<BillForm
|
<BillForm
|
||||||
:initial-data="parseResult"
|
:initial-data="parseResult"
|
||||||
:loading="saving"
|
:loading="saving"
|
||||||
@@ -31,7 +38,13 @@
|
|||||||
@submit="handleSave"
|
@submit="handleSave"
|
||||||
>
|
>
|
||||||
<template #actions>
|
<template #actions>
|
||||||
<van-button plain round block class="mt-2" @click="parseResult = null">
|
<van-button
|
||||||
|
plain
|
||||||
|
round
|
||||||
|
block
|
||||||
|
class="mt-2"
|
||||||
|
@click="parseResult = null"
|
||||||
|
>
|
||||||
重新输入
|
重新输入
|
||||||
</van-button>
|
</van-button>
|
||||||
</template>
|
</template>
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="chart-analysis-container">
|
<div class="chart-analysis-container">
|
||||||
<!-- 仪表盘:整体健康度 -->
|
<!-- 仪表盘:整体健康度 -->
|
||||||
<div class="gauges-row">
|
<div class="gauges-row">
|
||||||
@@ -7,8 +7,14 @@
|
|||||||
<div class="chart-header">
|
<div class="chart-header">
|
||||||
<div class="chart-title">
|
<div class="chart-title">
|
||||||
<!-- 月度健康度 -->
|
<!-- 月度健康度 -->
|
||||||
{{ activeTab === BudgetCategory.Expense ? '使用情况' : '完成情况' }}
|
{{ activeTab === BudgetCategory.Expense ? '使用情况(月度)' : '完成情况(月度)' }}
|
||||||
(月度)
|
<van-icon
|
||||||
|
name="info-o"
|
||||||
|
size="16"
|
||||||
|
color="var(--van-primary-color)"
|
||||||
|
style="margin-left: auto; cursor: pointer"
|
||||||
|
@click="showDescriptionPopup = true; activeDescTab = 'month'"
|
||||||
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div class="gauge-wrapper">
|
<div class="gauge-wrapper">
|
||||||
@@ -21,12 +27,27 @@
|
|||||||
<div
|
<div
|
||||||
class="remaining-label"
|
class="remaining-label"
|
||||||
>
|
>
|
||||||
{{ activeTab === BudgetCategory.Expense ? '余额' : '差额' }}
|
{{
|
||||||
|
activeTab === BudgetCategory.Expense
|
||||||
|
? (
|
||||||
|
overallStats.month.current > overallStats.month.limit
|
||||||
|
? '超支'
|
||||||
|
: '余额'
|
||||||
|
)
|
||||||
|
: overallStats.month.current > overallStats.month.limit
|
||||||
|
? '超额'
|
||||||
|
: '差额'
|
||||||
|
}}
|
||||||
</div>
|
</div>
|
||||||
<div
|
<div
|
||||||
class="remaining-value"
|
class="remaining-value"
|
||||||
|
:style="{ color:
|
||||||
|
overallStats.month.current > overallStats.month.limit
|
||||||
|
? activeTab === BudgetCategory.Expense ? 'var(--van-danger-color)' : 'var(--van-success-color)'
|
||||||
|
: ''
|
||||||
|
}"
|
||||||
>
|
>
|
||||||
¥{{ formatMoney(Math.max(0, overallStats.month.limit - overallStats.month.current)) }}
|
¥{{ formatMoney(Math.abs(overallStats.month.limit - overallStats.month.current)) }}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
@@ -50,8 +71,14 @@
|
|||||||
<div class="chart-card gauge-card">
|
<div class="chart-card gauge-card">
|
||||||
<div class="chart-header">
|
<div class="chart-header">
|
||||||
<div class="chart-title">
|
<div class="chart-title">
|
||||||
{{ activeTab === BudgetCategory.Expense ? '使用情况' : '完成情况' }}
|
{{ activeTab === BudgetCategory.Expense ? '使用情况(年度)' : '完成情况(年度)' }}
|
||||||
(年度)
|
<van-icon
|
||||||
|
name="info-o"
|
||||||
|
size="16"
|
||||||
|
color="var(--van-primary-color)"
|
||||||
|
style="margin-left: auto; cursor: pointer"
|
||||||
|
@click="showDescriptionPopup = true; activeDescTab = 'year'"
|
||||||
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div class="gauge-wrapper">
|
<div class="gauge-wrapper">
|
||||||
@@ -64,12 +91,13 @@
|
|||||||
<div
|
<div
|
||||||
class="remaining-label"
|
class="remaining-label"
|
||||||
>
|
>
|
||||||
{{ activeTab === BudgetCategory.Expense ? '余额' : '差额' }}
|
{{ activeTab === BudgetCategory.Expense ? (overallStats.year.current > overallStats.year.limit ? '超支' : '余额') : '差额' }}
|
||||||
</div>
|
</div>
|
||||||
<div
|
<div
|
||||||
class="remaining-value"
|
class="remaining-value"
|
||||||
|
:style="{ color: activeTab === BudgetCategory.Expense && overallStats.year.current > overallStats.year.limit ? 'var(--van-danger-color)' : '' }"
|
||||||
>
|
>
|
||||||
¥{{ formatMoney(Math.max(0, overallStats.year.limit - overallStats.year.current)) }}
|
¥{{ formatMoney(Math.abs(overallStats.year.limit - overallStats.year.current)) }}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
@@ -161,13 +189,27 @@
|
|||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<!-- 详细描述弹窗 -->
|
||||||
|
<PopupContainer
|
||||||
|
v-model="showDescriptionPopup"
|
||||||
|
:title="activeDescTab === 'month' ? '预算额度/实际详情(月度)' : '预算额度/实际详情(年度)'"
|
||||||
|
height="70%"
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
class="rich-html-content"
|
||||||
|
style="padding: 16px"
|
||||||
|
v-html="activeDescTab === 'month' ? (overallStats.month?.description || '<p style=\'text-align:center;color:var(--van-text-color-3)\'>暂无数据</p>') : (overallStats.year?.description || '<p style=\'text-align:center;color:var(--van-text-color-3)\'>暂无数据</p>')"
|
||||||
|
/>
|
||||||
|
</PopupContainer>
|
||||||
</template>
|
</template>
|
||||||
|
|
||||||
<script setup>
|
<script setup>
|
||||||
import { ref, onMounted, watch, nextTick, onUnmounted, computed } from 'vue'
|
import { ref, onMounted, watch, nextTick, onUnmounted, computed } from 'vue'
|
||||||
import * as echarts from 'echarts'
|
import * as echarts from 'echarts'
|
||||||
import { BudgetCategory } from '@/constants/enums'
|
import { BudgetCategory, BudgetPeriodType } from '@/constants/enums'
|
||||||
import { getCssVar } from '@/utils/theme'
|
import { getCssVar } from '@/utils/theme'
|
||||||
|
import PopupContainer from '@/components/PopupContainer.vue'
|
||||||
|
|
||||||
const props = defineProps({
|
const props = defineProps({
|
||||||
overallStats: {
|
overallStats: {
|
||||||
@@ -194,15 +236,16 @@ const varianceChartRef = ref(null)
|
|||||||
const burndownChartRef = ref(null)
|
const burndownChartRef = ref(null)
|
||||||
const yearBurndownChartRef = ref(null)
|
const yearBurndownChartRef = ref(null)
|
||||||
|
|
||||||
|
// 弹窗状态
|
||||||
|
const showDescriptionPopup = ref(false)
|
||||||
|
const activeDescTab = ref('month')
|
||||||
|
|
||||||
let monthGaugeChart = null
|
let monthGaugeChart = null
|
||||||
let yearGaugeChart = null
|
let yearGaugeChart = null
|
||||||
let varianceChart = null
|
let varianceChart = null
|
||||||
let burndownChart = null
|
let burndownChart = null
|
||||||
let yearBurndownChart = null
|
let yearBurndownChart = null
|
||||||
|
|
||||||
const monthBudgets = computed(() => (props.budgets || []).filter(b => b.type === 1))
|
|
||||||
const yearBudgets = computed(() => (props.budgets || []).filter(b => b.type === 2))
|
|
||||||
|
|
||||||
const formatMoney = (val) => {
|
const formatMoney = (val) => {
|
||||||
if (Math.abs(val) >= 10000) {
|
if (Math.abs(val) >= 10000) {
|
||||||
return (val / 10000).toFixed(1) + 'w'
|
return (val / 10000).toFixed(1) + 'w'
|
||||||
@@ -213,14 +256,6 @@ const formatMoney = (val) => {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
const initGaugeChart = (chartInstance, dom, data, isExpense) => {
|
|
||||||
if (!dom) { return null }
|
|
||||||
|
|
||||||
const chart = echarts.init(dom)
|
|
||||||
updateSingleGauge(chart, data, isExpense)
|
|
||||||
return chart
|
|
||||||
}
|
|
||||||
|
|
||||||
const updateSingleGauge = (chart, data, isExpense) => {
|
const updateSingleGauge = (chart, data, isExpense) => {
|
||||||
if (!chart) { return }
|
if (!chart) { return }
|
||||||
|
|
||||||
@@ -228,20 +263,30 @@ const updateSingleGauge = (chart, data, isExpense) => {
|
|||||||
// 展示逻辑:支出显示剩余,收入显示已积累
|
// 展示逻辑:支出显示剩余,收入显示已积累
|
||||||
let displayRate
|
let displayRate
|
||||||
if (isExpense) {
|
if (isExpense) {
|
||||||
// 支出:显示剩余容量 (100% - 已消耗%),随支出增大逐渐消耗
|
// 支出:显示剩余容量 (100% - 已消耗%),随支出增大逐渐消耗;超支时显示超出部分
|
||||||
displayRate = Math.max(0, 100 - rate)
|
displayRate = Math.max(0, 100 - rate)
|
||||||
|
// 如果超支(rate > 100),显示超支部分(例如110% -> 显示10%超支)
|
||||||
|
if (rate > 100) {
|
||||||
|
displayRate = rate - 100
|
||||||
|
}
|
||||||
} else {
|
} else {
|
||||||
// 收入:显示已积累 (%),随收入增多逐渐增多
|
// 收入:显示已积累 (%),随收入增多逐渐增多,可以超过100%
|
||||||
displayRate = Math.min(100, rate)
|
displayRate = rate
|
||||||
}
|
}
|
||||||
|
|
||||||
// 颜色逻辑:支出从绿色消耗到红色,收入从红色积累到绿色
|
// 颜色逻辑:支出从绿色消耗到红色,收入从红色积累到绿色
|
||||||
let color
|
let color
|
||||||
if (isExpense) {
|
if (isExpense) {
|
||||||
// 支出:满格绿色,随消耗逐渐变红 (根据剩余容量)
|
// 支出:满格绿色,随消耗逐渐变红 (根据剩余容量)
|
||||||
if (displayRate <= 30) { color = getCssVar('--chart-danger') } // 红色
|
if (rate > 100) {
|
||||||
else if (displayRate <= 65) { color = getCssVar('--chart-warning') } // 橙色
|
color = getCssVar('--chart-danger') // 超支显示红色
|
||||||
else { color = getCssVar('--chart-success') } // 绿色
|
} else if (displayRate <= 30) {
|
||||||
|
color = getCssVar('--chart-danger') // 红色(剩余很少)
|
||||||
|
} else if (displayRate <= 65) {
|
||||||
|
color = getCssVar('--chart-warning') // 橙色
|
||||||
|
} else {
|
||||||
|
color = getCssVar('--chart-success') // 绿色(剩余充足)
|
||||||
|
}
|
||||||
} else {
|
} else {
|
||||||
// 收入:空红色,随积累逐渐变绿 (根据已积累)
|
// 收入:空红色,随积累逐渐变绿 (根据已积累)
|
||||||
if (displayRate <= 30) { color = getCssVar('--chart-danger') } // 红色
|
if (displayRate <= 30) { color = getCssVar('--chart-danger') } // 红色
|
||||||
@@ -256,10 +301,10 @@ const updateSingleGauge = (chart, data, isExpense) => {
|
|||||||
startAngle: 180,
|
startAngle: 180,
|
||||||
endAngle: 0,
|
endAngle: 0,
|
||||||
min: 0,
|
min: 0,
|
||||||
max: 100,
|
max: isExpense && rate > 100 ? 50 : 100, // 超支时显示0-50%范围(实际代表0-150%)
|
||||||
splitNumber: 5,
|
splitNumber: 5,
|
||||||
radius: '110%', // 放大一点以适应小卡片
|
radius: '120%', // 放大一点以适应小卡片
|
||||||
center: ['50%', '75%'],
|
center: ['50%', '70%'],
|
||||||
itemStyle: {
|
itemStyle: {
|
||||||
color: color,
|
color: color,
|
||||||
shadowColor: getCssVar('--chart-shadow'),
|
shadowColor: getCssVar('--chart-shadow'),
|
||||||
@@ -384,18 +429,26 @@ const updateVarianceChart = (chart, budgets) => {
|
|||||||
const current = b.current || 0
|
const current = b.current || 0
|
||||||
const diff = current - limit
|
const diff = current - limit
|
||||||
return {
|
return {
|
||||||
name: b.name + (b.type === 2 ? ' (年)' : ''),
|
name: b.name + (b.type === BudgetPeriodType.Year ? ' (年)' : ''),
|
||||||
value: diff,
|
value: diff,
|
||||||
limit: limit,
|
limit: limit,
|
||||||
current: current
|
current: current,
|
||||||
|
type: b.type
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
// Sort by absolute variance
|
// 先月度再年度,各自按偏差绝对值排序
|
||||||
data.sort((a, b) => Math.abs(b.value) - Math.abs(a.value))
|
const monthlyData = data.filter(item => item.type === BudgetPeriodType.Month)
|
||||||
|
const annualData = data.filter(item => item.type === BudgetPeriodType.Year)
|
||||||
|
|
||||||
const categories = data.map(item => item.name)
|
monthlyData.sort((a, b) => Math.abs(b.value) - Math.abs(a.value))
|
||||||
const values = data.map(item => item.value)
|
annualData.sort((a, b) => Math.abs(b.value) - Math.abs(a.value))
|
||||||
|
|
||||||
|
// 确保月度在前,年度在后
|
||||||
|
const sortedData = [...annualData,...monthlyData]
|
||||||
|
|
||||||
|
const categories = sortedData.map(item => item.name)
|
||||||
|
const values = sortedData.map(item => item.value)
|
||||||
const maxVal = Math.max(...values.map(v => Math.abs(v))) || 1
|
const maxVal = Math.max(...values.map(v => Math.abs(v))) || 1
|
||||||
|
|
||||||
const textColor = getCssVar('--van-text-color')
|
const textColor = getCssVar('--van-text-color')
|
||||||
@@ -412,7 +465,7 @@ const updateVarianceChart = (chart, budgets) => {
|
|||||||
tooltip: {
|
tooltip: {
|
||||||
trigger: 'axis',
|
trigger: 'axis',
|
||||||
formatter: (params) => {
|
formatter: (params) => {
|
||||||
const item = data[params[0].dataIndex]
|
const item = sortedData[params[0].dataIndex]
|
||||||
let html = `${item.name}<br/>`
|
let html = `${item.name}<br/>`
|
||||||
html += `预算: ¥${formatMoney(item.limit)}<br/>`
|
html += `预算: ¥${formatMoney(item.limit)}<br/>`
|
||||||
html += `实际: ¥${formatMoney(item.current)}<br/>`
|
html += `实际: ¥${formatMoney(item.current)}<br/>`
|
||||||
@@ -543,15 +596,15 @@ const updateBurndownChart = () => {
|
|||||||
if (isExpense) {
|
if (isExpense) {
|
||||||
// 支出:燃尽图(向下走)
|
// 支出:燃尽图(向下走)
|
||||||
// 理想燃尽:每天均匀消耗
|
// 理想燃尽:每天均匀消耗
|
||||||
const idealRemaining = Math.max(0, totalBudget * (1 - i / daysInMonth))
|
const idealRemaining = totalBudget * (1 - i / daysInMonth)
|
||||||
idealBurndown.push(Math.round(idealRemaining))
|
idealBurndown.push(Math.round(idealRemaining))
|
||||||
|
|
||||||
// 实际燃尽:根据当前日期显示
|
// 实际燃尽:根据当前日期显示,允许负值以表示超支
|
||||||
if (trend.length > 0) {
|
if (trend.length > 0) {
|
||||||
// 后端返回了趋势数据
|
// 后端返回了趋势数据
|
||||||
const dayValue = trend[i - 1]
|
const dayValue = trend[i - 1]
|
||||||
if (dayValue !== undefined && dayValue !== null) {
|
if (dayValue !== undefined && dayValue !== null) {
|
||||||
const actualRemaining = Math.max(0, totalBudget - dayValue)
|
const actualRemaining = totalBudget - dayValue
|
||||||
actualBurndown.push(Math.round(actualRemaining))
|
actualBurndown.push(Math.round(actualRemaining))
|
||||||
} else {
|
} else {
|
||||||
actualBurndown.push(null)
|
actualBurndown.push(null)
|
||||||
@@ -559,7 +612,8 @@ const updateBurndownChart = () => {
|
|||||||
} else {
|
} else {
|
||||||
// 后端没有趋势数据, fallback 到线性估算
|
// 后端没有趋势数据, fallback 到线性估算
|
||||||
if (i <= currentDay && totalBudget > 0) {
|
if (i <= currentDay && totalBudget > 0) {
|
||||||
const actualRemaining = Math.max(0, totalBudget - (currentExpense * i / currentDay))
|
// 允许显示负值以表示超支
|
||||||
|
const actualRemaining = totalBudget - (currentExpense * i / currentDay)
|
||||||
actualBurndown.push(Math.round(actualRemaining))
|
actualBurndown.push(Math.round(actualRemaining))
|
||||||
} else {
|
} else {
|
||||||
actualBurndown.push(null)
|
actualBurndown.push(null)
|
||||||
@@ -735,14 +789,14 @@ const updateYearBurndownChart = () => {
|
|||||||
if (isExpense) {
|
if (isExpense) {
|
||||||
// 支出:燃尽图(向下走)
|
// 支出:燃尽图(向下走)
|
||||||
// 理想燃尽:每月均匀消耗
|
// 理想燃尽:每月均匀消耗
|
||||||
const idealRemaining = Math.max(0, totalBudget * (1 - (i + 1) / 12))
|
const idealRemaining = totalBudget * (1 - (i + 1) / 12)
|
||||||
idealBurndown.push(Math.round(idealRemaining))
|
idealBurndown.push(Math.round(idealRemaining))
|
||||||
|
|
||||||
// 实际燃尽:根据日期显示
|
// 实际燃尽:根据日期显示,允许负值以表示超支
|
||||||
if (trend.length > 0) {
|
if (trend.length > 0) {
|
||||||
const monthValue = trend[i]
|
const monthValue = trend[i]
|
||||||
if (monthValue !== undefined && monthValue !== null) {
|
if (monthValue !== undefined && monthValue !== null) {
|
||||||
const actualRemaining = Math.max(0, totalBudget - monthValue)
|
const actualRemaining = totalBudget - monthValue
|
||||||
actualBurndown.push(Math.round(actualRemaining))
|
actualBurndown.push(Math.round(actualRemaining))
|
||||||
} else {
|
} else {
|
||||||
actualBurndown.push(null)
|
actualBurndown.push(null)
|
||||||
@@ -751,7 +805,7 @@ const updateYearBurndownChart = () => {
|
|||||||
// Fallback: 如果是今年且月份未开始,或者去年,做线性统计
|
// Fallback: 如果是今年且月份未开始,或者去年,做线性统计
|
||||||
const isFuture = year > currentYear || (year === currentYear && i > currentMonth)
|
const isFuture = year > currentYear || (year === currentYear && i > currentMonth)
|
||||||
if (!isFuture && totalBudget > 0) {
|
if (!isFuture && totalBudget > 0) {
|
||||||
const actualRemaining = Math.max(0, totalBudget - (currentExpense * yearProgress))
|
const actualRemaining = totalBudget - (currentExpense * yearProgress)
|
||||||
actualBurndown.push(Math.round(actualRemaining))
|
actualBurndown.push(Math.round(actualRemaining))
|
||||||
} else {
|
} else {
|
||||||
actualBurndown.push(null)
|
actualBurndown.push(null)
|
||||||
@@ -1021,7 +1075,7 @@ onUnmounted(() => {
|
|||||||
}
|
}
|
||||||
|
|
||||||
.burndown-chart {
|
.burndown-chart {
|
||||||
height: 230px;
|
height: 190px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.gauge-footer {
|
.gauge-footer {
|
||||||
|
|||||||
@@ -1,21 +1,35 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="summary-container">
|
<div class="summary-container">
|
||||||
<transition :name="transitionName" mode="out-in">
|
<transition
|
||||||
|
:name="transitionName"
|
||||||
|
mode="out-in"
|
||||||
|
>
|
||||||
<div
|
<div
|
||||||
v-if="stats && (stats.month || stats.year)"
|
v-if="stats && (stats.month || stats.year)"
|
||||||
:key="dateKey"
|
:key="dateKey"
|
||||||
class="summary-card common-card"
|
class="summary-card common-card"
|
||||||
>
|
>
|
||||||
<!-- 左切换按钮 -->
|
<!-- 左切换按钮 -->
|
||||||
<div class="nav-arrow left" @click.stop="changeMonth(-1)">
|
<div
|
||||||
|
class="nav-arrow left"
|
||||||
|
@click.stop="changeMonth(-1)"
|
||||||
|
>
|
||||||
<van-icon name="arrow-left" />
|
<van-icon name="arrow-left" />
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="summary-content">
|
<div class="summary-content">
|
||||||
<template v-for="(config, key) in periodConfigs" :key="key">
|
<template
|
||||||
|
v-for="(config, key) in periodConfigs"
|
||||||
|
:key="key"
|
||||||
|
>
|
||||||
<div class="summary-item">
|
<div class="summary-item">
|
||||||
<div class="label">{{ config.label }}{{ title }}率</div>
|
<div class="label">
|
||||||
<div class="value" :class="getValueClass(stats[key]?.rate || '0.0')">
|
{{ config.label }}{{ title }}率
|
||||||
|
</div>
|
||||||
|
<div
|
||||||
|
class="value"
|
||||||
|
:class="getValueClass(stats[key]?.rate || '0.0')"
|
||||||
|
>
|
||||||
{{ stats[key]?.rate || '0.0' }}<span class="unit">%</span>
|
{{ stats[key]?.rate || '0.0' }}<span class="unit">%</span>
|
||||||
</div>
|
</div>
|
||||||
<div class="sub-info">
|
<div class="sub-info">
|
||||||
@@ -24,7 +38,10 @@
|
|||||||
<span class="amount">¥{{ formatMoney(stats[key]?.limit || 0) }}</span>
|
<span class="amount">¥{{ formatMoney(stats[key]?.limit || 0) }}</span>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div v-if="config.showDivider" class="divider" />
|
<div
|
||||||
|
v-if="config.showDivider"
|
||||||
|
class="divider"
|
||||||
|
/>
|
||||||
</template>
|
</template>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
@@ -38,7 +55,10 @@
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 非本月时显示的日期标识 -->
|
<!-- 非本月时显示的日期标识 -->
|
||||||
<div v-if="!isCurrentMonth" class="date-tag">
|
<div
|
||||||
|
v-if="!isCurrentMonth"
|
||||||
|
class="date-tag"
|
||||||
|
>
|
||||||
{{ props.date.getFullYear() }}年{{ props.date.getMonth() + 1 }}月
|
{{ props.date.getFullYear() }}年{{ props.date.getMonth() + 1 }}月
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@@ -1,12 +1,20 @@
|
|||||||
<template>
|
<template>
|
||||||
<PopupContainer v-model="visible" title="设置存款分类" height="60%">
|
<PopupContainer
|
||||||
|
v-model="visible"
|
||||||
|
title="设置存款分类"
|
||||||
|
height="60%"
|
||||||
|
>
|
||||||
<div class="savings-config-content">
|
<div class="savings-config-content">
|
||||||
<div class="config-header">
|
<div class="config-header">
|
||||||
<p class="subtitle">这些分类的统计值将计入“存款”中</p>
|
<p class="subtitle">
|
||||||
|
这些分类的统计值将计入“存款”中
|
||||||
|
</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="category-section">
|
<div class="category-section">
|
||||||
<div class="section-title">可多选分类</div>
|
<div class="section-title">
|
||||||
|
可多选分类
|
||||||
|
</div>
|
||||||
<ClassifySelector
|
<ClassifySelector
|
||||||
v-model="selectedCategories"
|
v-model="selectedCategories"
|
||||||
:type="2"
|
:type="2"
|
||||||
@@ -18,7 +26,14 @@
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<template #footer>
|
<template #footer>
|
||||||
<van-button block round type="primary" @click="onSubmit"> 保存配置 </van-button>
|
<van-button
|
||||||
|
block
|
||||||
|
round
|
||||||
|
type="primary"
|
||||||
|
@click="onSubmit"
|
||||||
|
>
|
||||||
|
保存配置
|
||||||
|
</van-button>
|
||||||
</template>
|
</template>
|
||||||
</PopupContainer>
|
</PopupContainer>
|
||||||
</template>
|
</template>
|
||||||
|
|||||||
@@ -1,446 +0,0 @@
|
|||||||
<template>
|
|
||||||
<div class="heatmap-card">
|
|
||||||
<div class="grid-row">
|
|
||||||
<!-- Weekday Labels (Fixed Left) -->
|
|
||||||
<div class="weekday-col-fixed">
|
|
||||||
<div class="weekday-label">
|
|
||||||
二
|
|
||||||
</div>
|
|
||||||
<div class="weekday-label">
|
|
||||||
四
|
|
||||||
</div>
|
|
||||||
<div class="weekday-label">
|
|
||||||
六
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<!-- Scrollable Heatmap Area -->
|
|
||||||
<div
|
|
||||||
ref="scrollContainer"
|
|
||||||
class="heatmap-scroll-container"
|
|
||||||
>
|
|
||||||
<div class="heatmap-content">
|
|
||||||
<!-- Month Labels -->
|
|
||||||
<div class="month-row">
|
|
||||||
<div
|
|
||||||
v-for="(month, index) in monthLabels"
|
|
||||||
:key="index"
|
|
||||||
class="month-label"
|
|
||||||
:style="{ left: month.left + 'px' }"
|
|
||||||
>
|
|
||||||
{{ month.text }}
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<!-- Heatmap Grid -->
|
|
||||||
<div class="heatmap-grid">
|
|
||||||
<div
|
|
||||||
v-for="(week, wIndex) in weeks"
|
|
||||||
:key="wIndex"
|
|
||||||
class="heatmap-week"
|
|
||||||
>
|
|
||||||
<div
|
|
||||||
v-for="(day, dIndex) in week"
|
|
||||||
:key="dIndex"
|
|
||||||
class="heatmap-cell"
|
|
||||||
:class="getLevelClass(day)"
|
|
||||||
@click="onCellClick(day)"
|
|
||||||
>
|
|
||||||
<!-- Tooltip could be implemented here or using title -->
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<div class="heatmap-footer">
|
|
||||||
<div
|
|
||||||
v-if="totalCount > 0"
|
|
||||||
class="summary-text"
|
|
||||||
>
|
|
||||||
过去一年共 {{ totalCount }} 笔交易
|
|
||||||
</div>
|
|
||||||
<div class="legend">
|
|
||||||
<span>少</span>
|
|
||||||
<div class="legend-item level-0" />
|
|
||||||
<div class="legend-item level-1" />
|
|
||||||
<div class="legend-item level-2" />
|
|
||||||
<div class="legend-item level-3" />
|
|
||||||
<div class="legend-item level-4" />
|
|
||||||
<span>多</span>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</template>
|
|
||||||
|
|
||||||
<script setup>
|
|
||||||
import { ref, onMounted, nextTick } from 'vue'
|
|
||||||
import { getDailyStatisticsRange } from '@/api/statistics'
|
|
||||||
|
|
||||||
const stats = ref({})
|
|
||||||
const weeks = ref([])
|
|
||||||
const monthLabels = ref([])
|
|
||||||
const totalCount = ref(0)
|
|
||||||
const scrollContainer = ref(null)
|
|
||||||
const thresholds = ref([2, 4, 7]) // Default thresholds
|
|
||||||
|
|
||||||
const CELL_SIZE = 15
|
|
||||||
const CELL_GAP = 3
|
|
||||||
const WEEK_WIDTH = CELL_SIZE + CELL_GAP
|
|
||||||
|
|
||||||
const formatDate = (d) => {
|
|
||||||
const year = d.getFullYear()
|
|
||||||
const month = String(d.getMonth() + 1).padStart(2, '0')
|
|
||||||
const day = String(d.getDate()).padStart(2, '0')
|
|
||||||
return `${year}-${month}-${day}`
|
|
||||||
}
|
|
||||||
|
|
||||||
const fetchData = async () => {
|
|
||||||
const endDate = new Date()
|
|
||||||
const startDate = new Date()
|
|
||||||
startDate.setFullYear(endDate.getFullYear() - 1)
|
|
||||||
|
|
||||||
try {
|
|
||||||
const res = await getDailyStatisticsRange({
|
|
||||||
startDate: formatDate(startDate),
|
|
||||||
endDate: formatDate(endDate)
|
|
||||||
})
|
|
||||||
|
|
||||||
if (res.success) {
|
|
||||||
const map = {}
|
|
||||||
let count = 0
|
|
||||||
res.data.forEach((item) => {
|
|
||||||
map[item.date] = item
|
|
||||||
count += item.count
|
|
||||||
})
|
|
||||||
stats.value = map
|
|
||||||
totalCount.value = count
|
|
||||||
|
|
||||||
// Calculate thresholds based on last 15 days average
|
|
||||||
const today = new Date()
|
|
||||||
let last15DaysSum = 0
|
|
||||||
for (let i = 0; i < 15; i++) {
|
|
||||||
const d = new Date(today)
|
|
||||||
d.setDate(d.getDate() - i)
|
|
||||||
const dateStr = formatDate(d)
|
|
||||||
last15DaysSum += map[dateStr]?.count || 0
|
|
||||||
}
|
|
||||||
|
|
||||||
const avg = last15DaysSum / 15
|
|
||||||
// Step size calculation: ensure at least 1, roughly avg/2 to create spread
|
|
||||||
// Level 1: 1 ~ step
|
|
||||||
// Level 2: step+1 ~ step*2
|
|
||||||
// Level 3: step*2+1 ~ step*3
|
|
||||||
// Level 4: > step*3
|
|
||||||
const step = Math.max(Math.ceil(avg / 2), 1)
|
|
||||||
thresholds.value = [step, step * 2, step * 3]
|
|
||||||
|
|
||||||
generateHeatmapData(startDate, endDate)
|
|
||||||
}
|
|
||||||
} catch (e) {
|
|
||||||
console.error('Failed to fetch heatmap data', e)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
const generateHeatmapData = (startDate, endDate) => {
|
|
||||||
const current = new Date(startDate)
|
|
||||||
|
|
||||||
const allDays = []
|
|
||||||
|
|
||||||
// Adjust start date to be Monday to align weeks
|
|
||||||
// 0 = Sunday, 1 = Monday
|
|
||||||
const startDay = current.getDay()
|
|
||||||
// If startDay is 0 (Sunday), we need to go back 6 days to Monday
|
|
||||||
// If startDay is 1 (Monday), we are good
|
|
||||||
// If startDay is 2 (Tuesday), we need to go back 1 day
|
|
||||||
// Formula: (day + 6) % 7 days back?
|
|
||||||
// Monday (1) -> 0 days back
|
|
||||||
// Sunday (0) -> 6 days back
|
|
||||||
// Tuesday (2) -> 1 day back
|
|
||||||
|
|
||||||
// We don't necessarily need to subtract from startDate for data fetching,
|
|
||||||
// but for grid alignment we want the first column to start on Monday.
|
|
||||||
|
|
||||||
const alignStart = new Date(startDate)
|
|
||||||
// alignStart.setDate(alignStart.getDate() - daysToSubtract);
|
|
||||||
|
|
||||||
const tempDate = new Date(alignStart)
|
|
||||||
while (tempDate <= endDate) {
|
|
||||||
const dateStr = formatDate(tempDate)
|
|
||||||
allDays.push({
|
|
||||||
date: dateStr,
|
|
||||||
count: stats.value[dateStr]?.count || 0,
|
|
||||||
obj: new Date(tempDate)
|
|
||||||
})
|
|
||||||
tempDate.setDate(tempDate.getDate() + 1)
|
|
||||||
}
|
|
||||||
|
|
||||||
// Now group into weeks
|
|
||||||
const resultWeeks = []
|
|
||||||
let currentWeek = []
|
|
||||||
|
|
||||||
// Pad first week if start date is not Monday
|
|
||||||
// allDays[0] is startDate
|
|
||||||
const firstDayObj = new Date(allDays[0].date)
|
|
||||||
const firstDay = firstDayObj.getDay() // 0-6 (Sun-Sat)
|
|
||||||
|
|
||||||
// We want Monday (1) to be index 0
|
|
||||||
// Mon(1)->0, Tue(2)->1, ..., Sun(0)->6
|
|
||||||
const padCount = (firstDay + 6) % 7
|
|
||||||
|
|
||||||
for (let i = 0; i < padCount; i++) {
|
|
||||||
currentWeek.push(null)
|
|
||||||
}
|
|
||||||
|
|
||||||
allDays.forEach((day) => {
|
|
||||||
currentWeek.push(day)
|
|
||||||
if (currentWeek.length === 7) {
|
|
||||||
resultWeeks.push(currentWeek)
|
|
||||||
currentWeek = []
|
|
||||||
}
|
|
||||||
})
|
|
||||||
|
|
||||||
// Push last partial week
|
|
||||||
if (currentWeek.length > 0) {
|
|
||||||
while (currentWeek.length < 7) {
|
|
||||||
currentWeek.push(null)
|
|
||||||
}
|
|
||||||
resultWeeks.push(currentWeek)
|
|
||||||
}
|
|
||||||
|
|
||||||
weeks.value = resultWeeks
|
|
||||||
|
|
||||||
// Generate Month Labels
|
|
||||||
const labels = []
|
|
||||||
let lastMonth = -1
|
|
||||||
|
|
||||||
resultWeeks.forEach((week, index) => {
|
|
||||||
// Check the first valid day in the week
|
|
||||||
const day = week.find((d) => d !== null)
|
|
||||||
if (day) {
|
|
||||||
const d = new Date(day.date)
|
|
||||||
const month = d.getMonth()
|
|
||||||
if (month !== lastMonth) {
|
|
||||||
labels.push({
|
|
||||||
text: d.toLocaleString('zh-CN', { month: 'short' }),
|
|
||||||
left: index * WEEK_WIDTH
|
|
||||||
})
|
|
||||||
lastMonth = month
|
|
||||||
}
|
|
||||||
}
|
|
||||||
})
|
|
||||||
|
|
||||||
monthLabels.value = labels
|
|
||||||
|
|
||||||
// Scroll to end
|
|
||||||
nextTick(() => {
|
|
||||||
if (scrollContainer.value) {
|
|
||||||
scrollContainer.value.scrollLeft = scrollContainer.value.scrollWidth
|
|
||||||
}
|
|
||||||
})
|
|
||||||
}
|
|
||||||
|
|
||||||
const getLevelClass = (day) => {
|
|
||||||
if (!day) {
|
|
||||||
return 'invisible'
|
|
||||||
}
|
|
||||||
const count = day.count
|
|
||||||
if (count === 0) {
|
|
||||||
return 'level-0'
|
|
||||||
}
|
|
||||||
if (count <= thresholds.value[0]) {
|
|
||||||
return 'level-1'
|
|
||||||
}
|
|
||||||
if (count <= thresholds.value[1]) {
|
|
||||||
return 'level-2'
|
|
||||||
}
|
|
||||||
if (count <= thresholds.value[2]) {
|
|
||||||
return 'level-3'
|
|
||||||
}
|
|
||||||
return 'level-4'
|
|
||||||
}
|
|
||||||
|
|
||||||
const onCellClick = (day) => {
|
|
||||||
if (day) {
|
|
||||||
// Emit event or show toast
|
|
||||||
// console.log(day);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
defineExpose({
|
|
||||||
refresh: fetchData
|
|
||||||
})
|
|
||||||
|
|
||||||
onMounted(() => {
|
|
||||||
fetchData()
|
|
||||||
})
|
|
||||||
</script>
|
|
||||||
|
|
||||||
<style scoped>
|
|
||||||
.heatmap-card {
|
|
||||||
background: var(--van-background-2);
|
|
||||||
border-radius: 8px;
|
|
||||||
padding: 12px;
|
|
||||||
color: var(--van-text-color);
|
|
||||||
font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Helvetica, Arial, sans-serif;
|
|
||||||
margin: 0 10px;
|
|
||||||
box-shadow: 0 2px 8px rgba(0, 0, 0, 0.1);
|
|
||||||
border: 1px solid var(--van-border-color);
|
|
||||||
}
|
|
||||||
|
|
||||||
.heatmap-scroll-container {
|
|
||||||
overflow-x: auto;
|
|
||||||
padding-bottom: 8px;
|
|
||||||
scrollbar-width: none;
|
|
||||||
flex: 1; /* Take remaining space */
|
|
||||||
}
|
|
||||||
.heatmap-scroll-container::-webkit-scrollbar {
|
|
||||||
display: none;
|
|
||||||
}
|
|
||||||
|
|
||||||
.heatmap-content {
|
|
||||||
display: inline-block;
|
|
||||||
min-width: 100%;
|
|
||||||
}
|
|
||||||
|
|
||||||
.month-row {
|
|
||||||
display: flex;
|
|
||||||
margin-bottom: 4px;
|
|
||||||
height: 15px;
|
|
||||||
position: relative;
|
|
||||||
}
|
|
||||||
|
|
||||||
.months-container {
|
|
||||||
position: relative;
|
|
||||||
flex-grow: 1;
|
|
||||||
height: 100%;
|
|
||||||
}
|
|
||||||
|
|
||||||
.month-label {
|
|
||||||
position: absolute;
|
|
||||||
font-size: 10px;
|
|
||||||
top: 0;
|
|
||||||
color: var(--van-text-color-2);
|
|
||||||
white-space: nowrap;
|
|
||||||
}
|
|
||||||
|
|
||||||
.grid-row {
|
|
||||||
display: flex;
|
|
||||||
position: relative;
|
|
||||||
}
|
|
||||||
|
|
||||||
.weekday-col-fixed {
|
|
||||||
display: flex;
|
|
||||||
flex-direction: column;
|
|
||||||
padding-top: 19px; /* Align with cells (month row height 15px + margin 4px) */
|
|
||||||
margin-right: 6px;
|
|
||||||
font-size: 9px;
|
|
||||||
height: 142px; /* Total height: 15 (month) + 4 (margin) + 123 (grid) */
|
|
||||||
color: var(--van-text-color-2);
|
|
||||||
flex-shrink: 0;
|
|
||||||
z-index: 10;
|
|
||||||
background-color: var(--van-background-2); /* Match card background */
|
|
||||||
}
|
|
||||||
|
|
||||||
.weekday-label {
|
|
||||||
height: 15px;
|
|
||||||
line-height: 15px;
|
|
||||||
margin-top: 15px; /* (15 cell + 3 gap)*2 - 15 height - previous margin? No. */
|
|
||||||
/*
|
|
||||||
Row 0: 0px top
|
|
||||||
Row 1: 18px top (15+3) - Label "二" aligns here? No, "二" is usually row 1 (index 1, 2nd row)
|
|
||||||
If we want to align with 2nd, 4th, 6th rows (indices 1, 3, 5):
|
|
||||||
|
|
||||||
Row 0: y=0
|
|
||||||
Row 1: y=18
|
|
||||||
Row 2: y=36
|
|
||||||
Row 3: y=54
|
|
||||||
Row 4: y=72
|
|
||||||
Row 5: y=90
|
|
||||||
Row 6: y=108
|
|
||||||
|
|
||||||
Label 1 ("二") at Row 1 (y=18)
|
|
||||||
Label 2 ("四") at Row 3 (y=54)
|
|
||||||
Label 3 ("六") at Row 5 (y=90)
|
|
||||||
|
|
||||||
Padding-top of container is 19px.
|
|
||||||
First label margin-top: 18px
|
|
||||||
Second label margin-top: (54 - (18+15)) = 21px
|
|
||||||
Third label margin-top: (90 - (54+15)) = 21px
|
|
||||||
|
|
||||||
Let's try standard spacing.
|
|
||||||
Gap between tops is 36px (2 rows).
|
|
||||||
Height of label is 15px.
|
|
||||||
Margin needed is 36 - 15 = 21px.
|
|
||||||
|
|
||||||
First label top needs to be at 18px relative to grid start.
|
|
||||||
Container padding-top aligns with grid start (row 0 top).
|
|
||||||
So first label margin-top should be 18px.
|
|
||||||
*/
|
|
||||||
margin-top: 21px;
|
|
||||||
}
|
|
||||||
.weekday-label:first-child {
|
|
||||||
margin-top: 18px;
|
|
||||||
}
|
|
||||||
|
|
||||||
.heatmap-grid {
|
|
||||||
display: flex;
|
|
||||||
gap: 3px;
|
|
||||||
}
|
|
||||||
|
|
||||||
.heatmap-week {
|
|
||||||
display: flex;
|
|
||||||
flex-direction: column;
|
|
||||||
gap: 3px;
|
|
||||||
}
|
|
||||||
|
|
||||||
.heatmap-cell {
|
|
||||||
width: 15px;
|
|
||||||
height: 15px;
|
|
||||||
border-radius: 3px;
|
|
||||||
background-color: var(--van-gray-2);
|
|
||||||
box-sizing: border-box;
|
|
||||||
}
|
|
||||||
|
|
||||||
.heatmap-cell.invisible {
|
|
||||||
background-color: transparent;
|
|
||||||
}
|
|
||||||
|
|
||||||
.level-0 {
|
|
||||||
background-color: var(--heatmap-level-0);
|
|
||||||
}
|
|
||||||
.level-1 {
|
|
||||||
background-color: var(--heatmap-level-1);
|
|
||||||
}
|
|
||||||
.level-2 {
|
|
||||||
background-color: var(--heatmap-level-2);
|
|
||||||
}
|
|
||||||
.level-3 {
|
|
||||||
background-color: var(--heatmap-level-3);
|
|
||||||
}
|
|
||||||
.level-4 {
|
|
||||||
background-color: var(--heatmap-level-4);
|
|
||||||
}
|
|
||||||
|
|
||||||
.heatmap-footer {
|
|
||||||
display: flex;
|
|
||||||
justify-content: space-between;
|
|
||||||
align-items: center;
|
|
||||||
margin-top: 8px;
|
|
||||||
font-size: 10px;
|
|
||||||
color: var(--van-text-color-2);
|
|
||||||
}
|
|
||||||
|
|
||||||
.legend {
|
|
||||||
display: flex;
|
|
||||||
align-items: center;
|
|
||||||
gap: 3px;
|
|
||||||
}
|
|
||||||
|
|
||||||
.legend-item {
|
|
||||||
width: 15px;
|
|
||||||
height: 15px;
|
|
||||||
border-radius: 3px;
|
|
||||||
}
|
|
||||||
</style>
|
|
||||||
@@ -1,18 +1,40 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="global-add-bill">
|
<div class="global-add-bill">
|
||||||
<!-- Floating Add Bill Button -->
|
<!-- Floating Add Bill Button -->
|
||||||
<div class="floating-add" @click="openAddBill">
|
<div
|
||||||
|
class="floating-add"
|
||||||
|
@click="openAddBill"
|
||||||
|
>
|
||||||
<van-icon name="plus" />
|
<van-icon name="plus" />
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- Add Bill Modal -->
|
<!-- Add Bill Modal -->
|
||||||
<PopupContainer v-model="showAddBill" title="记一笔" height="75%">
|
<PopupContainer
|
||||||
<van-tabs v-model:active="activeTab" shrink>
|
v-model="showAddBill"
|
||||||
<van-tab title="一句话录账" name="one">
|
title="记一笔"
|
||||||
<OneLineBillAdd :key="componentKey" @success="handleSuccess" />
|
height="75%"
|
||||||
|
>
|
||||||
|
<van-tabs
|
||||||
|
v-model:active="activeTab"
|
||||||
|
shrink
|
||||||
|
>
|
||||||
|
<van-tab
|
||||||
|
title="一句话录账"
|
||||||
|
name="one"
|
||||||
|
>
|
||||||
|
<OneLineBillAdd
|
||||||
|
:key="componentKey"
|
||||||
|
@success="handleSuccess"
|
||||||
|
/>
|
||||||
</van-tab>
|
</van-tab>
|
||||||
<van-tab title="手动录账" name="manual">
|
<van-tab
|
||||||
<ManualBillAdd :key="componentKey" @success="handleSuccess" />
|
title="手动录账"
|
||||||
|
name="manual"
|
||||||
|
>
|
||||||
|
<ManualBillAdd
|
||||||
|
:key="componentKey"
|
||||||
|
@success="handleSuccess"
|
||||||
|
/>
|
||||||
</van-tab>
|
</van-tab>
|
||||||
</van-tabs>
|
</van-tabs>
|
||||||
</PopupContainer>
|
</PopupContainer>
|
||||||
|
|||||||
@@ -12,21 +12,36 @@
|
|||||||
<!-- 头部区域 -->
|
<!-- 头部区域 -->
|
||||||
<div class="popup-header-fixed">
|
<div class="popup-header-fixed">
|
||||||
<!-- 标题行 (无子标题且有操作时使用 Grid 布局) -->
|
<!-- 标题行 (无子标题且有操作时使用 Grid 布局) -->
|
||||||
<div class="header-title-row" :class="{ 'has-actions': !subtitle && hasActions }">
|
<div
|
||||||
|
class="header-title-row"
|
||||||
|
:class="{ 'has-actions': !subtitle && hasActions }"
|
||||||
|
>
|
||||||
<h3 class="popup-title">
|
<h3 class="popup-title">
|
||||||
{{ title }}
|
{{ title }}
|
||||||
</h3>
|
</h3>
|
||||||
<!-- 无子标题时,操作按钮与标题同行 -->
|
<!-- 无子标题时,操作按钮与标题同行 -->
|
||||||
<div v-if="!subtitle && hasActions" class="header-actions-inline">
|
<div
|
||||||
|
v-if="!subtitle && hasActions"
|
||||||
|
class="header-actions-inline"
|
||||||
|
>
|
||||||
<slot name="header-actions" />
|
<slot name="header-actions" />
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 子标题/统计信息 -->
|
<!-- 子标题/统计信息 -->
|
||||||
<div v-if="subtitle" class="header-stats">
|
<div
|
||||||
<span class="stats-text" v-html="subtitle" />
|
v-if="subtitle"
|
||||||
|
class="header-stats"
|
||||||
|
>
|
||||||
|
<span
|
||||||
|
class="stats-text"
|
||||||
|
v-html="subtitle"
|
||||||
|
/>
|
||||||
<!-- 额外操作插槽 -->
|
<!-- 额外操作插槽 -->
|
||||||
<slot v-if="hasActions" name="header-actions" />
|
<slot
|
||||||
|
v-if="hasActions"
|
||||||
|
name="header-actions"
|
||||||
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
@@ -36,7 +51,10 @@
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 底部页脚,固定不可滚动 -->
|
<!-- 底部页脚,固定不可滚动 -->
|
||||||
<div v-if="slots.footer" class="popup-footer-fixed">
|
<div
|
||||||
|
v-if="slots.footer"
|
||||||
|
class="popup-footer-fixed"
|
||||||
|
>
|
||||||
<slot name="footer" />
|
<slot name="footer" />
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@@ -1,15 +1,22 @@
|
|||||||
<template>
|
<template>
|
||||||
<PopupContainer v-model="visible" title="交易详情" height="75%" :closeable="false">
|
<PopupContainer
|
||||||
<template #header-actions>
|
v-model="visible"
|
||||||
<van-button size="small" type="primary" plain @click="handleOffsetClick"> 抵账 </van-button>
|
title="交易详情"
|
||||||
</template>
|
height="75%"
|
||||||
|
:closeable="false"
|
||||||
|
>
|
||||||
<van-form style="margin-top: 12px">
|
<van-form style="margin-top: 12px">
|
||||||
<van-cell-group inset>
|
<van-cell-group inset>
|
||||||
<van-cell title="记录时间" :value="formatDate(transaction.createTime)" />
|
<van-cell
|
||||||
|
title="记录时间"
|
||||||
|
:value="formatDate(transaction.createTime)"
|
||||||
|
/>
|
||||||
</van-cell-group>
|
</van-cell-group>
|
||||||
|
|
||||||
<van-cell-group inset title="交易明细">
|
<van-cell-group
|
||||||
|
inset
|
||||||
|
title="交易明细"
|
||||||
|
>
|
||||||
<van-field
|
<van-field
|
||||||
v-model="occurredAtLabel"
|
v-model="occurredAtLabel"
|
||||||
name="occurredAt"
|
name="occurredAt"
|
||||||
@@ -48,21 +55,33 @@
|
|||||||
:rules="[{ required: true, message: '请输入交易后余额' }]"
|
:rules="[{ required: true, message: '请输入交易后余额' }]"
|
||||||
/>
|
/>
|
||||||
|
|
||||||
<van-field name="type" label="交易类型">
|
<van-field
|
||||||
|
name="type"
|
||||||
|
label="交易类型"
|
||||||
|
>
|
||||||
<template #input>
|
<template #input>
|
||||||
<van-radio-group
|
<van-radio-group
|
||||||
v-model="editForm.type"
|
v-model="editForm.type"
|
||||||
direction="horizontal"
|
direction="horizontal"
|
||||||
@change="handleTypeChange"
|
@change="handleTypeChange"
|
||||||
>
|
>
|
||||||
<van-radio :name="0"> 支出 </van-radio>
|
<van-radio :name="0">
|
||||||
<van-radio :name="1"> 收入 </van-radio>
|
支出
|
||||||
<van-radio :name="2"> 不计 </van-radio>
|
</van-radio>
|
||||||
|
<van-radio :name="1">
|
||||||
|
收入
|
||||||
|
</van-radio>
|
||||||
|
<van-radio :name="2">
|
||||||
|
不计
|
||||||
|
</van-radio>
|
||||||
</van-radio-group>
|
</van-radio-group>
|
||||||
</template>
|
</template>
|
||||||
</van-field>
|
</van-field>
|
||||||
|
|
||||||
<van-field name="classify" label="交易分类">
|
<van-field
|
||||||
|
name="classify"
|
||||||
|
label="交易分类"
|
||||||
|
>
|
||||||
<template #input>
|
<template #input>
|
||||||
<div style="flex: 1">
|
<div style="flex: 1">
|
||||||
<div
|
<div
|
||||||
@@ -74,7 +93,10 @@
|
|||||||
class="suggestion-tip"
|
class="suggestion-tip"
|
||||||
@click="applySuggestion"
|
@click="applySuggestion"
|
||||||
>
|
>
|
||||||
<van-icon name="bulb-o" class="suggestion-icon" />
|
<van-icon
|
||||||
|
name="bulb-o"
|
||||||
|
class="suggestion-icon"
|
||||||
|
/>
|
||||||
<span class="suggestion-text">
|
<span class="suggestion-text">
|
||||||
建议: {{ transaction.unconfirmedClassify }}
|
建议: {{ transaction.unconfirmedClassify }}
|
||||||
<span
|
<span
|
||||||
@@ -87,11 +109,14 @@
|
|||||||
({{ getTypeName(transaction.unconfirmedType) }})
|
({{ getTypeName(transaction.unconfirmedType) }})
|
||||||
</span>
|
</span>
|
||||||
</span>
|
</span>
|
||||||
<div class="suggestion-apply">应用</div>
|
<div class="suggestion-apply">
|
||||||
|
应用
|
||||||
</div>
|
</div>
|
||||||
<span v-else-if="!editForm.classify" style="color: var(--van-gray-5)"
|
</div>
|
||||||
>请选择交易分类</span
|
<span
|
||||||
>
|
v-else-if="!editForm.classify"
|
||||||
|
style="color: var(--van-gray-5)"
|
||||||
|
>请选择交易分类</span>
|
||||||
<span v-else>{{ editForm.classify }}</span>
|
<span v-else>{{ editForm.classify }}</span>
|
||||||
</div>
|
</div>
|
||||||
</template>
|
</template>
|
||||||
@@ -106,30 +131,25 @@
|
|||||||
</van-form>
|
</van-form>
|
||||||
|
|
||||||
<template #footer>
|
<template #footer>
|
||||||
<van-button round block type="primary" :loading="submitting" @click="onSubmit">
|
<van-button
|
||||||
|
round
|
||||||
|
block
|
||||||
|
type="primary"
|
||||||
|
:loading="submitting"
|
||||||
|
@click="onSubmit"
|
||||||
|
>
|
||||||
保存修改
|
保存修改
|
||||||
</van-button>
|
</van-button>
|
||||||
</template>
|
</template>
|
||||||
</PopupContainer>
|
</PopupContainer>
|
||||||
|
|
||||||
<!-- 抵账候选列表弹窗 -->
|
|
||||||
<PopupContainer v-model="showOffsetPopup" title="选择抵账交易" height="75%">
|
|
||||||
<van-list>
|
|
||||||
<van-cell
|
|
||||||
v-for="item in offsetCandidates"
|
|
||||||
:key="item.id"
|
|
||||||
:title="item.reason"
|
|
||||||
:label="formatDate(item.occurredAt)"
|
|
||||||
:value="item.amount"
|
|
||||||
is-link
|
|
||||||
@click="handleCandidateSelect(item)"
|
|
||||||
/>
|
|
||||||
<van-empty v-if="offsetCandidates.length === 0" description="暂无匹配的抵账交易" />
|
|
||||||
</van-list>
|
|
||||||
</PopupContainer>
|
|
||||||
|
|
||||||
<!-- 日期选择弹窗 -->
|
<!-- 日期选择弹窗 -->
|
||||||
<van-popup v-model:show="showDatePicker" position="bottom" round teleport="body">
|
<van-popup
|
||||||
|
v-model:show="showDatePicker"
|
||||||
|
position="bottom"
|
||||||
|
round
|
||||||
|
teleport="body"
|
||||||
|
>
|
||||||
<van-date-picker
|
<van-date-picker
|
||||||
v-model="currentDate"
|
v-model="currentDate"
|
||||||
title="选择日期"
|
title="选择日期"
|
||||||
@@ -139,7 +159,12 @@
|
|||||||
</van-popup>
|
</van-popup>
|
||||||
|
|
||||||
<!-- 时间选择弹窗 -->
|
<!-- 时间选择弹窗 -->
|
||||||
<van-popup v-model:show="showTimePicker" position="bottom" round teleport="body">
|
<van-popup
|
||||||
|
v-model:show="showTimePicker"
|
||||||
|
position="bottom"
|
||||||
|
round
|
||||||
|
teleport="body"
|
||||||
|
>
|
||||||
<van-time-picker
|
<van-time-picker
|
||||||
v-model="currentTime"
|
v-model="currentTime"
|
||||||
title="选择时间"
|
title="选择时间"
|
||||||
@@ -151,14 +176,12 @@
|
|||||||
|
|
||||||
<script setup>
|
<script setup>
|
||||||
import { ref, reactive, watch, defineProps, defineEmits, computed, nextTick } from 'vue'
|
import { ref, reactive, watch, defineProps, defineEmits, computed, nextTick } from 'vue'
|
||||||
import { showToast, showConfirmDialog } from 'vant'
|
import { showToast } from 'vant'
|
||||||
import dayjs from 'dayjs'
|
import dayjs from 'dayjs'
|
||||||
import PopupContainer from '@/components/PopupContainer.vue'
|
import PopupContainer from '@/components/PopupContainer.vue'
|
||||||
import ClassifySelector from '@/components/ClassifySelector.vue'
|
import ClassifySelector from '@/components/ClassifySelector.vue'
|
||||||
import {
|
import {
|
||||||
updateTransaction,
|
updateTransaction
|
||||||
getCandidatesForOffset,
|
|
||||||
offsetTransactions
|
|
||||||
} from '@/api/transactionRecord'
|
} from '@/api/transactionRecord'
|
||||||
|
|
||||||
const props = defineProps({
|
const props = defineProps({
|
||||||
@@ -252,7 +275,7 @@ const handleTypeChange = () => {
|
|||||||
const onConfirmDate = ({ selectedValues }) => {
|
const onConfirmDate = ({ selectedValues }) => {
|
||||||
const dateStr = selectedValues.join('-')
|
const dateStr = selectedValues.join('-')
|
||||||
const timeStr = currentTime.value.join(':')
|
const timeStr = currentTime.value.join(':')
|
||||||
editForm.occurredAt = dayjs(`${dateStr} ${timeStr}`).toISOString()
|
editForm.occurredAt = dayjs(`${dateStr} ${timeStr}`).format('YYYY-MM-DDTHH:mm:ss')
|
||||||
showDatePicker.value = false
|
showDatePicker.value = false
|
||||||
// 接着选时间
|
// 接着选时间
|
||||||
showTimePicker.value = true
|
showTimePicker.value = true
|
||||||
@@ -262,7 +285,7 @@ const onConfirmTime = ({ selectedValues }) => {
|
|||||||
currentTime.value = selectedValues
|
currentTime.value = selectedValues
|
||||||
const dateStr = currentDate.value.join('-')
|
const dateStr = currentDate.value.join('-')
|
||||||
const timeStr = selectedValues.join(':')
|
const timeStr = selectedValues.join(':')
|
||||||
editForm.occurredAt = dayjs(`${dateStr} ${timeStr}`).toISOString()
|
editForm.occurredAt = dayjs(`${dateStr} ${timeStr}`).format('YYYY-MM-DDTHH:mm:ss')
|
||||||
showTimePicker.value = false
|
showTimePicker.value = false
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -341,50 +364,6 @@ const formatDate = (dateString) => {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
// 抵账相关
|
|
||||||
const showOffsetPopup = ref(false)
|
|
||||||
const offsetCandidates = ref([])
|
|
||||||
|
|
||||||
const handleOffsetClick = async () => {
|
|
||||||
try {
|
|
||||||
const res = await getCandidatesForOffset(editForm.id)
|
|
||||||
if (res.success) {
|
|
||||||
offsetCandidates.value = res.data || []
|
|
||||||
showOffsetPopup.value = true
|
|
||||||
} else {
|
|
||||||
showToast(res.message || '获取抵账列表失败')
|
|
||||||
}
|
|
||||||
} catch (error) {
|
|
||||||
console.error('获取抵账列表出错:', error)
|
|
||||||
showToast('获取抵账列表失败')
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
const handleCandidateSelect = (candidate) => {
|
|
||||||
showConfirmDialog({
|
|
||||||
title: '确认抵账',
|
|
||||||
message: `确认将当前交易与 "${candidate.reason}" (${candidate.amount}) 互相抵消吗?\n抵消后两笔交易将被删除。`
|
|
||||||
})
|
|
||||||
.then(async () => {
|
|
||||||
try {
|
|
||||||
const res = await offsetTransactions(editForm.id, candidate.id)
|
|
||||||
if (res.success) {
|
|
||||||
showToast('抵账成功')
|
|
||||||
showOffsetPopup.value = false
|
|
||||||
visible.value = false
|
|
||||||
emit('save') // 触发列表刷新
|
|
||||||
} else {
|
|
||||||
showToast(res.message || '抵账失败')
|
|
||||||
}
|
|
||||||
} catch (error) {
|
|
||||||
console.error('抵账出错:', error)
|
|
||||||
showToast('抵账失败')
|
|
||||||
}
|
|
||||||
})
|
|
||||||
.catch(() => {
|
|
||||||
// on cancel
|
|
||||||
})
|
|
||||||
}
|
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<style scoped>
|
<style scoped>
|
||||||
|
|||||||
@@ -1,7 +1,16 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="transaction-list-container transaction-list">
|
<div class="transaction-list-container transaction-list">
|
||||||
<van-list :loading="loading" :finished="finished" finished-text="没有更多了" @load="onLoad">
|
<van-list
|
||||||
<van-cell-group v-if="transactions && transactions.length" inset style="margin-top: 10px">
|
:loading="loading"
|
||||||
|
:finished="finished"
|
||||||
|
finished-text="没有更多了"
|
||||||
|
@load="onLoad"
|
||||||
|
>
|
||||||
|
<van-cell-group
|
||||||
|
v-if="transactions && transactions.length"
|
||||||
|
inset
|
||||||
|
style="margin-top: 10px"
|
||||||
|
>
|
||||||
<van-swipe-cell
|
<van-swipe-cell
|
||||||
v-for="transaction in transactions"
|
v-for="transaction in transactions"
|
||||||
:key="transaction.id"
|
:key="transaction.id"
|
||||||
@@ -14,7 +23,10 @@
|
|||||||
class="checkbox-col"
|
class="checkbox-col"
|
||||||
@update:model-value="toggleSelection(transaction)"
|
@update:model-value="toggleSelection(transaction)"
|
||||||
/>
|
/>
|
||||||
<div class="transaction-card" @click="handleClick(transaction)">
|
<div
|
||||||
|
class="transaction-card"
|
||||||
|
@click="handleClick(transaction)"
|
||||||
|
>
|
||||||
<div class="card-left">
|
<div class="card-left">
|
||||||
<div class="transaction-title">
|
<div class="transaction-title">
|
||||||
<span class="reason">{{ transaction.reason || '(无摘要)' }}</span>
|
<span class="reason">{{ transaction.reason || '(无摘要)' }}</span>
|
||||||
@@ -33,11 +45,16 @@
|
|||||||
→ {{ transaction.upsetedClassify }}
|
→ {{ transaction.upsetedClassify }}
|
||||||
</span>
|
</span>
|
||||||
</div>
|
</div>
|
||||||
<div v-if="transaction.importFrom">来源: {{ transaction.importFrom }}</div>
|
<div v-if="transaction.importFrom">
|
||||||
|
来源: {{ transaction.importFrom }}
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div class="card-middle">
|
<div class="card-middle">
|
||||||
<van-tag :type="getTypeTagType(transaction.type)" size="medium">
|
<van-tag
|
||||||
|
:type="getTypeTagType(transaction.type)"
|
||||||
|
size="medium"
|
||||||
|
>
|
||||||
{{ getTypeName(transaction.type) }}
|
{{ getTypeName(transaction.type) }}
|
||||||
</van-tag>
|
</van-tag>
|
||||||
<template
|
<template
|
||||||
@@ -47,7 +64,10 @@
|
|||||||
"
|
"
|
||||||
>
|
>
|
||||||
→
|
→
|
||||||
<van-tag :type="getTypeTagType(transaction.upsetedType)" size="medium">
|
<van-tag
|
||||||
|
:type="getTypeTagType(transaction.upsetedType)"
|
||||||
|
size="medium"
|
||||||
|
>
|
||||||
{{ getTypeName(transaction.upsetedType) }}
|
{{ getTypeName(transaction.upsetedType) }}
|
||||||
</van-tag>
|
</van-tag>
|
||||||
</template>
|
</template>
|
||||||
@@ -57,21 +77,25 @@
|
|||||||
<div :class="['amount', getAmountClass(transaction.type)]">
|
<div :class="['amount', getAmountClass(transaction.type)]">
|
||||||
{{ formatAmount(transaction.amount, transaction.type) }}
|
{{ formatAmount(transaction.amount, transaction.type) }}
|
||||||
</div>
|
</div>
|
||||||
<div v-if="transaction.balance && transaction.balance > 0" class="balance">
|
|
||||||
余额: {{ formatMoney(transaction.balance) }}
|
|
||||||
</div>
|
|
||||||
<div
|
<div
|
||||||
v-if="transaction.refundAmount && transaction.refundAmount > 0"
|
v-if="transaction.balance && transaction.balance > 0"
|
||||||
class="balance"
|
class="balance"
|
||||||
>
|
>
|
||||||
退款: {{ formatMoney(transaction.refundAmount) }}
|
余额: {{ formatMoney(transaction.balance) }}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<van-icon name="arrow" size="16" color="var(--van-gray-5)" />
|
<van-icon
|
||||||
|
name="arrow"
|
||||||
|
size="16"
|
||||||
|
color="var(--van-gray-5)"
|
||||||
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<template v-if="showDelete" #right>
|
<template
|
||||||
|
v-if="showDelete"
|
||||||
|
#right
|
||||||
|
>
|
||||||
<van-button
|
<van-button
|
||||||
square
|
square
|
||||||
type="danger"
|
type="danger"
|
||||||
|
|||||||
@@ -1,4 +1,5 @@
|
|||||||
import './assets/main.css'
|
import './assets/main.css'
|
||||||
|
import './assets/theme.css'
|
||||||
import './styles/common.css'
|
import './styles/common.css'
|
||||||
import './styles/rich-content.css'
|
import './styles/rich-content.css'
|
||||||
|
|
||||||
|
|||||||
@@ -3,13 +3,13 @@
|
|||||||
export const needRefresh = ref(false)
|
export const needRefresh = ref(false)
|
||||||
let swRegistration = null
|
let swRegistration = null
|
||||||
|
|
||||||
export async function updateServiceWorker() {
|
export async function updateServiceWorker () {
|
||||||
if (swRegistration && swRegistration.waiting) {
|
if (swRegistration && swRegistration.waiting) {
|
||||||
await swRegistration.waiting.postMessage({ type: 'SKIP_WAITING' })
|
await swRegistration.waiting.postMessage({ type: 'SKIP_WAITING' })
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
export function register() {
|
export function register () {
|
||||||
if ('serviceWorker' in navigator) {
|
if ('serviceWorker' in navigator) {
|
||||||
window.addEventListener('load', () => {
|
window.addEventListener('load', () => {
|
||||||
const swUrl = '/service-worker.js'
|
const swUrl = '/service-worker.js'
|
||||||
@@ -66,7 +66,7 @@ export function register() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
export function unregister() {
|
export function unregister () {
|
||||||
if ('serviceWorker' in navigator) {
|
if ('serviceWorker' in navigator) {
|
||||||
navigator.serviceWorker.ready
|
navigator.serviceWorker.ready
|
||||||
.then((registration) => {
|
.then((registration) => {
|
||||||
@@ -79,7 +79,7 @@ export function unregister() {
|
|||||||
}
|
}
|
||||||
|
|
||||||
// 请求通知权限
|
// 请求通知权限
|
||||||
export function requestNotificationPermission() {
|
export function requestNotificationPermission () {
|
||||||
if ('Notification' in window && 'serviceWorker' in navigator) {
|
if ('Notification' in window && 'serviceWorker' in navigator) {
|
||||||
Notification.requestPermission().then((permission) => {
|
Notification.requestPermission().then((permission) => {
|
||||||
if (permission === 'granted') {
|
if (permission === 'granted') {
|
||||||
@@ -90,7 +90,7 @@ export function requestNotificationPermission() {
|
|||||||
}
|
}
|
||||||
|
|
||||||
// 后台同步
|
// 后台同步
|
||||||
export function registerBackgroundSync(tag = 'sync-data') {
|
export function registerBackgroundSync (tag = 'sync-data') {
|
||||||
if ('serviceWorker' in navigator && 'SyncManager' in window) {
|
if ('serviceWorker' in navigator && 'SyncManager' in window) {
|
||||||
navigator.serviceWorker.ready
|
navigator.serviceWorker.ready
|
||||||
.then((registration) => {
|
.then((registration) => {
|
||||||
|
|||||||
@@ -4,7 +4,7 @@ import { defineStore } from 'pinia'
|
|||||||
export const useCounterStore = defineStore('counter', () => {
|
export const useCounterStore = defineStore('counter', () => {
|
||||||
const count = ref(0)
|
const count = ref(0)
|
||||||
const doubleCount = computed(() => count.value * 2)
|
const doubleCount = computed(() => count.value * 2)
|
||||||
function increment() {
|
function increment () {
|
||||||
count.value++
|
count.value++
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
60
Web/src/views/AGENTS.md
Normal file
60
Web/src/views/AGENTS.md
Normal file
@@ -0,0 +1,60 @@
|
|||||||
|
# FRONTEND VIEWS KNOWLEDGE BASE
|
||||||
|
|
||||||
|
**Generated:** 2026-01-28
|
||||||
|
**Parent:** EmailBill/AGENTS.md
|
||||||
|
|
||||||
|
## OVERVIEW
|
||||||
|
Vue 3 views using Composition API with Vant UI components for mobile-first budget tracking.
|
||||||
|
|
||||||
|
## STRUCTURE
|
||||||
|
```
|
||||||
|
Web/src/views/
|
||||||
|
├── BudgetView.vue # Main budget management
|
||||||
|
├── TransactionsRecord.vue # Transaction list and CRUD
|
||||||
|
├── StatisticsView.vue # Charts and analytics
|
||||||
|
├── LoginView.vue # Authentication
|
||||||
|
├── CalendarView.vue # Calendar-based viewing
|
||||||
|
├── Classification* # Transaction classification views
|
||||||
|
│ ├── ClassificationSmart.vue # AI-powered classification
|
||||||
|
│ ├── ClassificationEdit.vue # Manual classification
|
||||||
|
│ ├── ClassificationBatch.vue # Batch operations
|
||||||
|
│ └── ClassificationNLP.vue # NLP classification
|
||||||
|
├── BillAnalysisView.vue # Bill analysis
|
||||||
|
├── SettingView.vue # App settings
|
||||||
|
├── MessageView.vue # Message management
|
||||||
|
├── EmailRecord.vue # Email records
|
||||||
|
└── PeriodicRecord.vue # Periodic transactions
|
||||||
|
```
|
||||||
|
|
||||||
|
## WHERE TO LOOK
|
||||||
|
| Task | Location | Notes |
|
||||||
|
|------|----------|-------|
|
||||||
|
| Budget management | BudgetView.vue | Main budget interface |
|
||||||
|
| Transactions | TransactionsRecord.vue | CRUD operations |
|
||||||
|
| Statistics | StatisticsView.vue | Charts, analytics |
|
||||||
|
| Classification | Classification* | Transaction categorization |
|
||||||
|
| Authentication | LoginView.vue | User login flow |
|
||||||
|
| Settings | SettingView.vue | App configuration |
|
||||||
|
| Email features | EmailRecord.vue | Email integration |
|
||||||
|
|
||||||
|
## CONVENTIONS
|
||||||
|
- Vue 3 Composition API with `<script setup lang="ts">`
|
||||||
|
- Vant UI components: `<van-*>`
|
||||||
|
- Mobile-first responsive design
|
||||||
|
- SCSS with BEM naming convention
|
||||||
|
- Pinia for state management
|
||||||
|
- Vue Router for navigation
|
||||||
|
|
||||||
|
## ANTI-PATTERNS (THIS LAYER)
|
||||||
|
- Never use Options API (always Composition API)
|
||||||
|
- Don't access APIs directly (use api/ modules)
|
||||||
|
- Avoid inline styles (use SCSS modules)
|
||||||
|
- No synchronous API calls
|
||||||
|
- Don't mutate props directly
|
||||||
|
|
||||||
|
## UNIQUE STYLES
|
||||||
|
- Chinese interface labels for business concepts
|
||||||
|
- Mobile-optimized layouts with Vant components
|
||||||
|
- Integration with backend API via api/ modules
|
||||||
|
- Real-time data updates via Pinia stores
|
||||||
|
- Gesture interactions for mobile users
|
||||||
@@ -1,7 +1,10 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="page-container-flex">
|
<div class="page-container-flex">
|
||||||
<!-- 顶部导航栏 -->
|
<!-- 顶部导航栏 -->
|
||||||
<van-nav-bar title="账单" placeholder>
|
<van-nav-bar
|
||||||
|
title="账单"
|
||||||
|
placeholder
|
||||||
|
>
|
||||||
<template #right>
|
<template #right>
|
||||||
<van-button
|
<van-button
|
||||||
v-if="tabActive === 'email'"
|
v-if="tabActive === 'email'"
|
||||||
@@ -20,15 +23,38 @@
|
|||||||
/>
|
/>
|
||||||
</template>
|
</template>
|
||||||
</van-nav-bar>
|
</van-nav-bar>
|
||||||
<van-tabs v-model:active="tabActive" type="card" style="margin: 12px 0 2px 0">
|
<van-tabs
|
||||||
<van-tab title="账单" name="balance" />
|
v-model:active="tabActive"
|
||||||
<van-tab title="邮件" name="email" />
|
type="card"
|
||||||
<van-tab title="消息" name="message" />
|
style="margin: 12px 0 2px 0"
|
||||||
|
>
|
||||||
|
<van-tab
|
||||||
|
title="账单"
|
||||||
|
name="balance"
|
||||||
|
/>
|
||||||
|
<van-tab
|
||||||
|
title="邮件"
|
||||||
|
name="email"
|
||||||
|
/>
|
||||||
|
<van-tab
|
||||||
|
title="消息"
|
||||||
|
name="message"
|
||||||
|
/>
|
||||||
</van-tabs>
|
</van-tabs>
|
||||||
|
|
||||||
<TransactionsRecord v-if="tabActive === 'balance'" ref="transactionsRecordRef" />
|
<TransactionsRecord
|
||||||
<EmailRecord v-else-if="tabActive === 'email'" ref="emailRecordRef" />
|
v-if="tabActive === 'balance'"
|
||||||
<MessageView v-else-if="tabActive === 'message'" ref="messageViewRef" :is-component="true" />
|
ref="transactionsRecordRef"
|
||||||
|
/>
|
||||||
|
<EmailRecord
|
||||||
|
v-else-if="tabActive === 'email'"
|
||||||
|
ref="emailRecordRef"
|
||||||
|
/>
|
||||||
|
<MessageView
|
||||||
|
v-else-if="tabActive === 'message'"
|
||||||
|
ref="messageViewRef"
|
||||||
|
:is-component="true"
|
||||||
|
/>
|
||||||
</div>
|
</div>
|
||||||
</template>
|
</template>
|
||||||
|
|
||||||
|
|||||||
@@ -639,14 +639,16 @@ const fetchCategoryStats = async () => {
|
|||||||
current: data.month?.current || 0,
|
current: data.month?.current || 0,
|
||||||
limit: data.month?.limit || 0,
|
limit: data.month?.limit || 0,
|
||||||
count: data.month?.count || 0,
|
count: data.month?.count || 0,
|
||||||
trend: data.month?.trend || []
|
trend: data.month?.trend || [],
|
||||||
|
description: data.month?.description || ''
|
||||||
},
|
},
|
||||||
year: {
|
year: {
|
||||||
rate: data.year?.rate?.toFixed(1) || '0.0',
|
rate: data.year?.rate?.toFixed(1) || '0.0',
|
||||||
current: data.year?.current || 0,
|
current: data.year?.current || 0,
|
||||||
limit: data.year?.limit || 0,
|
limit: data.year?.limit || 0,
|
||||||
count: data.year?.count || 0,
|
count: data.year?.count || 0,
|
||||||
trend: data.year?.trend || []
|
trend: data.year?.trend || [],
|
||||||
|
description: data.year?.description || ''
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
630
Web/src/views/CalendarV2.vue
Normal file
630
Web/src/views/CalendarV2.vue
Normal file
@@ -0,0 +1,630 @@
|
|||||||
|
<template>
|
||||||
|
<div
|
||||||
|
class="calendar-v2"
|
||||||
|
:data-theme="theme"
|
||||||
|
>
|
||||||
|
<!-- 头部 -->
|
||||||
|
<header class="calendar-header">
|
||||||
|
<div class="header-content">
|
||||||
|
<h1 class="header-title">
|
||||||
|
{{ currentMonth }}
|
||||||
|
</h1>
|
||||||
|
</div>
|
||||||
|
<button
|
||||||
|
class="notif-btn"
|
||||||
|
aria-label="通知"
|
||||||
|
>
|
||||||
|
<van-icon name="bell" />
|
||||||
|
</button>
|
||||||
|
</header>
|
||||||
|
|
||||||
|
<!-- 日历容器 -->
|
||||||
|
<div class="calendar-container">
|
||||||
|
<!-- 星期标题 -->
|
||||||
|
<div class="week-days">
|
||||||
|
<span
|
||||||
|
v-for="day in weekDays"
|
||||||
|
:key="day"
|
||||||
|
class="week-day"
|
||||||
|
>{{ day }}</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- 日历网格 -->
|
||||||
|
<div class="calendar-grid">
|
||||||
|
<div
|
||||||
|
v-for="(week, weekIndex) in calendarWeeks"
|
||||||
|
:key="weekIndex"
|
||||||
|
class="calendar-week"
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
v-for="day in week"
|
||||||
|
:key="day.date"
|
||||||
|
class="day-cell"
|
||||||
|
@click="onDayClick(day)"
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
class="day-number"
|
||||||
|
:class="{
|
||||||
|
'day-today': day.isToday,
|
||||||
|
'day-selected': day.isSelected,
|
||||||
|
'day-has-data': day.hasData,
|
||||||
|
'day-over-limit': day.isOverLimit,
|
||||||
|
'day-other-month': !day.isCurrentMonth
|
||||||
|
}"
|
||||||
|
>
|
||||||
|
{{ day.dayNumber }}
|
||||||
|
</div>
|
||||||
|
<div
|
||||||
|
v-if="day.amount"
|
||||||
|
class="day-amount"
|
||||||
|
:class="{ 'amount-over': day.isOverLimit }"
|
||||||
|
>
|
||||||
|
{{ day.amount }}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- 每日统计 -->
|
||||||
|
<div class="daily-stats">
|
||||||
|
<div class="stats-header">
|
||||||
|
<h2 class="stats-title">
|
||||||
|
Daily Stats
|
||||||
|
</h2>
|
||||||
|
<span class="stats-date">{{ selectedDateFormatted }}</span>
|
||||||
|
</div>
|
||||||
|
<div class="stats-card">
|
||||||
|
<div class="stats-row">
|
||||||
|
<span class="stats-label">Total Spent</span>
|
||||||
|
<div class="stats-badge">
|
||||||
|
Daily Limit: {{ dailyLimit }}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="stats-value">
|
||||||
|
¥ {{ totalSpent }}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- 交易列表 -->
|
||||||
|
<div class="transactions">
|
||||||
|
<div class="txn-header">
|
||||||
|
<h2 class="txn-title">
|
||||||
|
Transactions
|
||||||
|
</h2>
|
||||||
|
<div class="txn-actions">
|
||||||
|
<div class="txn-badge badge-success">
|
||||||
|
{{ transactionCount }} Items
|
||||||
|
</div>
|
||||||
|
<button class="smart-btn">
|
||||||
|
<van-icon name="star-o" />
|
||||||
|
<span>Smart</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- 交易卡片 -->
|
||||||
|
<div class="txn-list">
|
||||||
|
<div
|
||||||
|
v-for="txn in transactions"
|
||||||
|
:key="txn.id"
|
||||||
|
class="txn-card"
|
||||||
|
@click="onTransactionClick(txn)"
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
class="txn-icon"
|
||||||
|
:style="{ backgroundColor: txn.iconBg }"
|
||||||
|
>
|
||||||
|
<van-icon
|
||||||
|
:name="txn.icon"
|
||||||
|
:color="txn.iconColor"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div class="txn-content">
|
||||||
|
<div class="txn-name">
|
||||||
|
{{ txn.name }}
|
||||||
|
</div>
|
||||||
|
<div class="txn-time">
|
||||||
|
{{ txn.time }}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="txn-amount">
|
||||||
|
{{ txn.amount }}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- 底部安全距离 -->
|
||||||
|
<div class="bottom-spacer" />
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref, computed, onMounted } from 'vue'
|
||||||
|
|
||||||
|
// 当前主题
|
||||||
|
const theme = ref('light') // 'light' | 'dark'
|
||||||
|
|
||||||
|
// 星期标题
|
||||||
|
const weekDays = ['M', 'T', 'W', 'T', 'F', 'S', 'S']
|
||||||
|
|
||||||
|
// 当前日期
|
||||||
|
const currentDate = ref(new Date())
|
||||||
|
const selectedDate = ref(new Date())
|
||||||
|
|
||||||
|
// 当前月份格式化
|
||||||
|
const currentMonth = computed(() => {
|
||||||
|
return currentDate.value.toLocaleDateString('en-US', {
|
||||||
|
year: 'numeric',
|
||||||
|
month: 'long'
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
// 选中日期格式化
|
||||||
|
const selectedDateFormatted = computed(() => {
|
||||||
|
return selectedDate.value.toLocaleDateString('en-US', {
|
||||||
|
month: 'short',
|
||||||
|
day: 'numeric',
|
||||||
|
year: 'numeric'
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
// 生成日历数据
|
||||||
|
const calendarWeeks = computed(() => {
|
||||||
|
const year = currentDate.value.getFullYear()
|
||||||
|
const month = currentDate.value.getMonth()
|
||||||
|
|
||||||
|
// 获取当月第一天
|
||||||
|
const firstDay = new Date(year, month, 1)
|
||||||
|
// 获取当月最后一天
|
||||||
|
const lastDay = new Date(year, month + 1, 0)
|
||||||
|
|
||||||
|
// 获取第一天是星期几 (0=Sunday, 调整为 0=Monday)
|
||||||
|
let startDayOfWeek = firstDay.getDay() - 1
|
||||||
|
if (startDayOfWeek === -1) {startDayOfWeek = 6}
|
||||||
|
|
||||||
|
const weeks = []
|
||||||
|
let currentWeek = []
|
||||||
|
|
||||||
|
// 填充上月日期
|
||||||
|
for (let i = 0; i < startDayOfWeek; i++) {
|
||||||
|
const date = new Date(year, month, -(startDayOfWeek - i - 1))
|
||||||
|
currentWeek.push(createDayObject(date, false))
|
||||||
|
}
|
||||||
|
|
||||||
|
// 填充当月日期
|
||||||
|
for (let day = 1; day <= lastDay.getDate(); day++) {
|
||||||
|
const date = new Date(year, month, day)
|
||||||
|
currentWeek.push(createDayObject(date, true))
|
||||||
|
|
||||||
|
if (currentWeek.length === 7) {
|
||||||
|
weeks.push(currentWeek)
|
||||||
|
currentWeek = []
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 填充下月日期
|
||||||
|
if (currentWeek.length > 0) {
|
||||||
|
const remainingDays = 7 - currentWeek.length
|
||||||
|
for (let i = 1; i <= remainingDays; i++) {
|
||||||
|
const date = new Date(year, month + 1, i)
|
||||||
|
currentWeek.push(createDayObject(date, false))
|
||||||
|
}
|
||||||
|
weeks.push(currentWeek)
|
||||||
|
}
|
||||||
|
|
||||||
|
return weeks
|
||||||
|
})
|
||||||
|
|
||||||
|
// 创建日期对象
|
||||||
|
const createDayObject = (date, isCurrentMonth) => {
|
||||||
|
const today = new Date()
|
||||||
|
const isToday =
|
||||||
|
date.getDate() === today.getDate() &&
|
||||||
|
date.getMonth() === today.getMonth() &&
|
||||||
|
date.getFullYear() === today.getFullYear()
|
||||||
|
|
||||||
|
const isSelected =
|
||||||
|
date.getDate() === selectedDate.value.getDate() &&
|
||||||
|
date.getMonth() === selectedDate.value.getMonth() &&
|
||||||
|
date.getFullYear() === selectedDate.value.getFullYear()
|
||||||
|
|
||||||
|
// 模拟数据 - 实际应该从 API 获取
|
||||||
|
const mockData = getMockDataForDate(date)
|
||||||
|
|
||||||
|
return {
|
||||||
|
date: date.getTime(),
|
||||||
|
dayNumber: date.getDate(),
|
||||||
|
isCurrentMonth,
|
||||||
|
isToday,
|
||||||
|
isSelected,
|
||||||
|
hasData: mockData.hasData,
|
||||||
|
amount: mockData.amount,
|
||||||
|
isOverLimit: mockData.isOverLimit
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 模拟数据获取
|
||||||
|
const getMockDataForDate = (date) => {
|
||||||
|
const day = date.getDate()
|
||||||
|
|
||||||
|
// 模拟一些有数据的日期
|
||||||
|
if (day >= 4 && day <= 28 && date.getMonth() === currentDate.value.getMonth()) {
|
||||||
|
const amounts = [128, 45, 230, 12, 88, 223, 15, 34, 120, 56, 442]
|
||||||
|
const amount = amounts[day % amounts.length]
|
||||||
|
return {
|
||||||
|
hasData: true,
|
||||||
|
amount: amount || '',
|
||||||
|
isOverLimit: amount > 200 // 超过限额标红
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return { hasData: false, amount: '', isOverLimit: false }
|
||||||
|
}
|
||||||
|
|
||||||
|
// 统计数据
|
||||||
|
const dailyLimit = ref('2500')
|
||||||
|
const totalSpent = ref('1,248.50')
|
||||||
|
const transactionCount = computed(() => transactions.value.length)
|
||||||
|
|
||||||
|
// 交易列表数据
|
||||||
|
const transactions = ref([
|
||||||
|
{
|
||||||
|
id: 1,
|
||||||
|
name: 'Lunch',
|
||||||
|
time: '12:30 PM',
|
||||||
|
amount: '-58.00',
|
||||||
|
icon: 'star',
|
||||||
|
iconColor: '#FF6B6B',
|
||||||
|
iconBg: '#FFFFFF'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: 2,
|
||||||
|
name: 'Coffee',
|
||||||
|
time: '08:15 AM',
|
||||||
|
amount: '-24.50',
|
||||||
|
icon: 'coffee-o',
|
||||||
|
iconColor: '#FCD34D',
|
||||||
|
iconBg: '#FFFFFF'
|
||||||
|
}
|
||||||
|
])
|
||||||
|
|
||||||
|
// 点击日期
|
||||||
|
const onDayClick = (day) => {
|
||||||
|
if (!day.isCurrentMonth) {return}
|
||||||
|
selectedDate.value = new Date(day.date)
|
||||||
|
// TODO: 加载选中日期的数据
|
||||||
|
console.log('Selected date:', day)
|
||||||
|
}
|
||||||
|
|
||||||
|
// 点击交易
|
||||||
|
const onTransactionClick = (txn) => {
|
||||||
|
console.log('Transaction clicked:', txn)
|
||||||
|
// TODO: 打开交易详情
|
||||||
|
}
|
||||||
|
|
||||||
|
// 切换主题
|
||||||
|
const toggleTheme = () => {
|
||||||
|
theme.value = theme.value === 'light' ? 'dark' : 'light'
|
||||||
|
}
|
||||||
|
|
||||||
|
// 暴露切换主题方法供外部调用
|
||||||
|
defineExpose({
|
||||||
|
toggleTheme
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
@import '@/assets/theme.css';
|
||||||
|
|
||||||
|
.calendar-v2 {
|
||||||
|
min-height: 100vh;
|
||||||
|
background-color: var(--bg-primary);
|
||||||
|
font-family: var(--font-primary);
|
||||||
|
color: var(--text-primary);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ========== 头部 ========== */
|
||||||
|
.calendar-header {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: space-between;
|
||||||
|
padding: 8px 24px;
|
||||||
|
gap: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.header-content {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.header-title {
|
||||||
|
font-family: var(--font-primary);
|
||||||
|
font-size: var(--font-xl);
|
||||||
|
font-weight: var(--font-medium);
|
||||||
|
color: var(--text-secondary);
|
||||||
|
margin: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.notif-btn {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
width: 44px;
|
||||||
|
height: 44px;
|
||||||
|
border-radius: var(--radius-full);
|
||||||
|
background-color: var(--bg-button);
|
||||||
|
border: none;
|
||||||
|
cursor: pointer;
|
||||||
|
transition: opacity 0.2s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.notif-btn:active {
|
||||||
|
opacity: 0.7;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ========== 日历容器 ========== */
|
||||||
|
.calendar-container {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 16px;
|
||||||
|
padding: 24px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.week-days {
|
||||||
|
display: flex;
|
||||||
|
justify-content: space-between;
|
||||||
|
}
|
||||||
|
|
||||||
|
.week-day {
|
||||||
|
width: 44px;
|
||||||
|
text-align: center;
|
||||||
|
font-size: var(--font-base);
|
||||||
|
font-weight: var(--font-semibold);
|
||||||
|
color: var(--text-tertiary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.calendar-grid {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 12px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.calendar-week {
|
||||||
|
display: flex;
|
||||||
|
justify-content: space-between;
|
||||||
|
}
|
||||||
|
|
||||||
|
.day-cell {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
align-items: center;
|
||||||
|
gap: 2px;
|
||||||
|
width: 44px;
|
||||||
|
cursor: pointer;
|
||||||
|
}
|
||||||
|
|
||||||
|
.day-number {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
width: 32px;
|
||||||
|
height: 32px;
|
||||||
|
border-radius: 16px;
|
||||||
|
font-size: var(--font-md);
|
||||||
|
font-weight: var(--font-medium);
|
||||||
|
color: var(--text-primary);
|
||||||
|
transition: all 0.2s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.day-number.day-has-data {
|
||||||
|
background-color: var(--bg-tertiary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.day-number.day-selected {
|
||||||
|
background-color: var(--accent-primary);
|
||||||
|
color: #FFFFFF;
|
||||||
|
}
|
||||||
|
|
||||||
|
.day-number.day-other-month {
|
||||||
|
opacity: 0.3;
|
||||||
|
}
|
||||||
|
|
||||||
|
.day-amount {
|
||||||
|
font-size: var(--font-xs);
|
||||||
|
font-weight: var(--font-medium);
|
||||||
|
color: var(--text-tertiary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.day-amount.amount-over {
|
||||||
|
color: var(--accent-danger);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ========== 统计卡片 ========== */
|
||||||
|
.daily-stats {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 16px;
|
||||||
|
padding: 24px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.stats-header {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: space-between;
|
||||||
|
}
|
||||||
|
|
||||||
|
.stats-title {
|
||||||
|
font-family: var(--font-display);
|
||||||
|
font-size: var(--font-xl);
|
||||||
|
font-weight: var(--font-bold);
|
||||||
|
color: var(--text-primary);
|
||||||
|
margin: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.stats-date {
|
||||||
|
font-size: var(--font-md);
|
||||||
|
font-weight: var(--font-medium);
|
||||||
|
color: var(--text-secondary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.stats-card {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 12px;
|
||||||
|
padding: 20px;
|
||||||
|
background-color: var(--bg-secondary);
|
||||||
|
border-radius: var(--radius-lg);
|
||||||
|
}
|
||||||
|
|
||||||
|
.stats-row {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: space-between;
|
||||||
|
}
|
||||||
|
|
||||||
|
.stats-label {
|
||||||
|
font-size: var(--font-md);
|
||||||
|
font-weight: var(--font-medium);
|
||||||
|
color: var(--text-secondary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.stats-badge {
|
||||||
|
padding: 6px 10px;
|
||||||
|
background-color: var(--accent-warning-bg);
|
||||||
|
color: var(--accent-warning);
|
||||||
|
font-size: var(--font-sm);
|
||||||
|
font-weight: var(--font-semibold);
|
||||||
|
border-radius: var(--radius-sm);
|
||||||
|
}
|
||||||
|
|
||||||
|
.stats-value {
|
||||||
|
font-family: var(--font-display);
|
||||||
|
font-size: var(--font-3xl);
|
||||||
|
font-weight: var(--font-extrabold);
|
||||||
|
color: var(--text-primary);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ========== 交易列表 ========== */
|
||||||
|
.transactions {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 12px;
|
||||||
|
padding: 24px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-header {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: space-between;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-title {
|
||||||
|
font-family: var(--font-display);
|
||||||
|
font-size: var(--font-xl);
|
||||||
|
font-weight: var(--font-bold);
|
||||||
|
color: var(--text-primary);
|
||||||
|
margin: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-actions {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 8px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-badge {
|
||||||
|
padding: 6px 12px;
|
||||||
|
font-size: var(--font-base);
|
||||||
|
font-weight: var(--font-semibold);
|
||||||
|
border-radius: var(--radius-sm);
|
||||||
|
}
|
||||||
|
|
||||||
|
.badge-success {
|
||||||
|
background-color: var(--accent-success-bg);
|
||||||
|
color: var(--accent-success);
|
||||||
|
}
|
||||||
|
|
||||||
|
.smart-btn {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 6px;
|
||||||
|
padding: 6px 12px;
|
||||||
|
background-color: var(--accent-info-bg);
|
||||||
|
color: var(--accent-info);
|
||||||
|
border: none;
|
||||||
|
border-radius: var(--radius-sm);
|
||||||
|
font-size: var(--font-base);
|
||||||
|
font-weight: var(--font-semibold);
|
||||||
|
cursor: pointer;
|
||||||
|
transition: opacity 0.2s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.smart-btn:active {
|
||||||
|
opacity: 0.7;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-list {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 12px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-card {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 14px;
|
||||||
|
padding: 16px;
|
||||||
|
background-color: var(--bg-secondary);
|
||||||
|
border-radius: var(--radius-md);
|
||||||
|
cursor: pointer;
|
||||||
|
transition: opacity 0.2s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-card:active {
|
||||||
|
opacity: 0.7;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-icon {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
width: 44px;
|
||||||
|
height: 44px;
|
||||||
|
border-radius: var(--radius-full);
|
||||||
|
flex-shrink: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-content {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 2px;
|
||||||
|
flex: 1;
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-name {
|
||||||
|
font-size: var(--font-lg);
|
||||||
|
font-weight: var(--font-semibold);
|
||||||
|
color: var(--text-primary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-time {
|
||||||
|
font-size: var(--font-md);
|
||||||
|
font-weight: var(--font-medium);
|
||||||
|
color: var(--text-tertiary);
|
||||||
|
}
|
||||||
|
|
||||||
|
.txn-amount {
|
||||||
|
font-size: var(--font-lg);
|
||||||
|
font-weight: var(--font-bold);
|
||||||
|
color: var(--text-primary);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* 底部安全距离 */
|
||||||
|
.bottom-spacer {
|
||||||
|
height: calc(60px + env(safe-area-inset-bottom, 0px));
|
||||||
|
}
|
||||||
|
</style>
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="page-container calendar-container">
|
<div class="page-container calendar-container">
|
||||||
<van-calendar
|
<van-calendar
|
||||||
title="日历"
|
title="日历"
|
||||||
@@ -11,8 +11,6 @@
|
|||||||
@select="onDateSelect"
|
@select="onDateSelect"
|
||||||
/>
|
/>
|
||||||
|
|
||||||
<ContributionHeatmap ref="heatmapRef" />
|
|
||||||
|
|
||||||
<!-- 底部安全距离 -->
|
<!-- 底部安全距离 -->
|
||||||
<div style="height: calc(60px + env(safe-area-inset-bottom, 0px))" />
|
<div style="height: calc(60px + env(safe-area-inset-bottom, 0px))" />
|
||||||
|
|
||||||
@@ -58,7 +56,6 @@ import TransactionList from '@/components/TransactionList.vue'
|
|||||||
import TransactionDetail from '@/components/TransactionDetail.vue'
|
import TransactionDetail from '@/components/TransactionDetail.vue'
|
||||||
import SmartClassifyButton from '@/components/SmartClassifyButton.vue'
|
import SmartClassifyButton from '@/components/SmartClassifyButton.vue'
|
||||||
import PopupContainer from '@/components/PopupContainer.vue'
|
import PopupContainer from '@/components/PopupContainer.vue'
|
||||||
import ContributionHeatmap from '@/components/ContributionHeatmap.vue'
|
|
||||||
|
|
||||||
const dailyStatistics = ref({})
|
const dailyStatistics = ref({})
|
||||||
const listVisible = ref(false)
|
const listVisible = ref(false)
|
||||||
@@ -68,23 +65,14 @@ const currentTransaction = ref(null)
|
|||||||
const listLoading = ref(false)
|
const listLoading = ref(false)
|
||||||
const selectedDate = ref(null)
|
const selectedDate = ref(null)
|
||||||
const selectedDateText = ref('')
|
const selectedDateText = ref('')
|
||||||
const heatmapRef = ref(null)
|
|
||||||
|
|
||||||
// 设置日历可选范围(例如:过去2年到未来1年)
|
// 设置日历可选范围(例如:过去1年到当前月底
|
||||||
const minDate = new Date(new Date().getFullYear() - 2, 0, 1) // 2年前的1月1日
|
const minDate = new Date(new Date().getFullYear() - 1, 0, 1) // 1年前的1月1日
|
||||||
const maxDate = new Date(new Date().getFullYear() + 1, 11, 31) // 明年12月31日
|
let maxDate = new Date(new Date().getFullYear(), new Date().getMonth() + 1, 0) // 当前月的最后一天
|
||||||
|
// 如果当前日超过20号,则将最大日期设置为下个月月底,方便用户查看和选择
|
||||||
onMounted(async () => {
|
if (new Date().getDate() > 20) {
|
||||||
await nextTick()
|
maxDate = new Date(new Date().getFullYear(), new Date().getMonth() + 2, 0)
|
||||||
setTimeout(() => {
|
}
|
||||||
// 计算页面高度,滚动3/4高度以显示更多日期
|
|
||||||
const height = document.querySelector('.calendar-container').clientHeight * 0.43
|
|
||||||
document.querySelector('.van-calendar__body').scrollBy({
|
|
||||||
top: -height,
|
|
||||||
behavior: 'smooth'
|
|
||||||
})
|
|
||||||
}, 300)
|
|
||||||
})
|
|
||||||
|
|
||||||
// 获取日历统计数据
|
// 获取日历统计数据
|
||||||
const fetchDailyStatistics = async (year, month) => {
|
const fetchDailyStatistics = async (year, month) => {
|
||||||
@@ -96,7 +84,6 @@ const fetchDailyStatistics = async (year, month) => {
|
|||||||
// 将数组转换为对象,key为日期
|
// 将数组转换为对象,key为日期
|
||||||
const statsMap = {}
|
const statsMap = {}
|
||||||
response.data.forEach((item) => {
|
response.data.forEach((item) => {
|
||||||
console.warn(item)
|
|
||||||
statsMap[item.date] = {
|
statsMap[item.date] = {
|
||||||
count: item.count,
|
count: item.count,
|
||||||
amount: (item.income - item.expense).toFixed(1)
|
amount: (item.income - item.expense).toFixed(1)
|
||||||
@@ -280,7 +267,6 @@ const onGlobalTransactionDeleted = () => {
|
|||||||
}
|
}
|
||||||
const now = selectedDate.value || new Date()
|
const now = selectedDate.value || new Date()
|
||||||
fetchDailyStatistics(now.getFullYear(), now.getMonth() + 1)
|
fetchDailyStatistics(now.getFullYear(), now.getMonth() + 1)
|
||||||
heatmapRef.value?.refresh()
|
|
||||||
}
|
}
|
||||||
|
|
||||||
window.addEventListener &&
|
window.addEventListener &&
|
||||||
@@ -298,7 +284,6 @@ const onGlobalTransactionsChanged = () => {
|
|||||||
}
|
}
|
||||||
const now = selectedDate.value || new Date()
|
const now = selectedDate.value || new Date()
|
||||||
fetchDailyStatistics(now.getFullYear(), now.getMonth() + 1)
|
fetchDailyStatistics(now.getFullYear(), now.getMonth() + 1)
|
||||||
heatmapRef.value?.refresh()
|
|
||||||
}
|
}
|
||||||
|
|
||||||
window.addEventListener &&
|
window.addEventListener &&
|
||||||
|
|||||||
@@ -15,7 +15,10 @@
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 分组列表 -->
|
<!-- 分组列表 -->
|
||||||
<van-empty v-if="!hasData && finished" description="暂无数据" />
|
<van-empty
|
||||||
|
v-if="!hasData && finished"
|
||||||
|
description="暂无数据"
|
||||||
|
/>
|
||||||
|
|
||||||
<van-list
|
<van-list
|
||||||
v-model:loading="listLoading"
|
v-model:loading="listLoading"
|
||||||
|
|||||||
@@ -10,7 +10,10 @@
|
|||||||
|
|
||||||
<div class="scroll-content">
|
<div class="scroll-content">
|
||||||
<!-- 第一层:选择交易类型 -->
|
<!-- 第一层:选择交易类型 -->
|
||||||
<div v-if="currentLevel === 0" class="level-container">
|
<div
|
||||||
|
v-if="currentLevel === 0"
|
||||||
|
class="level-container"
|
||||||
|
>
|
||||||
<van-cell-group inset>
|
<van-cell-group inset>
|
||||||
<van-cell
|
<van-cell
|
||||||
v-for="type in typeOptions"
|
v-for="type in typeOptions"
|
||||||
@@ -23,22 +26,70 @@
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 第二层:分类列表 -->
|
<!-- 第二层:分类列表 -->
|
||||||
<div v-else class="level-container">
|
<div
|
||||||
|
v-else
|
||||||
|
class="level-container"
|
||||||
|
>
|
||||||
<!-- 面包屑导航 -->
|
<!-- 面包屑导航 -->
|
||||||
<div class="breadcrumb">
|
<div class="breadcrumb">
|
||||||
<van-tag type="primary" closeable style="margin-left: 16px" @close="handleBackToRoot">
|
<van-tag
|
||||||
|
type="primary"
|
||||||
|
closeable
|
||||||
|
style="margin-left: 16px"
|
||||||
|
@close="handleBackToRoot"
|
||||||
|
>
|
||||||
{{ currentTypeName }}
|
{{ currentTypeName }}
|
||||||
</van-tag>
|
</van-tag>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 分类列表 -->
|
<!-- 分类列表 -->
|
||||||
<van-empty v-if="categories.length === 0" description="暂无分类" />
|
<van-empty
|
||||||
|
v-if="categories.length === 0"
|
||||||
|
description="暂无分类"
|
||||||
|
/>
|
||||||
|
|
||||||
<van-cell-group v-else inset>
|
<van-cell-group
|
||||||
<van-swipe-cell v-for="category in categories" :key="category.id">
|
v-else
|
||||||
<van-cell :title="category.name" is-link @click="handleEdit(category)" />
|
inset
|
||||||
|
>
|
||||||
|
<van-swipe-cell
|
||||||
|
v-for="category in categories"
|
||||||
|
:key="category.id"
|
||||||
|
>
|
||||||
|
<van-cell :title="category.name">
|
||||||
|
<template #icon>
|
||||||
|
<div
|
||||||
|
v-if="category.icon"
|
||||||
|
class="category-icon"
|
||||||
|
v-html="parseIcon(category.icon)"
|
||||||
|
/>
|
||||||
|
</template>
|
||||||
|
<template #default>
|
||||||
|
<div class="category-actions">
|
||||||
|
<van-button
|
||||||
|
size="small"
|
||||||
|
type="primary"
|
||||||
|
plain
|
||||||
|
@click="handleIconSelect(category)"
|
||||||
|
>
|
||||||
|
选择图标
|
||||||
|
</van-button>
|
||||||
|
<van-button
|
||||||
|
size="small"
|
||||||
|
@click="handleEditOld(category)"
|
||||||
|
>
|
||||||
|
编辑
|
||||||
|
</van-button>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
</van-cell>
|
||||||
<template #right>
|
<template #right>
|
||||||
<van-button square type="danger" text="删除" @click="handleDelete(category)" />
|
<van-button
|
||||||
|
square
|
||||||
|
type="danger"
|
||||||
|
text="删除"
|
||||||
|
@click="handleDelete(category)"
|
||||||
|
/>
|
||||||
</template>
|
</template>
|
||||||
</van-swipe-cell>
|
</van-swipe-cell>
|
||||||
</van-cell-group>
|
</van-cell-group>
|
||||||
@@ -49,7 +100,12 @@
|
|||||||
|
|
||||||
<div class="bottom-button">
|
<div class="bottom-button">
|
||||||
<!-- 新增分类按钮 -->
|
<!-- 新增分类按钮 -->
|
||||||
<van-button type="primary" size="large" icon="plus" @click="handleAddCategory">
|
<van-button
|
||||||
|
type="primary"
|
||||||
|
size="large"
|
||||||
|
icon="plus"
|
||||||
|
@click="handleAddCategory"
|
||||||
|
>
|
||||||
新增分类
|
新增分类
|
||||||
</van-button>
|
</van-button>
|
||||||
</div>
|
</div>
|
||||||
@@ -97,6 +153,52 @@
|
|||||||
message="删除后无法恢复,确定要删除吗?"
|
message="删除后无法恢复,确定要删除吗?"
|
||||||
@confirm="handleConfirmDelete"
|
@confirm="handleConfirmDelete"
|
||||||
/>
|
/>
|
||||||
|
|
||||||
|
<!-- 图标选择对话框 -->
|
||||||
|
<van-dialog
|
||||||
|
v-model:show="showIconDialog"
|
||||||
|
title="选择图标"
|
||||||
|
show-cancel-button
|
||||||
|
@confirm="handleConfirmIconSelect"
|
||||||
|
>
|
||||||
|
<div class="icon-selector">
|
||||||
|
<div
|
||||||
|
v-if="currentCategory && currentCategory.icon"
|
||||||
|
class="icon-list"
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
v-for="(icon, index) in parseIconArray(currentCategory.icon)"
|
||||||
|
:key="index"
|
||||||
|
class="icon-item"
|
||||||
|
:class="{ active: selectedIconIndex === index }"
|
||||||
|
@click="selectedIconIndex = index"
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
class="icon-preview"
|
||||||
|
v-html="icon"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div
|
||||||
|
v-else
|
||||||
|
class="empty-icons"
|
||||||
|
>
|
||||||
|
<van-empty description="暂无图标" />
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="icon-actions">
|
||||||
|
<van-button
|
||||||
|
type="primary"
|
||||||
|
size="small"
|
||||||
|
:loading="isGeneratingIcon"
|
||||||
|
:disabled="isGeneratingIcon"
|
||||||
|
@click="handleGenerateIcon"
|
||||||
|
>
|
||||||
|
{{ isGeneratingIcon ? 'AI生成中...' : '生成新图标' }}
|
||||||
|
</van-button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</van-dialog>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</template>
|
</template>
|
||||||
@@ -109,7 +211,9 @@ import {
|
|||||||
getCategoryList,
|
getCategoryList,
|
||||||
createCategory,
|
createCategory,
|
||||||
deleteCategory,
|
deleteCategory,
|
||||||
updateCategory
|
updateCategory,
|
||||||
|
generateIcon,
|
||||||
|
updateSelectedIcon
|
||||||
} from '@/api/transactionCategory'
|
} from '@/api/transactionCategory'
|
||||||
|
|
||||||
const router = useRouter()
|
const router = useRouter()
|
||||||
@@ -151,6 +255,12 @@ const editForm = ref({
|
|||||||
name: ''
|
name: ''
|
||||||
})
|
})
|
||||||
|
|
||||||
|
// 图标选择对话框
|
||||||
|
const showIconDialog = ref(false)
|
||||||
|
const currentCategory = ref(null) // 当前正在编辑图标的分类
|
||||||
|
const selectedIconIndex = ref(0)
|
||||||
|
const isGeneratingIcon = ref(false)
|
||||||
|
|
||||||
// 计算导航栏标题
|
// 计算导航栏标题
|
||||||
const navTitle = computed(() => {
|
const navTitle = computed(() => {
|
||||||
if (currentLevel.value === 0) {
|
if (currentLevel.value === 0) {
|
||||||
@@ -275,6 +385,98 @@ const handleEdit = (category) => {
|
|||||||
showEditDialog.value = true
|
showEditDialog.value = true
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 打开图标选择器
|
||||||
|
*/
|
||||||
|
const handleIconSelect = (category) => {
|
||||||
|
currentCategory.value = category
|
||||||
|
selectedIconIndex.value = 0
|
||||||
|
showIconDialog.value = true
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 生成新图标
|
||||||
|
*/
|
||||||
|
const handleGenerateIcon = async () => {
|
||||||
|
if (!currentCategory.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
isGeneratingIcon.value = true
|
||||||
|
showLoadingToast({
|
||||||
|
message: 'AI正在生成图标...',
|
||||||
|
forbidClick: true,
|
||||||
|
duration: 0
|
||||||
|
})
|
||||||
|
|
||||||
|
const { success, data, message } = await generateIcon(currentCategory.value.id)
|
||||||
|
|
||||||
|
if (success) {
|
||||||
|
showSuccessToast('图标生成成功')
|
||||||
|
// 重新加载分类列表以获取最新的图标
|
||||||
|
await loadCategories()
|
||||||
|
// 更新当前分类引用
|
||||||
|
const updated = categories.value.find((c) => c.id === currentCategory.value.id)
|
||||||
|
if (updated) {
|
||||||
|
currentCategory.value = updated
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
showToast(message || '生成图标失败')
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('生成图标失败:', error)
|
||||||
|
showToast('生成图标失败: ' + (error.message || '未知错误'))
|
||||||
|
} finally {
|
||||||
|
isGeneratingIcon.value = false
|
||||||
|
closeToast()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 确认选择图标
|
||||||
|
*/
|
||||||
|
const handleConfirmIconSelect = async () => {
|
||||||
|
if (!currentCategory.value) {return}
|
||||||
|
|
||||||
|
try {
|
||||||
|
showLoadingToast({
|
||||||
|
message: '保存中...',
|
||||||
|
forbidClick: true,
|
||||||
|
duration: 0
|
||||||
|
})
|
||||||
|
|
||||||
|
const { success, message } = await updateSelectedIcon(
|
||||||
|
currentCategory.value.id,
|
||||||
|
selectedIconIndex.value
|
||||||
|
)
|
||||||
|
|
||||||
|
if (success) {
|
||||||
|
showSuccessToast('图标保存成功')
|
||||||
|
showIconDialog.value = false
|
||||||
|
await loadCategories()
|
||||||
|
} else {
|
||||||
|
showToast(message || '保存失败')
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('保存图标失败:', error)
|
||||||
|
showToast('保存图标失败: ' + (error.message || '未知错误'))
|
||||||
|
} finally {
|
||||||
|
closeToast()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 编辑分类
|
||||||
|
*/
|
||||||
|
const handleEditOld = (category) => {
|
||||||
|
editForm.value = {
|
||||||
|
id: category.id,
|
||||||
|
name: category.name
|
||||||
|
}
|
||||||
|
showEditDialog.value = true
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* 确认编辑
|
* 确认编辑
|
||||||
*/
|
*/
|
||||||
@@ -358,6 +560,32 @@ const resetAddForm = () => {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 解析图标数组(第一个图标为当前选中的)
|
||||||
|
*/
|
||||||
|
const parseIcon = (iconJson) => {
|
||||||
|
if (!iconJson) {return ''}
|
||||||
|
try {
|
||||||
|
const icons = JSON.parse(iconJson)
|
||||||
|
return Array.isArray(icons) && icons.length > 0 ? icons[0] : ''
|
||||||
|
} catch {
|
||||||
|
return ''
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 解析图标数组为完整数组
|
||||||
|
*/
|
||||||
|
const parseIconArray = (iconJson) => {
|
||||||
|
if (!iconJson) {return []}
|
||||||
|
try {
|
||||||
|
const icons = JSON.parse(iconJson)
|
||||||
|
return Array.isArray(icons) ? icons : []
|
||||||
|
} catch {
|
||||||
|
return []
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
onMounted(() => {
|
onMounted(() => {
|
||||||
// 初始化时显示类型选择
|
// 初始化时显示类型选择
|
||||||
currentLevel.value = 0
|
currentLevel.value = 0
|
||||||
@@ -378,6 +606,85 @@ onMounted(() => {
|
|||||||
cursor: pointer;
|
cursor: pointer;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.category-icon {
|
||||||
|
width: 24px;
|
||||||
|
height: 24px;
|
||||||
|
margin-right: 12px;
|
||||||
|
display: inline-flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.category-icon :deep(svg) {
|
||||||
|
width: 100%;
|
||||||
|
height: 100%;
|
||||||
|
fill: currentColor;
|
||||||
|
}
|
||||||
|
|
||||||
|
.category-actions {
|
||||||
|
display: flex;
|
||||||
|
gap: 8px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.icon-selector {
|
||||||
|
padding: 16px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.icon-list {
|
||||||
|
display: grid;
|
||||||
|
grid-template-columns: repeat(auto-fill, minmax(60px, 1fr));
|
||||||
|
gap: 12px;
|
||||||
|
margin-bottom: 16px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.icon-item {
|
||||||
|
width: 60px;
|
||||||
|
height: 60px;
|
||||||
|
border: 2px solid var(--van-border-color);
|
||||||
|
border-radius: 8px;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
cursor: pointer;
|
||||||
|
transition: all 0.2s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.icon-item:hover {
|
||||||
|
border-color: var(--van-primary-color);
|
||||||
|
background-color: var(--van-primary-color-light);
|
||||||
|
}
|
||||||
|
|
||||||
|
.icon-item.active {
|
||||||
|
border-color: var(--van-primary-color);
|
||||||
|
background-color: var(--van-primary-color-light);
|
||||||
|
box-shadow: 0 2px 8px rgba(25, 137, 250, 0.3);
|
||||||
|
}
|
||||||
|
|
||||||
|
.icon-preview {
|
||||||
|
width: 32px;
|
||||||
|
height: 32px;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.icon-preview :deep(svg) {
|
||||||
|
width: 100%;
|
||||||
|
height: 100%;
|
||||||
|
fill: currentColor;
|
||||||
|
}
|
||||||
|
|
||||||
|
.empty-icons {
|
||||||
|
padding: 20px 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.icon-actions {
|
||||||
|
padding-top: 16px;
|
||||||
|
border-top: 1px solid var(--van-border-color);
|
||||||
|
display: flex;
|
||||||
|
justify-content: center;
|
||||||
|
}
|
||||||
|
|
||||||
/* 深色模式 */
|
/* 深色模式 */
|
||||||
/* @media (prefers-color-scheme: dark) {
|
/* @media (prefers-color-scheme: dark) {
|
||||||
.level-container {
|
.level-container {
|
||||||
|
|||||||
@@ -1,6 +1,11 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="page-container-flex classification-nlp">
|
<div class="page-container-flex classification-nlp">
|
||||||
<van-nav-bar title="自然语言分类" left-text="返回" left-arrow @click-left="onClickLeft" />
|
<van-nav-bar
|
||||||
|
title="自然语言分类"
|
||||||
|
left-text="返回"
|
||||||
|
left-arrow
|
||||||
|
@click-left="onClickLeft"
|
||||||
|
/>
|
||||||
|
|
||||||
<div class="scroll-content">
|
<div class="scroll-content">
|
||||||
<!-- 输入区域 -->
|
<!-- 输入区域 -->
|
||||||
@@ -18,18 +23,36 @@
|
|||||||
</van-cell-group>
|
</van-cell-group>
|
||||||
|
|
||||||
<div class="action-buttons">
|
<div class="action-buttons">
|
||||||
<van-button type="primary" block round :loading="analyzing" @click="handleAnalyze">
|
<van-button
|
||||||
|
type="primary"
|
||||||
|
block
|
||||||
|
round
|
||||||
|
:loading="analyzing"
|
||||||
|
@click="handleAnalyze"
|
||||||
|
>
|
||||||
分析查询
|
分析查询
|
||||||
</van-button>
|
</van-button>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 分析结果展示 -->
|
<!-- 分析结果展示 -->
|
||||||
<div v-if="analysisResult" class="result-section">
|
<div
|
||||||
|
v-if="analysisResult"
|
||||||
|
class="result-section"
|
||||||
|
>
|
||||||
<van-cell-group inset>
|
<van-cell-group inset>
|
||||||
<van-cell title="查询关键词" :value="analysisResult.searchKeyword" />
|
<van-cell
|
||||||
<van-cell title="AI建议类型" :value="getTypeName(analysisResult.targetType)" />
|
title="查询关键词"
|
||||||
<van-cell title="AI建议分类" :value="analysisResult.targetClassify" />
|
:value="analysisResult.searchKeyword"
|
||||||
|
/>
|
||||||
|
<van-cell
|
||||||
|
title="AI建议类型"
|
||||||
|
:value="getTypeName(analysisResult.targetType)"
|
||||||
|
/>
|
||||||
|
<van-cell
|
||||||
|
title="AI建议分类"
|
||||||
|
:value="analysisResult.targetClassify"
|
||||||
|
/>
|
||||||
<van-cell
|
<van-cell
|
||||||
title="找到记录"
|
title="找到记录"
|
||||||
:value="`${analysisResult.records.length} 条`"
|
:value="`${analysisResult.records.length} 条`"
|
||||||
@@ -48,12 +71,30 @@
|
|||||||
/>
|
/>
|
||||||
|
|
||||||
<!-- 记录列表弹窗 -->
|
<!-- 记录列表弹窗 -->
|
||||||
<PopupContainer v-model="showRecordsList" title="交易记录列表" height="75%">
|
<PopupContainer
|
||||||
|
v-model="showRecordsList"
|
||||||
|
title="交易记录列表"
|
||||||
|
height="75%"
|
||||||
|
>
|
||||||
<div style="background: var(--van-background)">
|
<div style="background: var(--van-background)">
|
||||||
<!-- 批量操作按钮 -->
|
<!-- 批量操作按钮 -->
|
||||||
<div class="batch-actions">
|
<div class="batch-actions">
|
||||||
<van-button plain type="primary" size="small" @click="selectAll"> 全选 </van-button>
|
<van-button
|
||||||
<van-button plain type="default" size="small" @click="selectNone"> 全不选 </van-button>
|
plain
|
||||||
|
type="primary"
|
||||||
|
size="small"
|
||||||
|
@click="selectAll"
|
||||||
|
>
|
||||||
|
全选
|
||||||
|
</van-button>
|
||||||
|
<van-button
|
||||||
|
plain
|
||||||
|
type="default"
|
||||||
|
size="small"
|
||||||
|
@click="selectNone"
|
||||||
|
>
|
||||||
|
全不选
|
||||||
|
</van-button>
|
||||||
<van-button
|
<van-button
|
||||||
type="success"
|
type="success"
|
||||||
size="small"
|
size="small"
|
||||||
|
|||||||
@@ -1,8 +1,16 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="page-container-flex smart-classification">
|
<div class="page-container-flex smart-classification">
|
||||||
<van-nav-bar title="智能分类" left-text="返回" left-arrow @click-left="onClickLeft" />
|
<van-nav-bar
|
||||||
|
title="智能分类"
|
||||||
|
left-text="返回"
|
||||||
|
left-arrow
|
||||||
|
@click-left="onClickLeft"
|
||||||
|
/>
|
||||||
|
|
||||||
<div class="scroll-content" style="padding-top: 5px">
|
<div
|
||||||
|
class="scroll-content"
|
||||||
|
style="padding-top: 5px"
|
||||||
|
>
|
||||||
<!-- 统计信息 -->
|
<!-- 统计信息 -->
|
||||||
<div class="stats-info">
|
<div class="stats-info">
|
||||||
<span class="stats-label">未分类账单 </span>
|
<span class="stats-label">未分类账单 </span>
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="page-container-flex log-view">
|
<div class="page-container-flex log-view">
|
||||||
<van-nav-bar
|
<van-nav-bar
|
||||||
title="查看日志"
|
title="查看日志"
|
||||||
@@ -28,7 +28,12 @@
|
|||||||
<van-dropdown-item
|
<van-dropdown-item
|
||||||
v-model="selectedDate"
|
v-model="selectedDate"
|
||||||
:options="dateOptions"
|
:options="dateOptions"
|
||||||
@change="handleSearch"
|
@change="handleDateChange"
|
||||||
|
/>
|
||||||
|
<van-dropdown-item
|
||||||
|
v-model="selectedClassName"
|
||||||
|
:options="classNameOptions"
|
||||||
|
@change="handleClassNameChange"
|
||||||
/>
|
/>
|
||||||
</van-dropdown-menu>
|
</van-dropdown-menu>
|
||||||
</div>
|
</div>
|
||||||
@@ -66,6 +71,31 @@
|
|||||||
<span class="log-level">{{ log.level }}</span>
|
<span class="log-level">{{ log.level }}</span>
|
||||||
<span class="log-time">{{ formatTime(log.timestamp) }}</span>
|
<span class="log-time">{{ formatTime(log.timestamp) }}</span>
|
||||||
</div>
|
</div>
|
||||||
|
<div
|
||||||
|
v-if="log.className || log.methodName"
|
||||||
|
class="log-source"
|
||||||
|
>
|
||||||
|
<span
|
||||||
|
v-if="log.className"
|
||||||
|
class="source-class"
|
||||||
|
>{{ log.className }}</span>
|
||||||
|
<span
|
||||||
|
v-if="log.methodName"
|
||||||
|
class="source-method"
|
||||||
|
>.{{ log.methodName }}</span>
|
||||||
|
</div>
|
||||||
|
<div
|
||||||
|
v-if="log.requestId"
|
||||||
|
class="log-request-id"
|
||||||
|
>
|
||||||
|
<span class="request-id-label">请求ID:</span>
|
||||||
|
<span
|
||||||
|
class="request-id-value"
|
||||||
|
@click="handleRequestIdClick(log.requestId)"
|
||||||
|
>
|
||||||
|
{{ log.requestId }}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
<div class="log-message">
|
<div class="log-message">
|
||||||
{{ log.message }}
|
{{ log.message }}
|
||||||
</div>
|
</div>
|
||||||
@@ -90,7 +120,7 @@
|
|||||||
import { ref, onMounted } from 'vue'
|
import { ref, onMounted } from 'vue'
|
||||||
import { useRouter } from 'vue-router'
|
import { useRouter } from 'vue-router'
|
||||||
import { showToast } from 'vant'
|
import { showToast } from 'vant'
|
||||||
import { getLogList, getAvailableDates } from '@/api/log'
|
import { getLogList, getAvailableDates, getAvailableClassNames, getLogsByRequestId } from '@/api/log'
|
||||||
|
|
||||||
const router = useRouter()
|
const router = useRouter()
|
||||||
|
|
||||||
@@ -110,6 +140,11 @@ const total = ref(0)
|
|||||||
const searchKeyword = ref('')
|
const searchKeyword = ref('')
|
||||||
const selectedLevel = ref('')
|
const selectedLevel = ref('')
|
||||||
const selectedDate = ref('')
|
const selectedDate = ref('')
|
||||||
|
const selectedClassName = ref('')
|
||||||
|
|
||||||
|
// requestId 查询模式
|
||||||
|
const isRequestIdMode = ref(false)
|
||||||
|
const currentRequestId = ref('')
|
||||||
|
|
||||||
// 日志级别选项
|
// 日志级别选项
|
||||||
const levelOptions = ref([
|
const levelOptions = ref([
|
||||||
@@ -125,6 +160,9 @@ const levelOptions = ref([
|
|||||||
// 日期选项
|
// 日期选项
|
||||||
const dateOptions = ref([{ text: '全部日期', value: '' }])
|
const dateOptions = ref([{ text: '全部日期', value: '' }])
|
||||||
|
|
||||||
|
// 类名选项
|
||||||
|
const classNameOptions = ref([{ text: '全部类名', value: '' }])
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* 返回上一页
|
* 返回上一页
|
||||||
*/
|
*/
|
||||||
@@ -177,6 +215,17 @@ const loadLogs = async (reset = false) => {
|
|||||||
finished.value = false
|
finished.value = false
|
||||||
}
|
}
|
||||||
|
|
||||||
|
let response
|
||||||
|
|
||||||
|
if (isRequestIdMode.value) {
|
||||||
|
// requestId 查询模式
|
||||||
|
response = await getLogsByRequestId({
|
||||||
|
requestId: currentRequestId.value,
|
||||||
|
pageIndex: pageIndex.value,
|
||||||
|
pageSize: pageSize.value
|
||||||
|
})
|
||||||
|
} else {
|
||||||
|
// 普通查询模式
|
||||||
const params = {
|
const params = {
|
||||||
pageIndex: pageIndex.value,
|
pageIndex: pageIndex.value,
|
||||||
pageSize: pageSize.value
|
pageSize: pageSize.value
|
||||||
@@ -191,8 +240,12 @@ const loadLogs = async (reset = false) => {
|
|||||||
if (selectedDate.value) {
|
if (selectedDate.value) {
|
||||||
params.date = selectedDate.value
|
params.date = selectedDate.value
|
||||||
}
|
}
|
||||||
|
if (selectedClassName.value) {
|
||||||
|
params.className = selectedClassName.value
|
||||||
|
}
|
||||||
|
|
||||||
const response = await getLogList(params)
|
response = await getLogList(params)
|
||||||
|
}
|
||||||
|
|
||||||
if (response.success) {
|
if (response.success) {
|
||||||
const newLogs = response.data || []
|
const newLogs = response.data || []
|
||||||
@@ -206,12 +259,9 @@ const loadLogs = async (reset = false) => {
|
|||||||
total.value = response.total
|
total.value = response.total
|
||||||
|
|
||||||
// 判断是否还有更多数据
|
// 判断是否还有更多数据
|
||||||
// total = -1 表示总数未知,此时只根据返回数据量判断
|
|
||||||
if (total.value === -1) {
|
if (total.value === -1) {
|
||||||
// 如果返回的数据少于请求的数量,说明没有更多了
|
|
||||||
finished.value = newLogs.length < pageSize.value
|
finished.value = newLogs.length < pageSize.value
|
||||||
} else {
|
} else {
|
||||||
// 如果有明确的总数,则判断是否已加载完全部数据
|
|
||||||
if (logList.value.length >= total.value || newLogs.length < pageSize.value) {
|
if (logList.value.length >= total.value || newLogs.length < pageSize.value) {
|
||||||
finished.value = true
|
finished.value = true
|
||||||
} else {
|
} else {
|
||||||
@@ -237,7 +287,12 @@ const loadLogs = async (reset = false) => {
|
|||||||
* 下拉刷新
|
* 下拉刷新
|
||||||
*/
|
*/
|
||||||
const onRefresh = async () => {
|
const onRefresh = async () => {
|
||||||
|
if (isRequestIdMode.value) {
|
||||||
|
// requestId 模式下刷新,重置为第一页
|
||||||
await loadLogs(true)
|
await loadLogs(true)
|
||||||
|
} else {
|
||||||
|
await loadLogs(true)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@@ -262,6 +317,8 @@ const onLoad = async () => {
|
|||||||
* 搜索处理
|
* 搜索处理
|
||||||
*/
|
*/
|
||||||
const handleSearch = () => {
|
const handleSearch = () => {
|
||||||
|
isRequestIdMode.value = false
|
||||||
|
currentRequestId.value = ''
|
||||||
loadLogs(true)
|
loadLogs(true)
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -291,6 +348,44 @@ const loadAvailableDates = async () => {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 加载可用类名列表
|
||||||
|
*/
|
||||||
|
const loadAvailableClassNames = async () => {
|
||||||
|
try {
|
||||||
|
const params = {}
|
||||||
|
if (selectedDate.value) {
|
||||||
|
params.date = selectedDate.value
|
||||||
|
}
|
||||||
|
const response = await getAvailableClassNames(params)
|
||||||
|
if (response.success && response.data) {
|
||||||
|
const classNames = response.data.map((name) => ({
|
||||||
|
text: name,
|
||||||
|
value: name
|
||||||
|
}))
|
||||||
|
classNameOptions.value = [{ text: '全部类名', value: '' }, ...classNames]
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('加载类名列表失败:', error)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 日期改变时重新加载类名
|
||||||
|
*/
|
||||||
|
const handleDateChange = async () => {
|
||||||
|
selectedClassName.value = ''
|
||||||
|
await loadAvailableClassNames()
|
||||||
|
handleSearch()
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 类名改变时重新搜索
|
||||||
|
*/
|
||||||
|
const handleClassNameChange = () => {
|
||||||
|
handleSearch()
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* 格式化日期显示
|
* 格式化日期显示
|
||||||
*/
|
*/
|
||||||
@@ -302,9 +397,50 @@ const formatDate = (dateStr) => {
|
|||||||
return dateStr
|
return dateStr
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 处理请求ID点击
|
||||||
|
*/
|
||||||
|
const handleRequestIdClick = async (requestId) => {
|
||||||
|
try {
|
||||||
|
showToast('正在查询关联日志...')
|
||||||
|
|
||||||
|
isRequestIdMode.value = true
|
||||||
|
currentRequestId.value = requestId
|
||||||
|
|
||||||
|
const response = await getLogsByRequestId({
|
||||||
|
requestId,
|
||||||
|
pageIndex: 1,
|
||||||
|
pageSize: 100
|
||||||
|
})
|
||||||
|
|
||||||
|
if (response.success && response.data && response.data.length > 0) {
|
||||||
|
logList.value = response.data
|
||||||
|
total.value = response.total
|
||||||
|
pageIndex.value = 1
|
||||||
|
|
||||||
|
// 根据返回数据量判断是否还有更多
|
||||||
|
if (response.data.length < 100) {
|
||||||
|
finished.value = true
|
||||||
|
} else {
|
||||||
|
finished.value = false
|
||||||
|
}
|
||||||
|
|
||||||
|
showToast(`找到 ${response.total} 条关联日志`)
|
||||||
|
} else {
|
||||||
|
showToast('未找到关联日志')
|
||||||
|
logList.value = []
|
||||||
|
finished.value = true
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('查询关联日志失败:', error)
|
||||||
|
showToast('查询失败')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
// 组件挂载时加载数据
|
// 组件挂载时加载数据
|
||||||
onMounted(() => {
|
onMounted(() => {
|
||||||
loadAvailableDates()
|
loadAvailableDates()
|
||||||
|
loadAvailableClassNames()
|
||||||
// 不在这里调用 loadLogs,让 van-list 的 @load 事件自动触发
|
// 不在这里调用 loadLogs,让 van-list 的 @load 事件自动触发
|
||||||
})
|
})
|
||||||
</script>
|
</script>
|
||||||
@@ -399,6 +535,43 @@ onMounted(() => {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.log-request-id {
|
||||||
|
margin: 2px 0;
|
||||||
|
font-size: 10px;
|
||||||
|
color: #666;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.log-source {
|
||||||
|
margin: 2px 0;
|
||||||
|
font-size: 10px;
|
||||||
|
color: #666;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.source-class {
|
||||||
|
font-weight: bold;
|
||||||
|
color: var(--van-primary-color);
|
||||||
|
}
|
||||||
|
|
||||||
|
.request-id-label {
|
||||||
|
margin-right: 4px;
|
||||||
|
font-weight: bold;
|
||||||
|
}
|
||||||
|
|
||||||
|
.request-id-value {
|
||||||
|
cursor: pointer;
|
||||||
|
color: var(--van-primary-color);
|
||||||
|
text-decoration: underline;
|
||||||
|
word-break: break-all;
|
||||||
|
}
|
||||||
|
|
||||||
|
.request-id-value:hover {
|
||||||
|
opacity: 0.8;
|
||||||
|
}
|
||||||
|
|
||||||
.log-message {
|
.log-message {
|
||||||
color: #323233;
|
color: #323233;
|
||||||
line-height: 1.4;
|
line-height: 1.4;
|
||||||
@@ -475,9 +648,8 @@ onMounted(() => {
|
|||||||
box-shadow: 0 2px 4px rgba(0, 0, 0, 0.08);
|
box-shadow: 0 2px 4px rgba(0, 0, 0, 0.08);
|
||||||
}
|
}
|
||||||
|
|
||||||
/* @media (prefers-color-scheme: dark) {
|
/* 设置页面容器背景色 */
|
||||||
:deep(.van-dropdown-menu) {
|
:deep(.van-nav-bar) {
|
||||||
box-shadow: 0 2px 4px rgba(0, 0, 0, 0.3);
|
background: transparent !important;
|
||||||
}
|
}
|
||||||
} */
|
|
||||||
</style>
|
</style>
|
||||||
|
|||||||
@@ -1,7 +1,9 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="page-container login-container">
|
<div class="page-container login-container">
|
||||||
<div class="login-box">
|
<div class="login-box">
|
||||||
<h1 class="login-title">账单</h1>
|
<h1 class="login-title">
|
||||||
|
账单
|
||||||
|
</h1>
|
||||||
<div class="login-form">
|
<div class="login-form">
|
||||||
<van-field
|
<van-field
|
||||||
v-model="password"
|
v-model="password"
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="page-container-flex">
|
<div class="page-container-flex">
|
||||||
<!-- 顶部导航栏 -->
|
<!-- 顶部导航栏 -->
|
||||||
<van-nav-bar
|
<van-nav-bar
|
||||||
@@ -9,7 +9,7 @@
|
|||||||
class="nav-date-picker"
|
class="nav-date-picker"
|
||||||
@click="showMonthPicker = true"
|
@click="showMonthPicker = true"
|
||||||
>
|
>
|
||||||
<span>{{ currentYear }}年{{ currentMonth }}月</span>
|
<span>{{ currentMonth === 0 ? `${currentYear}年` : `${currentYear}年${currentMonth}月` }}</span>
|
||||||
<van-icon name="arrow-down" />
|
<van-icon name="arrow-down" />
|
||||||
</div>
|
</div>
|
||||||
</template>
|
</template>
|
||||||
@@ -66,10 +66,10 @@
|
|||||||
</span>
|
</span>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 余额变化图表 -->
|
<!-- 余额变化图表(融合收支趋势) -->
|
||||||
<div
|
<div
|
||||||
class="balance-chart"
|
class="balance-chart"
|
||||||
style="height: 130px; padding: 0"
|
style="height: 190px; padding: 0"
|
||||||
>
|
>
|
||||||
<div
|
<div
|
||||||
ref="balanceChartRef"
|
ref="balanceChartRef"
|
||||||
@@ -77,31 +77,6 @@
|
|||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 趋势统计 -->
|
|
||||||
<div
|
|
||||||
class="common-card"
|
|
||||||
style="padding-bottom: 5px; margin-top: 12px;"
|
|
||||||
>
|
|
||||||
<div
|
|
||||||
class="card-header"
|
|
||||||
style="padding-bottom: 0;"
|
|
||||||
>
|
|
||||||
<h3 class="card-title">
|
|
||||||
收支趋势
|
|
||||||
</h3>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<div
|
|
||||||
class="trend-chart"
|
|
||||||
style="height: 240px; padding: 10px 0"
|
|
||||||
>
|
|
||||||
<div
|
|
||||||
ref="chartRef"
|
|
||||||
style="width: 100%; height: 100%"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
<!-- 分类统计 -->
|
<!-- 分类统计 -->
|
||||||
<div
|
<div
|
||||||
class="common-card"
|
class="common-card"
|
||||||
@@ -265,19 +240,35 @@
|
|||||||
</div>
|
</div>
|
||||||
</van-pull-refresh>
|
</van-pull-refresh>
|
||||||
|
|
||||||
<!-- 月份选择器 -->
|
<!-- 日期选择器 -->
|
||||||
<van-popup
|
<van-popup
|
||||||
v-model:show="showMonthPicker"
|
v-model:show="showMonthPicker"
|
||||||
position="bottom"
|
position="bottom"
|
||||||
round
|
round
|
||||||
teleport="body"
|
teleport="body"
|
||||||
>
|
>
|
||||||
|
<div class="date-picker-header">
|
||||||
|
<van-tabs
|
||||||
|
v-model:active="dateSelectionMode"
|
||||||
|
line-width="20px"
|
||||||
|
:ellipsis="false"
|
||||||
|
>
|
||||||
|
<van-tab
|
||||||
|
title="按月"
|
||||||
|
name="month"
|
||||||
|
/>
|
||||||
|
<van-tab
|
||||||
|
title="按年"
|
||||||
|
name="year"
|
||||||
|
/>
|
||||||
|
</van-tabs>
|
||||||
|
</div>
|
||||||
<van-date-picker
|
<van-date-picker
|
||||||
v-model="selectedDate"
|
v-model="selectedDate"
|
||||||
title="选择月份"
|
:title="dateSelectionMode === 'year' ? '选择年份' : '选择月份'"
|
||||||
:min-date="minDate"
|
:min-date="minDate"
|
||||||
:max-date="maxDate"
|
:max-date="maxDate"
|
||||||
:columns-type="['year', 'month']"
|
:columns-type="dateSelectionMode === 'year' ? ['year'] : ['year', 'month']"
|
||||||
@confirm="onMonthConfirm"
|
@confirm="onMonthConfirm"
|
||||||
@cancel="showMonthPicker = false"
|
@cancel="showMonthPicker = false"
|
||||||
/>
|
/>
|
||||||
@@ -344,6 +335,7 @@ const firstLoading = ref(true)
|
|||||||
const refreshing = ref(false)
|
const refreshing = ref(false)
|
||||||
const showMonthPicker = ref(false)
|
const showMonthPicker = ref(false)
|
||||||
const showAllExpense = ref(false)
|
const showAllExpense = ref(false)
|
||||||
|
const dateSelectionMode = ref('month')
|
||||||
const currentYear = ref(new Date().getFullYear())
|
const currentYear = ref(new Date().getFullYear())
|
||||||
const currentMonth = ref(new Date().getMonth() + 1)
|
const currentMonth = ref(new Date().getMonth() + 1)
|
||||||
const selectedDate = ref([
|
const selectedDate = ref([
|
||||||
@@ -433,10 +425,8 @@ const noneCategoriesView = computed(() => {
|
|||||||
const dailyData = ref([])
|
const dailyData = ref([])
|
||||||
// 余额数据(独立)
|
// 余额数据(独立)
|
||||||
const balanceData = ref([])
|
const balanceData = ref([])
|
||||||
const chartRef = ref(null)
|
|
||||||
const pieChartRef = ref(null)
|
const pieChartRef = ref(null)
|
||||||
const balanceChartRef = ref(null)
|
const balanceChartRef = ref(null)
|
||||||
let chartInstance = null
|
|
||||||
let pieChartInstance = null
|
let pieChartInstance = null
|
||||||
let balanceChartInstance = null
|
let balanceChartInstance = null
|
||||||
|
|
||||||
@@ -531,7 +521,7 @@ const onRefresh = async () => {
|
|||||||
// 确认月份选择
|
// 确认月份选择
|
||||||
const onMonthConfirm = ({ selectedValues }) => {
|
const onMonthConfirm = ({ selectedValues }) => {
|
||||||
const newYear = parseInt(selectedValues[0])
|
const newYear = parseInt(selectedValues[0])
|
||||||
const newMonth = parseInt(selectedValues[1])
|
const newMonth = dateSelectionMode.value === 'year' ? 0 : parseInt(selectedValues[1])
|
||||||
|
|
||||||
currentYear.value = newYear
|
currentYear.value = newYear
|
||||||
currentMonth.value = newMonth
|
currentMonth.value = newMonth
|
||||||
@@ -559,7 +549,6 @@ const fetchStatistics = async (showLoading = true) => {
|
|||||||
firstLoading.value = false
|
firstLoading.value = false
|
||||||
// DOM 更新后渲染图表
|
// DOM 更新后渲染图表
|
||||||
nextTick(() => {
|
nextTick(() => {
|
||||||
renderChart(dailyData.value)
|
|
||||||
renderPieChart()
|
renderPieChart()
|
||||||
renderBalanceChart()
|
renderBalanceChart()
|
||||||
})
|
})
|
||||||
@@ -571,7 +560,7 @@ const fetchMonthlyData = async () => {
|
|||||||
try {
|
try {
|
||||||
const response = await getMonthlyStatistics({
|
const response = await getMonthlyStatistics({
|
||||||
year: currentYear.value,
|
year: currentYear.value,
|
||||||
month: currentMonth.value
|
month: currentMonth.value || 0
|
||||||
})
|
})
|
||||||
|
|
||||||
if (response.success && response.data) {
|
if (response.success && response.data) {
|
||||||
@@ -589,7 +578,7 @@ const fetchCategoryData = async () => {
|
|||||||
// 获取支出分类
|
// 获取支出分类
|
||||||
const expenseResponse = await getCategoryStatistics({
|
const expenseResponse = await getCategoryStatistics({
|
||||||
year: currentYear.value,
|
year: currentYear.value,
|
||||||
month: currentMonth.value,
|
month: currentMonth.value || 0,
|
||||||
type: 0 // 支出
|
type: 0 // 支出
|
||||||
})
|
})
|
||||||
|
|
||||||
@@ -607,7 +596,7 @@ const fetchCategoryData = async () => {
|
|||||||
// 获取收入分类
|
// 获取收入分类
|
||||||
const incomeResponse = await getCategoryStatistics({
|
const incomeResponse = await getCategoryStatistics({
|
||||||
year: currentYear.value,
|
year: currentYear.value,
|
||||||
month: currentMonth.value,
|
month: currentMonth.value || 0,
|
||||||
type: 1 // 收入
|
type: 1 // 收入
|
||||||
})
|
})
|
||||||
|
|
||||||
@@ -623,7 +612,7 @@ const fetchCategoryData = async () => {
|
|||||||
// 获取不计收支分类
|
// 获取不计收支分类
|
||||||
const noneResponse = await getCategoryStatistics({
|
const noneResponse = await getCategoryStatistics({
|
||||||
year: currentYear.value,
|
year: currentYear.value,
|
||||||
month: currentMonth.value,
|
month: currentMonth.value || 0,
|
||||||
type: 2 // 不计收支
|
type: 2 // 不计收支
|
||||||
})
|
})
|
||||||
|
|
||||||
@@ -646,7 +635,7 @@ const fetchDailyData = async () => {
|
|||||||
try {
|
try {
|
||||||
const response = await getDailyStatistics({
|
const response = await getDailyStatistics({
|
||||||
year: currentYear.value,
|
year: currentYear.value,
|
||||||
month: currentMonth.value
|
month: currentMonth.value || 0
|
||||||
})
|
})
|
||||||
|
|
||||||
if (response.success && response.data) {
|
if (response.success && response.data) {
|
||||||
@@ -654,7 +643,7 @@ const fetchDailyData = async () => {
|
|||||||
// 如果不是首次加载(即DOM已存在),直接渲染
|
// 如果不是首次加载(即DOM已存在),直接渲染
|
||||||
if (!firstLoading.value) {
|
if (!firstLoading.value) {
|
||||||
nextTick(() => {
|
nextTick(() => {
|
||||||
renderChart(response.data)
|
renderBalanceChart()
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -669,11 +658,17 @@ const fetchBalanceData = async () => {
|
|||||||
try {
|
try {
|
||||||
const response = await getBalanceStatistics({
|
const response = await getBalanceStatistics({
|
||||||
year: currentYear.value,
|
year: currentYear.value,
|
||||||
month: currentMonth.value
|
month: currentMonth.value || 0
|
||||||
})
|
})
|
||||||
|
|
||||||
if (response.success && response.data) {
|
if (response.success && response.data) {
|
||||||
balanceData.value = response.data
|
balanceData.value = response.data
|
||||||
|
// 如果不是首次加载,重新渲染余额图表
|
||||||
|
if (!firstLoading.value) {
|
||||||
|
nextTick(() => {
|
||||||
|
renderBalanceChart()
|
||||||
|
})
|
||||||
|
}
|
||||||
}
|
}
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error('获取余额统计数据失败:', error)
|
console.error('获取余额统计数据失败:', error)
|
||||||
@@ -681,193 +676,6 @@ const fetchBalanceData = async () => {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
const renderChart = (data) => {
|
|
||||||
if (!chartRef.value) {
|
|
||||||
return
|
|
||||||
}
|
|
||||||
|
|
||||||
// 尝试获取DOM上的现有实例
|
|
||||||
const existingInstance = echarts.getInstanceByDom(chartRef.value)
|
|
||||||
|
|
||||||
// 如果当前保存的实例与DOM不一致,或者DOM上已经有实例但我们没保存引用
|
|
||||||
if (chartInstance && chartInstance !== existingInstance) {
|
|
||||||
// 这种情况很少见,但为了保险,销毁旧的引用
|
|
||||||
if (!chartInstance.isDisposed()) {
|
|
||||||
chartInstance.dispose()
|
|
||||||
}
|
|
||||||
chartInstance = null
|
|
||||||
}
|
|
||||||
|
|
||||||
// 如果DOM变了(transition导致的),旧的chartInstance绑定的DOM已经不在了
|
|
||||||
// 这时 chartInstance.getDom() !== chartRef.value
|
|
||||||
if (chartInstance && chartInstance.getDom() !== chartRef.value) {
|
|
||||||
chartInstance.dispose()
|
|
||||||
chartInstance = null
|
|
||||||
}
|
|
||||||
|
|
||||||
// 如果DOM上已经有实例(可能由其他途径创建),复用它
|
|
||||||
if (!chartInstance && existingInstance) {
|
|
||||||
chartInstance = existingInstance
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!chartInstance) {
|
|
||||||
chartInstance = echarts.init(chartRef.value)
|
|
||||||
}
|
|
||||||
|
|
||||||
// 补全当月所有日期
|
|
||||||
const now = new Date()
|
|
||||||
let daysInMonth
|
|
||||||
|
|
||||||
if (currentYear.value === now.getFullYear() && currentMonth.value === now.getMonth() + 1) {
|
|
||||||
// 如果是当前月,只显示到今天
|
|
||||||
daysInMonth = now.getDate()
|
|
||||||
} else {
|
|
||||||
// 如果是过去月,显示整月
|
|
||||||
daysInMonth = new Date(currentYear.value, currentMonth.value, 0).getDate()
|
|
||||||
}
|
|
||||||
|
|
||||||
const fullData = []
|
|
||||||
|
|
||||||
// 创建日期映射
|
|
||||||
const dataMap = new Map()
|
|
||||||
data.forEach((item) => {
|
|
||||||
const day = new Date(item.date).getDate()
|
|
||||||
dataMap.set(day, item)
|
|
||||||
})
|
|
||||||
|
|
||||||
for (let i = 1; i <= daysInMonth; i++) {
|
|
||||||
const item = dataMap.get(i)
|
|
||||||
if (item) {
|
|
||||||
fullData.push(item)
|
|
||||||
} else {
|
|
||||||
fullData.push({
|
|
||||||
date: `${currentYear.value}-${String(currentMonth.value).padStart(2, '0')}-${String(i).padStart(2, '0')}`,
|
|
||||||
count: 0,
|
|
||||||
expense: 0,
|
|
||||||
income: 0,
|
|
||||||
balance: 0
|
|
||||||
})
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
const dates = fullData.map((item) => {
|
|
||||||
const date = new Date(item.date)
|
|
||||||
return `${date.getDate()}日`
|
|
||||||
})
|
|
||||||
|
|
||||||
// Calculate cumulative values
|
|
||||||
let accumulatedExpense = 0
|
|
||||||
let accumulatedIncome = 0
|
|
||||||
let accumulatedBalance = 0
|
|
||||||
|
|
||||||
const expenses = fullData.map((item) => {
|
|
||||||
accumulatedExpense += item.expense
|
|
||||||
return accumulatedExpense
|
|
||||||
})
|
|
||||||
|
|
||||||
const incomes = fullData.map((item) => {
|
|
||||||
accumulatedIncome += item.income
|
|
||||||
return accumulatedIncome
|
|
||||||
})
|
|
||||||
|
|
||||||
const balances = fullData.map((item) => {
|
|
||||||
accumulatedBalance += item.balance
|
|
||||||
return accumulatedBalance
|
|
||||||
})
|
|
||||||
|
|
||||||
const legendData = [
|
|
||||||
{ name: '支出', value: '¥' + formatMoney(expenses[expenses.length - 1]) },
|
|
||||||
{ name: '收入', value: '¥' + formatMoney(incomes[incomes.length - 1]) },
|
|
||||||
{ name: '存款', value: '¥' + formatMoney(balances[balances.length - 1]) }
|
|
||||||
]
|
|
||||||
|
|
||||||
const option = {
|
|
||||||
tooltip: {
|
|
||||||
trigger: 'axis',
|
|
||||||
formatter: function (params) {
|
|
||||||
let result = params[0].name + '<br/>'
|
|
||||||
params.forEach((param) => {
|
|
||||||
result += param.marker + param.seriesName + ': ' + formatMoney(param.value) + '<br/>'
|
|
||||||
})
|
|
||||||
return result
|
|
||||||
}
|
|
||||||
},
|
|
||||||
legend: {
|
|
||||||
data: legendData.map((item) => item.name),
|
|
||||||
bottom: 0,
|
|
||||||
textStyle: {
|
|
||||||
color: getCssVar('--chart-text-muted') // 适配深色模式
|
|
||||||
},
|
|
||||||
formatter: function (name) {
|
|
||||||
const item = legendData.find((d) => d.name === name)
|
|
||||||
return item ? `${name} ${item.value}` : name
|
|
||||||
}
|
|
||||||
},
|
|
||||||
grid: {
|
|
||||||
left: '3%',
|
|
||||||
right: '4%',
|
|
||||||
bottom: '15%',
|
|
||||||
top: '5%',
|
|
||||||
containLabel: true
|
|
||||||
},
|
|
||||||
xAxis: {
|
|
||||||
type: 'category',
|
|
||||||
boundaryGap: false,
|
|
||||||
data: dates,
|
|
||||||
axisLabel: {
|
|
||||||
color: getCssVar('--chart-text-muted') // 适配深色模式
|
|
||||||
}
|
|
||||||
},
|
|
||||||
yAxis: {
|
|
||||||
type: 'value',
|
|
||||||
splitNumber: 5,
|
|
||||||
axisLabel: {
|
|
||||||
color: getCssVar('--chart-text-muted'), // 适配深色模式
|
|
||||||
formatter: (value) => {
|
|
||||||
return value / 1000 + 'k'
|
|
||||||
}
|
|
||||||
},
|
|
||||||
splitLine: {
|
|
||||||
lineStyle: {
|
|
||||||
type: 'dashed',
|
|
||||||
color: getCssVar('--van-border-color') // 深色分割线
|
|
||||||
}
|
|
||||||
}
|
|
||||||
},
|
|
||||||
series: [
|
|
||||||
{
|
|
||||||
name: '支出',
|
|
||||||
type: 'line',
|
|
||||||
data: expenses,
|
|
||||||
itemStyle: { color: getCssVar('--chart-color-1') },
|
|
||||||
showSymbol: false,
|
|
||||||
smooth: true,
|
|
||||||
lineStyle: { width: 2 }
|
|
||||||
},
|
|
||||||
{
|
|
||||||
name: '收入',
|
|
||||||
type: 'line',
|
|
||||||
data: incomes,
|
|
||||||
itemStyle: { color: getCssVar('--chart-color-2') },
|
|
||||||
showSymbol: false,
|
|
||||||
smooth: true,
|
|
||||||
lineStyle: { width: 2 }
|
|
||||||
},
|
|
||||||
{
|
|
||||||
name: '存款',
|
|
||||||
type: 'line',
|
|
||||||
data: balances,
|
|
||||||
itemStyle: { color: getCssVar('--chart-color-13') },
|
|
||||||
showSymbol: false,
|
|
||||||
smooth: true,
|
|
||||||
lineStyle: { width: 2 }
|
|
||||||
}
|
|
||||||
]
|
|
||||||
}
|
|
||||||
|
|
||||||
chartInstance.setOption(option)
|
|
||||||
}
|
|
||||||
|
|
||||||
const renderPieChart = () => {
|
const renderPieChart = () => {
|
||||||
if (!pieChartRef.value) {
|
if (!pieChartRef.value) {
|
||||||
return
|
return
|
||||||
@@ -951,7 +759,9 @@ const renderPieChart = () => {
|
|||||||
},
|
},
|
||||||
tooltip: {
|
tooltip: {
|
||||||
trigger: 'item',
|
trigger: 'item',
|
||||||
formatter: '{b}: {c} ({d}%)'
|
formatter: (params) => {
|
||||||
|
return `${params.name}: ¥${formatMoney(params.value)} (${params.percent.toFixed(1)}%)`
|
||||||
|
}
|
||||||
},
|
},
|
||||||
series: [
|
series: [
|
||||||
{
|
{
|
||||||
@@ -991,12 +801,12 @@ const renderPieChart = () => {
|
|||||||
pieChartInstance.setOption(option)
|
pieChartInstance.setOption(option)
|
||||||
}
|
}
|
||||||
|
|
||||||
// 渲染余额变化图表
|
// 渲染余额变化图表(融合支出、收入、余额三条线)
|
||||||
const renderBalanceChart = () => {
|
const renderBalanceChart = () => {
|
||||||
if (!balanceChartRef.value) {
|
if (!balanceChartRef.value) {
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
if (balanceData.value.length === 0) {
|
if (balanceData.value.length === 0 && dailyData.value.length === 0) {
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -1023,28 +833,168 @@ const renderBalanceChart = () => {
|
|||||||
balanceChartInstance = echarts.init(balanceChartRef.value)
|
balanceChartInstance = echarts.init(balanceChartRef.value)
|
||||||
}
|
}
|
||||||
|
|
||||||
const dates = balanceData.value.map((item) => {
|
// 判断是年度统计还是月度统计
|
||||||
|
const isYearlyView = currentMonth.value === 0
|
||||||
|
let dates, expenses, incomes, balances
|
||||||
|
|
||||||
|
if (isYearlyView) {
|
||||||
|
// 按年统计:按月聚合数据
|
||||||
|
const monthlyMap = new Map()
|
||||||
|
const balanceMonthlyMap = new Map()
|
||||||
|
|
||||||
|
// 聚合 dailyData 按月
|
||||||
|
dailyData.value.forEach((item) => {
|
||||||
const date = new Date(item.date)
|
const date = new Date(item.date)
|
||||||
return `${date.getMonth() + 1}/${date.getDate()}`
|
const month = date.getMonth() + 1 // 1-12
|
||||||
|
if (!monthlyMap.has(month)) {
|
||||||
|
monthlyMap.set(month, { expense: 0, income: 0 })
|
||||||
|
}
|
||||||
|
const data = monthlyMap.get(month)
|
||||||
|
data.expense += item.expense
|
||||||
|
data.income += item.income
|
||||||
})
|
})
|
||||||
|
|
||||||
const balances = balanceData.value.map((item) => item.cumulativeBalance)
|
// 聚合 balanceData 按月(取每月最后一天的余额)
|
||||||
|
balanceData.value.forEach((item) => {
|
||||||
|
const date = new Date(item.date)
|
||||||
|
const month = date.getMonth() + 1
|
||||||
|
const day = date.getDate()
|
||||||
|
|
||||||
|
if (!balanceMonthlyMap.has(month) || day > balanceMonthlyMap.get(month).day) {
|
||||||
|
balanceMonthlyMap.set(month, { balance: item.cumulativeBalance, day })
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 构建12个月的完整数据
|
||||||
|
const now = new Date()
|
||||||
|
const currentMonthNum = now.getFullYear() === currentYear.value ? now.getMonth() + 1 : 12
|
||||||
|
|
||||||
|
dates = []
|
||||||
|
const monthlyExpenses = []
|
||||||
|
const monthlyIncomes = []
|
||||||
|
const monthlyBalances = []
|
||||||
|
|
||||||
|
let accumulatedExpense = 0
|
||||||
|
let accumulatedIncome = 0
|
||||||
|
|
||||||
|
for (let m = 1; m <= currentMonthNum; m++) {
|
||||||
|
dates.push(`${m}月`)
|
||||||
|
|
||||||
|
const data = monthlyMap.get(m) || { expense: 0, income: 0 }
|
||||||
|
accumulatedExpense += data.expense
|
||||||
|
accumulatedIncome += data.income
|
||||||
|
|
||||||
|
monthlyExpenses.push(accumulatedExpense)
|
||||||
|
monthlyIncomes.push(accumulatedIncome)
|
||||||
|
|
||||||
|
const balanceData = balanceMonthlyMap.get(m)
|
||||||
|
monthlyBalances.push(balanceData ? balanceData.balance : 0)
|
||||||
|
}
|
||||||
|
|
||||||
|
expenses = monthlyExpenses
|
||||||
|
incomes = monthlyIncomes
|
||||||
|
balances = monthlyBalances
|
||||||
|
|
||||||
|
} else {
|
||||||
|
// 按月统计:按日显示
|
||||||
|
const now = new Date()
|
||||||
|
let daysInMonth
|
||||||
|
|
||||||
|
if (currentYear.value === now.getFullYear() && currentMonth.value === now.getMonth() + 1) {
|
||||||
|
daysInMonth = now.getDate()
|
||||||
|
} else {
|
||||||
|
daysInMonth = new Date(currentYear.value, currentMonth.value, 0).getDate()
|
||||||
|
}
|
||||||
|
|
||||||
|
const fullData = []
|
||||||
|
const dataMap = new Map()
|
||||||
|
dailyData.value.forEach((item) => {
|
||||||
|
const day = new Date(item.date).getDate()
|
||||||
|
dataMap.set(day, item)
|
||||||
|
})
|
||||||
|
|
||||||
|
// 创建余额映射
|
||||||
|
const balanceMap = new Map()
|
||||||
|
if (balanceData.value && balanceData.value.length > 0) {
|
||||||
|
balanceData.value.forEach((item) => {
|
||||||
|
const day = new Date(item.date).getDate()
|
||||||
|
balanceMap.set(day, item.cumulativeBalance)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
for (let i = 1; i <= daysInMonth; i++) {
|
||||||
|
const item = dataMap.get(i)
|
||||||
|
if (item) {
|
||||||
|
fullData.push(item)
|
||||||
|
} else {
|
||||||
|
fullData.push({
|
||||||
|
date: `${currentYear.value}-${String(currentMonth.value).padStart(2, '0')}-${String(i).padStart(2, '0')}`,
|
||||||
|
count: 0,
|
||||||
|
expense: 0,
|
||||||
|
income: 0,
|
||||||
|
balance: 0
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
dates = fullData.map((item) => {
|
||||||
|
const date = new Date(item.date)
|
||||||
|
return `${date.getDate()}日`
|
||||||
|
})
|
||||||
|
|
||||||
|
// 计算累计支出和收入
|
||||||
|
let accumulatedExpense = 0
|
||||||
|
let accumulatedIncome = 0
|
||||||
|
|
||||||
|
expenses = fullData.map((item) => {
|
||||||
|
accumulatedExpense += item.expense
|
||||||
|
return accumulatedExpense
|
||||||
|
})
|
||||||
|
|
||||||
|
incomes = fullData.map((item) => {
|
||||||
|
accumulatedIncome += item.income
|
||||||
|
return accumulatedIncome
|
||||||
|
})
|
||||||
|
|
||||||
|
// 使用余额接口数据
|
||||||
|
balances = fullData.map((item, index) => {
|
||||||
|
const day = index + 1
|
||||||
|
return balanceMap.get(day) || 0
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const legendData = [
|
||||||
|
{ name: '支出', value: '¥' + formatMoney(expenses[expenses.length - 1]) },
|
||||||
|
{ name: '收入', value: '¥' + formatMoney(incomes[incomes.length - 1]) },
|
||||||
|
{ name: '余额', value: '¥' + formatMoney(balances[balances.length - 1]) }
|
||||||
|
]
|
||||||
|
|
||||||
const option = {
|
const option = {
|
||||||
tooltip: {
|
tooltip: {
|
||||||
trigger: 'axis',
|
trigger: 'axis',
|
||||||
formatter: function (params) {
|
formatter: function (params) {
|
||||||
if (params.length === 0) {
|
let result = params[0].name + '<br/>'
|
||||||
return ''
|
params.forEach((param) => {
|
||||||
|
result += param.marker + param.seriesName + ': ¥' + formatMoney(param.value) + '<br/>'
|
||||||
|
})
|
||||||
|
return result
|
||||||
}
|
}
|
||||||
const param = params[0]
|
},
|
||||||
return `${param.name}<br/>余额: ¥${formatMoney(param.value)}`
|
legend: {
|
||||||
|
data: legendData.map((item) => item.name),
|
||||||
|
bottom: 0,
|
||||||
|
textStyle: {
|
||||||
|
color: getCssVar('--chart-text-muted')
|
||||||
|
},
|
||||||
|
formatter: function (name) {
|
||||||
|
const item = legendData.find((d) => d.name === name)
|
||||||
|
return item ? `${name} ${item.value}` : name
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
grid: {
|
grid: {
|
||||||
left: '3%',
|
left: '3%',
|
||||||
right: '4%',
|
right: '4%',
|
||||||
bottom: '5%',
|
bottom: '15%',
|
||||||
top: '5%',
|
top: '5%',
|
||||||
containLabel: true
|
containLabel: true
|
||||||
},
|
},
|
||||||
@@ -1075,35 +1025,37 @@ const renderBalanceChart = () => {
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
series: [
|
series: [
|
||||||
|
{
|
||||||
|
name: '支出',
|
||||||
|
type: 'line',
|
||||||
|
data: expenses,
|
||||||
|
itemStyle: { color: '#ff6b6b' },
|
||||||
|
showSymbol: false,
|
||||||
|
smooth: true,
|
||||||
|
lineStyle: { width: 2 }
|
||||||
|
},
|
||||||
|
{
|
||||||
|
name: '收入',
|
||||||
|
type: 'line',
|
||||||
|
data: incomes,
|
||||||
|
itemStyle: { color: '#51cf66' },
|
||||||
|
showSymbol: false,
|
||||||
|
smooth: true,
|
||||||
|
lineStyle: { width: 2 }
|
||||||
|
},
|
||||||
{
|
{
|
||||||
name: '余额',
|
name: '余额',
|
||||||
type: 'line',
|
type: 'line',
|
||||||
data: balances,
|
data: balances,
|
||||||
itemStyle: { color: getCssVar('--chart-color-13') },
|
itemStyle: { color: '#4c9cf1' },
|
||||||
showSymbol: false,
|
showSymbol: false,
|
||||||
smooth: true,
|
smooth: true,
|
||||||
lineStyle: { width: 2 },
|
lineStyle: { width: 2 }
|
||||||
areaStyle: {
|
|
||||||
color: new echarts.graphic.LinearGradient(0, 0, 0, 1, [
|
|
||||||
{
|
|
||||||
offset: 0,
|
|
||||||
color: getCssVar('--chart-color-13')
|
|
||||||
},
|
|
||||||
{
|
|
||||||
offset: 1,
|
|
||||||
color: getCssVar('--chart-color-13')
|
|
||||||
}
|
|
||||||
])
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
]
|
]
|
||||||
}
|
}
|
||||||
|
|
||||||
balanceChartInstance.setOption(option)
|
balanceChartInstance.setOption(option)
|
||||||
// 设置图表透明度
|
|
||||||
if (balanceChartRef.value) {
|
|
||||||
balanceChartRef.value.style.opacity = '0.85'
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// 跳转到智能分析页面
|
// 跳转到智能分析页面
|
||||||
@@ -1143,7 +1095,7 @@ const loadCategoryBills = async (customIndex = null, customSize = null) => {
|
|||||||
pageSize: customSize || billPageSize,
|
pageSize: customSize || billPageSize,
|
||||||
type: selectedType.value,
|
type: selectedType.value,
|
||||||
year: currentYear.value,
|
year: currentYear.value,
|
||||||
month: currentMonth.value,
|
month: currentMonth.value || 0,
|
||||||
sortByAmount: true
|
sortByAmount: true
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -1289,24 +1241,11 @@ onMounted(() => {
|
|||||||
})
|
})
|
||||||
|
|
||||||
const handleResize = () => {
|
const handleResize = () => {
|
||||||
chartInstance && chartInstance.resize()
|
|
||||||
pieChartInstance && pieChartInstance.resize()
|
pieChartInstance && pieChartInstance.resize()
|
||||||
balanceChartInstance && balanceChartInstance.resize()
|
balanceChartInstance && balanceChartInstance.resize()
|
||||||
}
|
}
|
||||||
|
|
||||||
// 监听DOM引用变化,确保在月份切换DOM重建后重新渲染图表
|
// 监听DOM引用变化,确保在月份切换DOM重建后重新渲染图表
|
||||||
watch(chartRef, (newVal) => {
|
|
||||||
// 无论有没有数据,只要DOM变了,就尝试渲染
|
|
||||||
// 如果没有数据,renderChart 内部也应该处理(或者我们可以传空数据)
|
|
||||||
if (newVal) {
|
|
||||||
setTimeout(() => {
|
|
||||||
// 传入当前 dailyData,即使是空的,renderChart 应该能处理
|
|
||||||
renderChart(dailyData.value || [])
|
|
||||||
chartInstance && chartInstance.resize()
|
|
||||||
}, 50)
|
|
||||||
}
|
|
||||||
})
|
|
||||||
|
|
||||||
watch(pieChartRef, (newVal) => {
|
watch(pieChartRef, (newVal) => {
|
||||||
if (newVal) {
|
if (newVal) {
|
||||||
setTimeout(() => {
|
setTimeout(() => {
|
||||||
@@ -1343,7 +1282,6 @@ onBeforeUnmount(() => {
|
|||||||
window.removeEventListener &&
|
window.removeEventListener &&
|
||||||
window.removeEventListener('transaction-deleted', onGlobalTransactionDeleted)
|
window.removeEventListener('transaction-deleted', onGlobalTransactionDeleted)
|
||||||
window.removeEventListener('resize', handleResize)
|
window.removeEventListener('resize', handleResize)
|
||||||
chartInstance && chartInstance.dispose()
|
|
||||||
pieChartInstance && pieChartInstance.dispose()
|
pieChartInstance && pieChartInstance.dispose()
|
||||||
balanceChartInstance && balanceChartInstance.dispose()
|
balanceChartInstance && balanceChartInstance.dispose()
|
||||||
})
|
})
|
||||||
@@ -1359,6 +1297,20 @@ onBeforeUnmount(() => {
|
|||||||
window.removeEventListener &&
|
window.removeEventListener &&
|
||||||
window.removeEventListener('transactions-changed', onGlobalTransactionsChanged)
|
window.removeEventListener('transactions-changed', onGlobalTransactionsChanged)
|
||||||
})
|
})
|
||||||
|
|
||||||
|
// 监听日期选择模式变化,更新selectedDate数组
|
||||||
|
watch(dateSelectionMode, (newMode) => {
|
||||||
|
if (newMode === 'year') {
|
||||||
|
// 切换到年份模式:只保留年份
|
||||||
|
selectedDate.value = [currentYear.value.toString()]
|
||||||
|
} else {
|
||||||
|
// 切换到月份模式:添加当前月份
|
||||||
|
selectedDate.value = [
|
||||||
|
currentYear.value.toString(),
|
||||||
|
(currentMonth.value || new Date().getMonth() + 1).toString().padStart(2, '0')
|
||||||
|
]
|
||||||
|
}
|
||||||
|
})
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<style scoped>
|
<style scoped>
|
||||||
@@ -1693,4 +1645,25 @@ onBeforeUnmount(() => {
|
|||||||
font-size: 13px;
|
font-size: 13px;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/* 日期选择器头部 */
|
||||||
|
.date-picker-header {
|
||||||
|
padding: 12px 16px 0;
|
||||||
|
background: var(--van-background-2);
|
||||||
|
border-bottom: 1px solid var(--van-border-color);
|
||||||
|
}
|
||||||
|
|
||||||
|
.date-picker-header :deep(.van-tabs) {
|
||||||
|
background: transparent;
|
||||||
|
}
|
||||||
|
|
||||||
|
.date-picker-header :deep(.van-tabs__nav) {
|
||||||
|
background: transparent;
|
||||||
|
padding-bottom: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.date-picker-header :deep(.van-tab) {
|
||||||
|
font-size: 15px;
|
||||||
|
font-weight: 500;
|
||||||
|
}
|
||||||
|
|
||||||
</style>
|
</style>
|
||||||
|
|||||||
@@ -12,7 +12,10 @@
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 下拉刷新区域 -->
|
<!-- 下拉刷新区域 -->
|
||||||
<van-pull-refresh v-model="refreshing" @refresh="onRefresh">
|
<van-pull-refresh
|
||||||
|
v-model="refreshing"
|
||||||
|
@refresh="onRefresh"
|
||||||
|
>
|
||||||
<!-- 加载提示 -->
|
<!-- 加载提示 -->
|
||||||
<van-loading
|
<van-loading
|
||||||
v-if="loading && !(transactionList && transactionList.length)"
|
v-if="loading && !(transactionList && transactionList.length)"
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="page-container-flex unconfirmed-classification">
|
<div class="page-container-flex unconfirmed-classification">
|
||||||
<van-nav-bar
|
<van-nav-bar
|
||||||
title="待确认分类"
|
title="待确认分类"
|
||||||
@@ -29,17 +29,63 @@
|
|||||||
</van-loading>
|
</van-loading>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<TransactionList
|
<div
|
||||||
|
v-else-if="treeData.length === 0 && !loading"
|
||||||
|
class="empty-container"
|
||||||
|
>
|
||||||
|
<van-empty description="暂无待确认分类" />
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<van-collapse
|
||||||
v-else
|
v-else
|
||||||
:transactions="displayTransactions"
|
v-model="activeNames"
|
||||||
:loading="loading"
|
:border="false"
|
||||||
:finished="true"
|
>
|
||||||
show-checkbox
|
<van-collapse-item
|
||||||
|
v-for="typeNode in treeData"
|
||||||
|
:key="typeNode.id"
|
||||||
|
:name="typeNode.id"
|
||||||
|
class="type-node"
|
||||||
|
>
|
||||||
|
<template #title>
|
||||||
|
<div class="node-title">
|
||||||
|
<span class="node-count">{{ typeNode.count }}条</span>
|
||||||
|
<span class="node-name">{{ typeNode.text }}</span>
|
||||||
|
<span class="node-amount">{{ formatAmount(typeNode.amount) }}</span>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<van-collapse
|
||||||
|
v-model="activeClassifyNames"
|
||||||
|
:border="false"
|
||||||
|
class="classify-collapse"
|
||||||
|
>
|
||||||
|
<van-collapse-item
|
||||||
|
v-for="classifyNode in typeNode.children"
|
||||||
|
:key="classifyNode.id"
|
||||||
|
:name="classifyNode.id"
|
||||||
|
class="classify-node"
|
||||||
|
>
|
||||||
|
<template #title>
|
||||||
|
<div class="node-title">
|
||||||
|
<span class="node-count">{{ classifyNode.count }}条</span>
|
||||||
|
<span class="node-name">{{ classifyNode.text }}</span>
|
||||||
|
<span class="node-amount">{{ formatAmount(classifyNode.amount) }}</span>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<TransactionList
|
||||||
|
:transactions="classifyNode.children.map(c => c.transaction)"
|
||||||
|
:show-delete="false"
|
||||||
|
:show-checkbox="true"
|
||||||
:selected-ids="selectedIds"
|
:selected-ids="selectedIds"
|
||||||
@click="handleTransactionClick"
|
@click="handleTransactionClick"
|
||||||
@delete="handleTransactionDeleted"
|
@update:selected-ids="handleUpdateSelectedIds"
|
||||||
@update:selected-ids="updateSelectedIds"
|
|
||||||
/>
|
/>
|
||||||
|
</van-collapse-item>
|
||||||
|
</van-collapse>
|
||||||
|
</van-collapse-item>
|
||||||
|
</van-collapse>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<!-- 交易详情弹窗 -->
|
<!-- 交易详情弹窗 -->
|
||||||
@@ -56,8 +102,8 @@ import { ref, onMounted, computed } from 'vue'
|
|||||||
import { useRouter } from 'vue-router'
|
import { useRouter } from 'vue-router'
|
||||||
import { showToast, showConfirmDialog } from 'vant'
|
import { showToast, showConfirmDialog } from 'vant'
|
||||||
import { getUnconfirmedTransactionList, confirmAllUnconfirmed } from '@/api/transactionRecord'
|
import { getUnconfirmedTransactionList, confirmAllUnconfirmed } from '@/api/transactionRecord'
|
||||||
import TransactionList from '@/components/TransactionList.vue'
|
|
||||||
import TransactionDetail from '@/components/TransactionDetail.vue'
|
import TransactionDetail from '@/components/TransactionDetail.vue'
|
||||||
|
import TransactionList from '@/components/TransactionList.vue'
|
||||||
|
|
||||||
const router = useRouter()
|
const router = useRouter()
|
||||||
const loading = ref(false)
|
const loading = ref(false)
|
||||||
@@ -66,6 +112,14 @@ const transactions = ref([])
|
|||||||
const showDetail = ref(false)
|
const showDetail = ref(false)
|
||||||
const currentTransaction = ref(null)
|
const currentTransaction = ref(null)
|
||||||
const selectedIds = ref(new Set())
|
const selectedIds = ref(new Set())
|
||||||
|
const activeNames = ref([])
|
||||||
|
const activeClassifyNames = ref([])
|
||||||
|
|
||||||
|
const TYPE_NAMES = {
|
||||||
|
0: '支出',
|
||||||
|
1: '收入',
|
||||||
|
2: '不记收支'
|
||||||
|
}
|
||||||
|
|
||||||
const onClickLeft = () => {
|
const onClickLeft = () => {
|
||||||
if (window.history.length > 1) {
|
if (window.history.length > 1) {
|
||||||
@@ -79,7 +133,7 @@ const handleConfirmSelected = async () => {
|
|||||||
try {
|
try {
|
||||||
await showConfirmDialog({
|
await showConfirmDialog({
|
||||||
title: '提示',
|
title: '提示',
|
||||||
message: `确定要将这 ${transactions.value.length} 条记录的所有建议分类转为正式分类吗?`
|
message: `确定要将这 ${selectedIds.value.size} 条记录的所有建议分类转为正式分类吗?`
|
||||||
})
|
})
|
||||||
|
|
||||||
confirming.value = true
|
confirming.value = true
|
||||||
@@ -99,13 +153,76 @@ const handleConfirmSelected = async () => {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// 转换数据格式以适配 TransactionList 组件
|
const formatAmount = (amount) => {
|
||||||
const displayTransactions = computed(() => {
|
if (amount === null || amount === undefined) {return ''}
|
||||||
return transactions.value.map((t) => ({
|
const num = parseFloat(amount)
|
||||||
...t,
|
if (isNaN(num)) {return ''}
|
||||||
upsetedClassify: t.unconfirmedClassify,
|
return num.toFixed(2)
|
||||||
upsetedType: t.unconfirmedType
|
}
|
||||||
}))
|
|
||||||
|
const buildTreeData = (data) => {
|
||||||
|
const typeMap = {}
|
||||||
|
|
||||||
|
data.forEach((item) => {
|
||||||
|
const type = item.unconfirmedType ?? item.type
|
||||||
|
const classify = item.unconfirmedClassify ?? item.classify
|
||||||
|
const typeName = TYPE_NAMES[type] || '未分类'
|
||||||
|
const classifyName = classify || '未分类'
|
||||||
|
|
||||||
|
if (!typeMap[typeName]) {
|
||||||
|
typeMap[typeName] = {
|
||||||
|
id: `type-${type}`,
|
||||||
|
text: typeName,
|
||||||
|
type: 'type',
|
||||||
|
typeId: type,
|
||||||
|
children: [],
|
||||||
|
count: 0,
|
||||||
|
amount: 0
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
let classifyNode = typeMap[typeName].children.find((c) => c.text === classifyName)
|
||||||
|
if (!classifyNode) {
|
||||||
|
classifyNode = {
|
||||||
|
id: `classify-${type}-${classifyName}`,
|
||||||
|
text: classifyName,
|
||||||
|
type: 'classify',
|
||||||
|
typeId: type,
|
||||||
|
classify: classifyName,
|
||||||
|
children: [],
|
||||||
|
count: 0,
|
||||||
|
amount: 0
|
||||||
|
}
|
||||||
|
typeMap[typeName].children.push(classifyNode)
|
||||||
|
}
|
||||||
|
|
||||||
|
classifyNode.children.push({
|
||||||
|
id: item.id,
|
||||||
|
text: item.reason || item.occurredAt,
|
||||||
|
type: 'transaction',
|
||||||
|
transaction: item
|
||||||
|
})
|
||||||
|
|
||||||
|
classifyNode.count += 1
|
||||||
|
classifyNode.amount += parseFloat(item.amount) || 0
|
||||||
|
typeMap[typeName].count += 1
|
||||||
|
typeMap[typeName].amount += parseFloat(item.amount) || 0
|
||||||
|
})
|
||||||
|
|
||||||
|
return Object.values(typeMap).map((typeNode) => {
|
||||||
|
typeNode.children.forEach((classifyNode) => {
|
||||||
|
classifyNode.children.sort((a, b) => {
|
||||||
|
const dateA = new Date(a.transaction.occurredAt)
|
||||||
|
const dateB = new Date(b.transaction.occurredAt)
|
||||||
|
return dateB - dateA
|
||||||
|
})
|
||||||
|
})
|
||||||
|
return typeNode
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const treeData = computed(() => {
|
||||||
|
return buildTreeData(transactions.value)
|
||||||
})
|
})
|
||||||
|
|
||||||
const loadData = async () => {
|
const loadData = async () => {
|
||||||
@@ -113,12 +230,9 @@ const loadData = async () => {
|
|||||||
try {
|
try {
|
||||||
const response = await getUnconfirmedTransactionList()
|
const response = await getUnconfirmedTransactionList()
|
||||||
if (response && response.success) {
|
if (response && response.success) {
|
||||||
transactions.value = (response.data || []).map((t) => ({
|
transactions.value = response.data || []
|
||||||
...t,
|
|
||||||
upsetedClassify: t.unconfirmedClassify,
|
|
||||||
upsetedType: t.unconfirmedType
|
|
||||||
}))
|
|
||||||
selectedIds.value = new Set(response.data.map((t) => t.id))
|
selectedIds.value = new Set(response.data.map((t) => t.id))
|
||||||
|
activeNames.value = treeData.value.map((node) => node.id)
|
||||||
}
|
}
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error('获取待确认列表失败:', error)
|
console.error('获取待确认列表失败:', error)
|
||||||
@@ -132,12 +246,8 @@ const handleTransactionClick = (transaction) => {
|
|||||||
showDetail.value = true
|
showDetail.value = true
|
||||||
}
|
}
|
||||||
|
|
||||||
const handleTransactionDeleted = (id) => {
|
const handleUpdateSelectedIds = (newSelectedIds) => {
|
||||||
transactions.value = transactions.value.filter((t) => t.id !== id)
|
selectedIds.value = newSelectedIds
|
||||||
}
|
|
||||||
|
|
||||||
const updateSelectedIds = (ids) => {
|
|
||||||
selectedIds.value = new Set(ids)
|
|
||||||
}
|
}
|
||||||
|
|
||||||
const handleDetailSave = () => {
|
const handleDetailSave = () => {
|
||||||
@@ -159,17 +269,66 @@ onMounted(() => {
|
|||||||
.scroll-content {
|
.scroll-content {
|
||||||
flex: 1;
|
flex: 1;
|
||||||
overflow-y: auto;
|
overflow-y: auto;
|
||||||
|
padding: 12px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.loading-container {
|
.loading-container,
|
||||||
|
.empty-container {
|
||||||
display: flex;
|
display: flex;
|
||||||
justify-content: center;
|
justify-content: center;
|
||||||
align-items: center;
|
align-items: center;
|
||||||
height: 200px;
|
height: 200px;
|
||||||
}
|
}
|
||||||
|
|
||||||
/* 设置页面容器背景色 */
|
.node-title {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 8px;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.node-name {
|
||||||
|
flex: 1;
|
||||||
|
font-weight: 500;
|
||||||
|
}
|
||||||
|
|
||||||
|
.node-count {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #fff;
|
||||||
|
background: var(--van-primary-color);
|
||||||
|
padding: 2px 6px;
|
||||||
|
border-radius: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.node-amount {
|
||||||
|
font-size: 14px;
|
||||||
|
font-weight: 600;
|
||||||
|
color: var(--van-orange);
|
||||||
|
}
|
||||||
|
|
||||||
|
.type-node :deep(.van-collapse-item__title) {
|
||||||
|
font-size: 16px;
|
||||||
|
font-weight: 600;
|
||||||
|
}
|
||||||
|
|
||||||
|
.classify-node :deep(.van-collapse-item__title) {
|
||||||
|
font-size: 14px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.classify-collapse {
|
||||||
|
padding-left: 8px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.classify-collapse :deep(.van-cell-group--inset) {
|
||||||
|
margin-left: -24px;
|
||||||
|
width: calc(100vw - 48px)
|
||||||
|
}
|
||||||
|
|
||||||
:deep(.van-nav-bar) {
|
:deep(.van-nav-bar) {
|
||||||
background: transparent !important;
|
background: transparent !important;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
:deep(.van-cell) {
|
||||||
|
padding: 8px 12px;
|
||||||
|
}
|
||||||
</style>
|
</style>
|
||||||
|
|||||||
@@ -1,10 +1,12 @@
|
|||||||
namespace WebApi.Test.Budget;
|
using Service.Transaction;
|
||||||
|
|
||||||
|
namespace WebApi.Test.Budget;
|
||||||
|
|
||||||
public class BudgetSavingsTest : BaseTest
|
public class BudgetSavingsTest : BaseTest
|
||||||
{
|
{
|
||||||
private readonly IBudgetRepository _budgetRepository = Substitute.For<IBudgetRepository>();
|
private readonly IBudgetRepository _budgetRepository = Substitute.For<IBudgetRepository>();
|
||||||
private readonly IBudgetArchiveRepository _budgetArchiveRepository = Substitute.For<IBudgetArchiveRepository>();
|
private readonly IBudgetArchiveRepository _budgetArchiveRepository = Substitute.For<IBudgetArchiveRepository>();
|
||||||
private readonly ITransactionRecordRepository _transactionsRepository = Substitute.For<ITransactionRecordRepository>();
|
private readonly ITransactionStatisticsService _transactionStatisticsService = Substitute.For<ITransactionStatisticsService>();
|
||||||
private readonly IConfigService _configService = Substitute.For<IConfigService>();
|
private readonly IConfigService _configService = Substitute.For<IConfigService>();
|
||||||
private readonly IDateTimeProvider _dateTimeProvider = Substitute.For<IDateTimeProvider>();
|
private readonly IDateTimeProvider _dateTimeProvider = Substitute.For<IDateTimeProvider>();
|
||||||
private readonly BudgetSavingsService _service;
|
private readonly BudgetSavingsService _service;
|
||||||
@@ -15,7 +17,7 @@ public class BudgetSavingsTest : BaseTest
|
|||||||
_service = new BudgetSavingsService(
|
_service = new BudgetSavingsService(
|
||||||
_budgetRepository,
|
_budgetRepository,
|
||||||
_budgetArchiveRepository,
|
_budgetArchiveRepository,
|
||||||
_transactionsRepository,
|
_transactionStatisticsService,
|
||||||
_configService,
|
_configService,
|
||||||
_dateTimeProvider
|
_dateTimeProvider
|
||||||
);
|
);
|
||||||
@@ -47,7 +49,7 @@ public class BudgetSavingsTest : BaseTest
|
|||||||
};
|
};
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
_transactionsRepository.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
_transactionStatisticsService.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
.Returns(transactions);
|
.Returns(transactions);
|
||||||
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
||||||
|
|
||||||
@@ -97,7 +99,7 @@ public class BudgetSavingsTest : BaseTest
|
|||||||
};
|
};
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
_transactionsRepository.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
_transactionStatisticsService.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
.Returns(transactions);
|
.Returns(transactions);
|
||||||
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
||||||
|
|
||||||
@@ -141,7 +143,7 @@ public class BudgetSavingsTest : BaseTest
|
|||||||
var transactions = new Dictionary<(string, TransactionType), decimal>();
|
var transactions = new Dictionary<(string, TransactionType), decimal>();
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
_transactionsRepository.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
_transactionStatisticsService.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
.Returns(transactions);
|
.Returns(transactions);
|
||||||
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
||||||
|
|
||||||
@@ -183,7 +185,7 @@ public class BudgetSavingsTest : BaseTest
|
|||||||
};
|
};
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
_transactionsRepository.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
_transactionStatisticsService.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
.Returns(transactions);
|
.Returns(transactions);
|
||||||
_budgetArchiveRepository.GetArchivesByYearAsync(year).Returns(new List<BudgetArchive>());
|
_budgetArchiveRepository.GetArchivesByYearAsync(year).Returns(new List<BudgetArchive>());
|
||||||
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
||||||
@@ -280,7 +282,7 @@ public class BudgetSavingsTest : BaseTest
|
|||||||
};
|
};
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
_transactionsRepository.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
_transactionStatisticsService.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
.Returns(currentTransactions);
|
.Returns(currentTransactions);
|
||||||
_budgetArchiveRepository.GetArchivesByYearAsync(year).Returns(archives);
|
_budgetArchiveRepository.GetArchivesByYearAsync(year).Returns(archives);
|
||||||
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
||||||
@@ -376,7 +378,7 @@ public class BudgetSavingsTest : BaseTest
|
|||||||
};
|
};
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
_transactionsRepository.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
_transactionStatisticsService.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
.Returns(currentTransactions);
|
.Returns(currentTransactions);
|
||||||
_budgetArchiveRepository.GetArchivesByYearAsync(year).Returns(archives);
|
_budgetArchiveRepository.GetArchivesByYearAsync(year).Returns(archives);
|
||||||
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
||||||
@@ -477,7 +479,7 @@ public class BudgetSavingsTest : BaseTest
|
|||||||
};
|
};
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
_transactionsRepository.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
_transactionStatisticsService.GetAmountGroupByClassifyAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
.Returns(currentTransactions);
|
.Returns(currentTransactions);
|
||||||
_budgetArchiveRepository.GetArchivesByYearAsync(year).Returns(archives);
|
_budgetArchiveRepository.GetArchivesByYearAsync(year).Returns(archives);
|
||||||
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
_configService.GetConfigByKeyAsync<string>("SavingsCategories").Returns(Task.FromResult<string?>("存款"));
|
||||||
|
|||||||
393
WebApi.Test/Budget/BudgetStatsArchiveTest.cs
Normal file
393
WebApi.Test/Budget/BudgetStatsArchiveTest.cs
Normal file
@@ -0,0 +1,393 @@
|
|||||||
|
using Microsoft.Extensions.Logging;
|
||||||
|
using NSubstitute.ReturnsExtensions;
|
||||||
|
using Service.Transaction;
|
||||||
|
|
||||||
|
namespace WebApi.Test.Budget;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 预算统计 - 归档数据重复计算测试
|
||||||
|
/// </summary>
|
||||||
|
public class BudgetStatsArchiveTest : BaseTest
|
||||||
|
{
|
||||||
|
private readonly IBudgetRepository _budgetRepo = Substitute.For<IBudgetRepository>();
|
||||||
|
private readonly IBudgetArchiveRepository _archiveRepo = Substitute.For<IBudgetArchiveRepository>();
|
||||||
|
private readonly ITransactionStatisticsService _transactionStatsService = Substitute.For<ITransactionStatisticsService>();
|
||||||
|
private readonly IDateTimeProvider _dateTimeProvider = Substitute.For<IDateTimeProvider>();
|
||||||
|
|
||||||
|
private IBudgetStatsService CreateService()
|
||||||
|
{
|
||||||
|
return new BudgetStatsService(
|
||||||
|
_budgetRepo,
|
||||||
|
_archiveRepo,
|
||||||
|
_transactionStatsService,
|
||||||
|
_dateTimeProvider,
|
||||||
|
Substitute.For<ILogger<BudgetStatsService>>()
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 测试场景:当前为2月,用户切换到1月(已归档)查看预算
|
||||||
|
/// 预期:年度统计不应重复计算1月的数据
|
||||||
|
/// </summary>
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_切换到已归档月份_年度统计不重复计算_Test()
|
||||||
|
{
|
||||||
|
// Arrange - 模拟当前时间为2026年2月1日
|
||||||
|
var now = new DateTime(2026, 2, 1);
|
||||||
|
_dateTimeProvider.Now.Returns(now);
|
||||||
|
|
||||||
|
// 用户在前端选择查看1月的预算(referenceDate = 2026-01-01)
|
||||||
|
var referenceDate = new DateTime(2026, 1, 1);
|
||||||
|
|
||||||
|
// 创建一个月度预算:房贷
|
||||||
|
var monthlyBudget = new BudgetRecord
|
||||||
|
{
|
||||||
|
Id = 100,
|
||||||
|
Name = "房贷",
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
Limit = 9000, // 每月9000元
|
||||||
|
StartDate = new DateTime(2026, 1, 1),
|
||||||
|
SelectedCategories = "房贷",
|
||||||
|
IsMandatoryExpense = false,
|
||||||
|
NoLimit = false
|
||||||
|
};
|
||||||
|
|
||||||
|
// 当前预算列表
|
||||||
|
_budgetRepo.GetAllAsync().Returns([monthlyBudget]);
|
||||||
|
|
||||||
|
// 1月的归档数据(实际支出9158.7)
|
||||||
|
var januaryArchive = new BudgetArchive
|
||||||
|
{
|
||||||
|
Year = 2026,
|
||||||
|
Month = 1,
|
||||||
|
Content = new[]
|
||||||
|
{
|
||||||
|
new BudgetArchiveContent
|
||||||
|
{
|
||||||
|
Id = 100,
|
||||||
|
Name = "房贷",
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
Limit = 9000,
|
||||||
|
Actual = 9158.7m, // 1月实际支出
|
||||||
|
SelectedCategories = ["房贷"],
|
||||||
|
IsMandatoryExpense = false,
|
||||||
|
NoLimit = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
||||||
|
_archiveRepo.GetArchiveAsync(2026, 1).Returns(januaryArchive);
|
||||||
|
_archiveRepo.GetArchiveAsync(2026, 2).ReturnsNull();
|
||||||
|
|
||||||
|
// 模拟2月的实际交易数据(假设2月到现在实际支出了3000)
|
||||||
|
var feb1 = new DateTime(2026, 2, 1);
|
||||||
|
var feb28 = new DateTime(2026, 2, 28);
|
||||||
|
_budgetRepo.GetCurrentAmountAsync(
|
||||||
|
Arg.Is<BudgetRecord>(b => b.Id == 100),
|
||||||
|
Arg.Is<DateTime>(d => d >= feb1 && d <= feb28),
|
||||||
|
Arg.Any<DateTime>()
|
||||||
|
).Returns(3000m);
|
||||||
|
|
||||||
|
// 模拟交易统计数据(用于趋势图)
|
||||||
|
_transactionStatsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Any<List<string>>(),
|
||||||
|
true
|
||||||
|
).Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2026, 1, 1), 9158.7m }, // 1月
|
||||||
|
{ new DateTime(2026, 2, 1), 3000m } // 2月
|
||||||
|
});
|
||||||
|
|
||||||
|
// 模拟月度统计的交易数据
|
||||||
|
_transactionStatsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Any<List<string>>()
|
||||||
|
).Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2026, 1, 1), 9158.7m }
|
||||||
|
});
|
||||||
|
|
||||||
|
var service = CreateService();
|
||||||
|
|
||||||
|
// Act - 调用获取分类统计(用户选择查看1月)
|
||||||
|
var result = await service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Assert - 验证年度统计
|
||||||
|
result.Should().NotBeNull();
|
||||||
|
result.Year.Should().NotBeNull();
|
||||||
|
|
||||||
|
// 年度预算限额 = 1月归档(9000) + 2月当前(9000) + 未来10个月(9000 * 10) = 108000
|
||||||
|
result.Year.Limit.Should().Be(108000);
|
||||||
|
|
||||||
|
// 年度实际支出 = 1月归档(9158.7) + 2月当前(3000) = 12158.7
|
||||||
|
// 关键:不应该包含两次1月的数据!
|
||||||
|
result.Year.Current.Should().Be(12158.7m);
|
||||||
|
|
||||||
|
// 使用率 = 12158.7 / 108000 * 100 = 11.26%
|
||||||
|
result.Year.Rate.Should().BeApproximately(11.26m, 0.01m);
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 测试场景:当前为2月,用户切换到1月(已归档)查看预算,包含年度预算
|
||||||
|
/// 预期:年度预算只计算一次
|
||||||
|
/// </summary>
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_年度预算_切换到已归档月份_不重复计算_Test()
|
||||||
|
{
|
||||||
|
// Arrange - 模拟当前时间为2026年2月1日
|
||||||
|
var now = new DateTime(2026, 2, 1);
|
||||||
|
_dateTimeProvider.Now.Returns(now);
|
||||||
|
|
||||||
|
var referenceDate = new DateTime(2026, 1, 1);
|
||||||
|
|
||||||
|
// 创建年度预算和月度预算
|
||||||
|
var yearlyBudget = new BudgetRecord
|
||||||
|
{
|
||||||
|
Id = 200,
|
||||||
|
Name = "教育费",
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Year,
|
||||||
|
Limit = 8000, // 全年8000元
|
||||||
|
StartDate = new DateTime(2026, 1, 1),
|
||||||
|
SelectedCategories = "教育",
|
||||||
|
IsMandatoryExpense = false,
|
||||||
|
NoLimit = false
|
||||||
|
};
|
||||||
|
|
||||||
|
var monthlyBudget = new BudgetRecord
|
||||||
|
{
|
||||||
|
Id = 100,
|
||||||
|
Name = "生活费",
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
Limit = 2000,
|
||||||
|
StartDate = new DateTime(2026, 1, 1),
|
||||||
|
SelectedCategories = "餐饮",
|
||||||
|
IsMandatoryExpense = false,
|
||||||
|
NoLimit = false
|
||||||
|
};
|
||||||
|
|
||||||
|
_budgetRepo.GetAllAsync().Returns([yearlyBudget, monthlyBudget]);
|
||||||
|
|
||||||
|
// 1月归档数据
|
||||||
|
var januaryArchive = new BudgetArchive
|
||||||
|
{
|
||||||
|
Year = 2026,
|
||||||
|
Month = 1,
|
||||||
|
Content = new[]
|
||||||
|
{
|
||||||
|
new BudgetArchiveContent
|
||||||
|
{
|
||||||
|
Id = 200,
|
||||||
|
Name = "教育费",
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Year,
|
||||||
|
Limit = 8000,
|
||||||
|
Actual = 7257m, // 全年实际(从1月累计)
|
||||||
|
SelectedCategories = ["教育"],
|
||||||
|
IsMandatoryExpense = false,
|
||||||
|
NoLimit = false
|
||||||
|
},
|
||||||
|
new BudgetArchiveContent
|
||||||
|
{
|
||||||
|
Id = 100,
|
||||||
|
Name = "生活费",
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
Limit = 2000,
|
||||||
|
Actual = 2000m, // 1月实际
|
||||||
|
SelectedCategories = ["餐饮"],
|
||||||
|
IsMandatoryExpense = false,
|
||||||
|
NoLimit = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
||||||
|
_archiveRepo.GetArchiveAsync(2026, 1).Returns(januaryArchive);
|
||||||
|
_archiveRepo.GetArchiveAsync(2026, 2).ReturnsNull();
|
||||||
|
|
||||||
|
// 2月的实际数据
|
||||||
|
var feb1 = new DateTime(2026, 2, 1);
|
||||||
|
var feb28 = new DateTime(2026, 2, 28);
|
||||||
|
_budgetRepo.GetCurrentAmountAsync(
|
||||||
|
Arg.Is<BudgetRecord>(b => b.Id == 100),
|
||||||
|
Arg.Is<DateTime>(d => d >= feb1 && d <= feb28),
|
||||||
|
Arg.Any<DateTime>()
|
||||||
|
).Returns(1800m);
|
||||||
|
|
||||||
|
// 年度预算的当前实际值(整年累计,包括1月归档的7257)
|
||||||
|
var year1 = new DateTime(2026, 1, 1);
|
||||||
|
var year12 = new DateTime(2026, 12, 31);
|
||||||
|
_budgetRepo.GetCurrentAmountAsync(
|
||||||
|
Arg.Is<BudgetRecord>(b => b.Id == 200),
|
||||||
|
Arg.Is<DateTime>(d => d >= year1),
|
||||||
|
Arg.Any<DateTime>()
|
||||||
|
).Returns(7257m); // 全年累计
|
||||||
|
|
||||||
|
_transactionStatsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Any<List<string>>(),
|
||||||
|
true
|
||||||
|
).Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2026, 1, 1), 9257m }, // 1月: 教育7257 + 生活2000
|
||||||
|
{ new DateTime(2026, 2, 1), 1800m } // 2月: 生活1800
|
||||||
|
});
|
||||||
|
|
||||||
|
// 模拟月度统计的交易数据
|
||||||
|
_transactionStatsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Any<List<string>>()
|
||||||
|
).Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2026, 1, 1), 9257m }
|
||||||
|
});
|
||||||
|
|
||||||
|
var service = CreateService();
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
result.Year.Should().NotBeNull();
|
||||||
|
|
||||||
|
// 年度限额 = 教育费(8000) + 生活费1月归档(2000) + 生活费2月(2000) + 生活费未来10月(2000*10) = 32000
|
||||||
|
result.Year.Limit.Should().Be(32000);
|
||||||
|
|
||||||
|
// 年度实际支出 = 教育费(7257) + 生活费1月(2000) + 生活费2月(1800) = 11057
|
||||||
|
// 关键:教育费(年度预算)只应该计算一次!
|
||||||
|
result.Year.Current.Should().Be(11057m);
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 测试场景:当前为3月,用户切换到1月查看
|
||||||
|
/// 预期:年度统计应包含1月归档 + 2月归档 + 3月当前
|
||||||
|
/// </summary>
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_多个归档月份_不重复计算_Test()
|
||||||
|
{
|
||||||
|
// Arrange - 模拟当前时间为2026年3月15日
|
||||||
|
var now = new DateTime(2026, 3, 15);
|
||||||
|
_dateTimeProvider.Now.Returns(now);
|
||||||
|
|
||||||
|
var referenceDate = new DateTime(2026, 1, 1);
|
||||||
|
|
||||||
|
var monthlyBudget = new BudgetRecord
|
||||||
|
{
|
||||||
|
Id = 100,
|
||||||
|
Name = "房贷",
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
Limit = 9000,
|
||||||
|
StartDate = new DateTime(2026, 1, 1),
|
||||||
|
SelectedCategories = "房贷",
|
||||||
|
IsMandatoryExpense = false,
|
||||||
|
NoLimit = false
|
||||||
|
};
|
||||||
|
|
||||||
|
_budgetRepo.GetAllAsync().Returns([monthlyBudget]);
|
||||||
|
|
||||||
|
// 1月归档
|
||||||
|
_archiveRepo.GetArchiveAsync(2026, 1).Returns(new BudgetArchive
|
||||||
|
{
|
||||||
|
Year = 2026,
|
||||||
|
Month = 1,
|
||||||
|
Content = new[]
|
||||||
|
{
|
||||||
|
new BudgetArchiveContent
|
||||||
|
{
|
||||||
|
Id = 100,
|
||||||
|
Name = "房贷",
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
Limit = 9000,
|
||||||
|
Actual = 9158.7m,
|
||||||
|
SelectedCategories = ["房贷"],
|
||||||
|
IsMandatoryExpense = false,
|
||||||
|
NoLimit = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
// 2月归档
|
||||||
|
_archiveRepo.GetArchiveAsync(2026, 2).Returns(new BudgetArchive
|
||||||
|
{
|
||||||
|
Year = 2026,
|
||||||
|
Month = 2,
|
||||||
|
Content = new[]
|
||||||
|
{
|
||||||
|
new BudgetArchiveContent
|
||||||
|
{
|
||||||
|
Id = 100,
|
||||||
|
Name = "房贷",
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
Limit = 9000,
|
||||||
|
Actual = 9126.1m,
|
||||||
|
SelectedCategories = ["房贷"],
|
||||||
|
IsMandatoryExpense = false,
|
||||||
|
NoLimit = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
_archiveRepo.GetArchiveAsync(2026, 3).ReturnsNull();
|
||||||
|
|
||||||
|
// 3月当前实际数据(到3月15日)
|
||||||
|
_budgetRepo.GetCurrentAmountAsync(
|
||||||
|
Arg.Is<BudgetRecord>(b => b.Id == 100),
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
Arg.Any<DateTime>()
|
||||||
|
).Returns(4500m); // 3月已支出4500
|
||||||
|
|
||||||
|
_transactionStatsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Any<List<string>>(),
|
||||||
|
true
|
||||||
|
).Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2026, 1, 1), 9158.7m },
|
||||||
|
{ new DateTime(2026, 2, 1), 9126.1m },
|
||||||
|
{ new DateTime(2026, 3, 1), 4500m }
|
||||||
|
});
|
||||||
|
|
||||||
|
// 模拟月度统计的交易数据
|
||||||
|
_transactionStatsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Any<List<string>>()
|
||||||
|
).Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2026, 1, 1), 9158.7m }
|
||||||
|
});
|
||||||
|
|
||||||
|
var service = CreateService();
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
result.Year.Should().NotBeNull();
|
||||||
|
|
||||||
|
// 年度限额 = 1月归档(9000) + 2月归档(9000) + 3月当前(9000) + 未来9月(9000*9) = 108000
|
||||||
|
result.Year.Limit.Should().Be(108000);
|
||||||
|
|
||||||
|
// 年度实际 = 1月归档(9158.7) + 2月归档(9126.1) + 3月当前(4500) = 22784.8
|
||||||
|
result.Year.Current.Should().Be(22784.8m);
|
||||||
|
|
||||||
|
// 验证每个月只计算了一次
|
||||||
|
result.Year.Rate.Should().BeApproximately(21.10m, 0.01m);
|
||||||
|
}
|
||||||
|
}
|
||||||
550
WebApi.Test/Budget/BudgetStatsTest.cs
Normal file
550
WebApi.Test/Budget/BudgetStatsTest.cs
Normal file
@@ -0,0 +1,550 @@
|
|||||||
|
using Microsoft.Extensions.Logging;
|
||||||
|
using Service.AI;
|
||||||
|
using Service.Message;
|
||||||
|
using Service.Transaction;
|
||||||
|
|
||||||
|
namespace WebApi.Test.Budget;
|
||||||
|
|
||||||
|
public class BudgetStatsTest : BaseTest
|
||||||
|
{
|
||||||
|
private readonly IBudgetRepository _budgetRepository = Substitute.For<IBudgetRepository>();
|
||||||
|
private readonly IBudgetArchiveRepository _budgetArchiveRepository = Substitute.For<IBudgetArchiveRepository>();
|
||||||
|
private readonly ITransactionRecordRepository _transactionsRepository = Substitute.For<ITransactionRecordRepository>();
|
||||||
|
private readonly ITransactionStatisticsService _transactionStatisticsService = Substitute.For<ITransactionStatisticsService>();
|
||||||
|
private readonly IOpenAiService _openAiService = Substitute.For<IOpenAiService>();
|
||||||
|
private readonly IMessageService _messageService = Substitute.For<IMessageService>();
|
||||||
|
private readonly ILogger<BudgetService> _logger = Substitute.For<ILogger<BudgetService>>();
|
||||||
|
private readonly IBudgetSavingsService _budgetSavingsService = Substitute.For<IBudgetSavingsService>();
|
||||||
|
private readonly IDateTimeProvider _dateTimeProvider = Substitute.For<IDateTimeProvider>();
|
||||||
|
private readonly BudgetService _service;
|
||||||
|
|
||||||
|
public BudgetStatsTest()
|
||||||
|
{
|
||||||
|
_dateTimeProvider.Now.Returns(new DateTime(2024, 1, 15));
|
||||||
|
|
||||||
|
IBudgetStatsService budgetStatsService = new BudgetStatsService(
|
||||||
|
_budgetRepository,
|
||||||
|
_budgetArchiveRepository,
|
||||||
|
_transactionStatisticsService,
|
||||||
|
_dateTimeProvider,
|
||||||
|
Substitute.For<ILogger<BudgetStatsService>>()
|
||||||
|
);
|
||||||
|
|
||||||
|
_service = new BudgetService(
|
||||||
|
_budgetRepository,
|
||||||
|
_budgetArchiveRepository,
|
||||||
|
_transactionsRepository,
|
||||||
|
_transactionStatisticsService,
|
||||||
|
_openAiService,
|
||||||
|
_messageService,
|
||||||
|
_logger,
|
||||||
|
_budgetSavingsService,
|
||||||
|
_dateTimeProvider,
|
||||||
|
budgetStatsService
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_月度_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var referenceDate = new DateTime(2024, 1, 15);
|
||||||
|
var budgets = new List<BudgetRecord>
|
||||||
|
{
|
||||||
|
new() { Id = 1, Name = "吃喝", Limit = 2000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "餐饮,零食" },
|
||||||
|
new() { Id = 2, Name = "交通", Limit = 500, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "交通" }
|
||||||
|
};
|
||||||
|
|
||||||
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
|
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
|
.Returns(args =>
|
||||||
|
{
|
||||||
|
var b = (BudgetRecord)args[0];
|
||||||
|
return b.Name == "吃喝" ? 1200m : 300m;
|
||||||
|
});
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2024, 1, 15), 1500m } // 1月15日累计1500(吃喝1200+交通300)
|
||||||
|
});
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
result.Month.Limit.Should().Be(2500); // 吃喝2000 + 交通500
|
||||||
|
result.Month.Current.Should().Be(1500); // 吃喝1200 + 交通300
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_月度_硬性收支_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var referenceDate = new DateTime(2024, 1, 15);
|
||||||
|
var budgets = new List<BudgetRecord>
|
||||||
|
{
|
||||||
|
new() { Id = 1, Name = "房租", Limit = 3100, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, IsMandatoryExpense = true }
|
||||||
|
};
|
||||||
|
|
||||||
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
|
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
|
.Returns(0m); // 实际支出的金额为0
|
||||||
|
|
||||||
|
_dateTimeProvider.Now.Returns(referenceDate);
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>());
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
// 硬性预算的限额保持不变,不根据时间计算
|
||||||
|
result.Month.Limit.Should().Be(3100);
|
||||||
|
// 实际使用值根据时间计算:1月有31天,15号经过了15天
|
||||||
|
// 3100 * 15 / 31 ≈ 1500
|
||||||
|
result.Month.Current.Should().BeApproximately(1500, 1);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_年度_1月_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var referenceDate = new DateTime(2024, 1, 15);
|
||||||
|
var budgets = new List<BudgetRecord>
|
||||||
|
{
|
||||||
|
new() { Id = 2, Name = "月度吃饭", Limit = 3000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "餐饮" },
|
||||||
|
new() { Id = 1, Name = "年度旅游", Limit = 12000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Year, SelectedCategories = "旅游" }
|
||||||
|
};
|
||||||
|
|
||||||
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
|
|
||||||
|
// 月度统计使用趋势统计数据(只包含月度预算的分类)
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 1 && d.Day == 1),
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 1 && d.Day == 31),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Is<List<string>>(list => list.Count == 1 && list.Contains("餐饮")))
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2024, 1, 15), 800m } // 1月15日月度吃饭累计800
|
||||||
|
});
|
||||||
|
|
||||||
|
// 年度统计使用GetCurrentAmountAsync
|
||||||
|
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
|
.Returns(args =>
|
||||||
|
{
|
||||||
|
var b = (BudgetRecord)args[0];
|
||||||
|
var startDate = (DateTime)args[1];
|
||||||
|
var endDate = (DateTime)args[2];
|
||||||
|
|
||||||
|
// 月度范围查询 - 月度吃饭(1月)
|
||||||
|
if (startDate.Month == 1 && startDate.Day == 1 && endDate.Month == 1)
|
||||||
|
{
|
||||||
|
return b.Name == "月度吃饭" ? 800m : 0m;
|
||||||
|
}
|
||||||
|
|
||||||
|
// 年度范围查询 - 年度旅游
|
||||||
|
if (startDate.Month == 1 && startDate.Day == 1 && endDate.Month == 12)
|
||||||
|
{
|
||||||
|
return b.Name == "年度旅游" ? 2000m : 0m;
|
||||||
|
}
|
||||||
|
|
||||||
|
return 0m;
|
||||||
|
});
|
||||||
|
|
||||||
|
// 年度趋势统计(包含所有分类)
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 1 && d.Day == 1),
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 12 && d.Day == 31),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Is<List<string>>(list => list.Count == 2), // 包含所有分类:餐饮、旅游
|
||||||
|
true)
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2024, 1, 1), 2800m } // 1月累计:月度吃饭800 + 年度旅游2000 = 2800
|
||||||
|
});
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
// 月度统计中:只包含月度预算
|
||||||
|
result.Month.Limit.Should().Be(3000); // 月度吃饭3000
|
||||||
|
result.Month.Current.Should().Be(800); // 月度吃饭已用800(从GetCurrentAmountAsync获取)
|
||||||
|
result.Month.Count.Should().Be(1); // 只包含1个月度预算
|
||||||
|
|
||||||
|
// 年度统计中:包含所有预算(月度预算按剩余月份折算)
|
||||||
|
// 1月时,月度预算分为:当前月(1月) + 剩余月份(2-12月共11个月)
|
||||||
|
result.Year.Limit.Should().Be(12000 + (3000 * 12)); // 年度旅游12000 + 月度吃饭折算年度(3000*12=36000) = 48000
|
||||||
|
result.Year.Current.Should().Be(2000 + 800); // 年度旅游2000 + 月度吃饭800 = 2800
|
||||||
|
result.Year.Count.Should().Be(3); // 包含3个预算项:年度旅游、月度吃饭(当前月)、月度吃饭(剩余11个月)
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_年度_1月_硬性收支_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var referenceDate = new DateTime(2024, 1, 1); // 元旦
|
||||||
|
var budgets = new List<BudgetRecord>
|
||||||
|
{
|
||||||
|
new() { Id = 1, Name = "年度固定支出", Limit = 3660, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Year, IsMandatoryExpense = true }
|
||||||
|
};
|
||||||
|
|
||||||
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
|
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>()).Returns(0m);
|
||||||
|
_dateTimeProvider.Now.Returns(referenceDate);
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>());
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
// 硬性预算的限额保持不变
|
||||||
|
result.Year.Limit.Should().Be(3660);
|
||||||
|
// 实际使用值根据时间计算:2024是闰年,366天。1月1号是第1天。
|
||||||
|
// 3660 * 1 / 366 ≈ 10
|
||||||
|
result.Year.Current.Should().BeApproximately(10, 0.1m);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_年度_3月_硬性收支_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var referenceDate = new DateTime(2024, 3, 31); // 3月最后一天
|
||||||
|
var budgets = new List<BudgetRecord>
|
||||||
|
{
|
||||||
|
new() { Id = 1, Name = "年度固定支出", Limit = 3660, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Year, IsMandatoryExpense = true }
|
||||||
|
};
|
||||||
|
|
||||||
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
|
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>()).Returns(0m);
|
||||||
|
_dateTimeProvider.Now.Returns(referenceDate);
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>());
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
// 硬性预算的限额保持不变
|
||||||
|
result.Year.Limit.Should().Be(3660);
|
||||||
|
// 实际使用值根据时间计算:2024是闰年。1月(31) + 2月(29) + 3月(31) = 91天
|
||||||
|
// 3660 * 91 / 366 ≈ 910
|
||||||
|
result.Year.Current.Should().BeApproximately(910, 1);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_月度_发生年度收支_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var referenceDate = new DateTime(2024, 1, 15);
|
||||||
|
|
||||||
|
// 设置预算:包含月度预算和年度预算
|
||||||
|
var budgets = new List<BudgetRecord>
|
||||||
|
{
|
||||||
|
// 月度预算:吃喝
|
||||||
|
new() { Id = 1, Name = "吃喝", Limit = 2000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "餐饮,零食" },
|
||||||
|
|
||||||
|
// 月度预算:交通
|
||||||
|
new() { Id = 2, Name = "交通", Limit = 500, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "交通" },
|
||||||
|
|
||||||
|
// 年度预算:年度旅游(当前月度发生了相关支出)
|
||||||
|
new() { Id = 3, Name = "年度旅游", Limit = 12000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Year, SelectedCategories = "旅游,度假" },
|
||||||
|
|
||||||
|
// 年度预算:年度奖金(当前月度发生了相关收入)
|
||||||
|
new() { Id = 4, Name = "年度奖金", Limit = 50000, Category = BudgetCategory.Income, Type = BudgetPeriodType.Year, SelectedCategories = "奖金,年终奖" }
|
||||||
|
};
|
||||||
|
|
||||||
|
_budgetRepository.GetAllAsync().Returns(budgets);
|
||||||
|
|
||||||
|
// 设置月度预算的当前金额
|
||||||
|
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
|
.Returns(args =>
|
||||||
|
{
|
||||||
|
var b = (BudgetRecord)args[0];
|
||||||
|
return b.Name switch
|
||||||
|
{
|
||||||
|
"吃喝" => 1200m, // 月度预算:已用1200元
|
||||||
|
"交通" => 300m, // 月度预算:已用300元
|
||||||
|
"年度旅游" => 2000m, // 年度预算:1月份已用2000元
|
||||||
|
"年度奖金" => 10000m, // 年度预算:1月份已收10000元
|
||||||
|
_ => 0m
|
||||||
|
};
|
||||||
|
});
|
||||||
|
|
||||||
|
// 设置月度趋势统计数据:只包含月度预算相关的分类(餐饮、零食、交通)
|
||||||
|
// 注意:不应包含年度预算的分类(旅游、度假、奖金、年终奖)
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 1),
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 1),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Is<List<string>>(list => list.Count == 3 && list.Contains("餐饮") && list.Contains("零食") && list.Contains("交通")))
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2024, 1, 15), 1500m } // 1月15日累计1500(吃喝1200+交通300,不包含年度旅游2000)
|
||||||
|
});
|
||||||
|
|
||||||
|
// 设置年度趋势统计数据:包含所有预算相关的分类
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 1 && d.Day == 1),
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 12 && d.Day == 31),
|
||||||
|
TransactionType.Expense,
|
||||||
|
Arg.Is<List<string>>(list => list.Count == 5), // 餐饮、零食、交通、旅游、度假
|
||||||
|
true)
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2024, 1, 1), 3500m } // 1月累计3500(吃喝1200+交通300+年度旅游2000)
|
||||||
|
});
|
||||||
|
|
||||||
|
// 设置收入相关的趋势统计数据
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 1),
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 1),
|
||||||
|
TransactionType.Income,
|
||||||
|
Arg.Any<List<string>>())
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>()); // 月度收入为空
|
||||||
|
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 1 && d.Day == 1),
|
||||||
|
Arg.Is<DateTime>(d => d.Year == 2024 && d.Month == 12 && d.Day == 31),
|
||||||
|
TransactionType.Income,
|
||||||
|
Arg.Any<List<string>>(),
|
||||||
|
true)
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2024, 1, 1), 10000m } // 年度奖金10000
|
||||||
|
});
|
||||||
|
|
||||||
|
// Act - 测试支出统计
|
||||||
|
var expenseResult = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Act - 测试收入统计
|
||||||
|
var incomeResult = await _service.GetCategoryStatsAsync(BudgetCategory.Income, referenceDate);
|
||||||
|
|
||||||
|
// Assert - 支出月度统计:只包含月度预算,不包含年度预算
|
||||||
|
expenseResult.Month.Limit.Should().Be(2500); // 吃喝2000 + 交通500
|
||||||
|
expenseResult.Month.Current.Should().Be(1500); // 吃喝1200 + 交通300(不包含年度旅游2000)
|
||||||
|
expenseResult.Month.Count.Should().Be(2); // 只包含2个月度预算
|
||||||
|
expenseResult.Month.Rate.Should().Be(1500m / 2500m * 100); // 60%
|
||||||
|
|
||||||
|
// Assert - 支出年度统计:包含所有预算(月度+年度)
|
||||||
|
// 1月时,月度预算分为:当前月(1月) + 剩余月份(2-12月共11个月)
|
||||||
|
expenseResult.Year.Limit.Should().Be(12000 + (2500 * 12)); // 年度旅游12000 + 月度预算折算为年度(2500*12)
|
||||||
|
expenseResult.Year.Current.Should().Be(3500); // 吃喝1200 + 交通300 + 年度旅游2000
|
||||||
|
expenseResult.Year.Count.Should().Be(5); // 包含5个预算项:年度旅游、吃喝(当前月)、交通(当前月)、吃喝(剩余11个月)、交通(剩余11个月)
|
||||||
|
|
||||||
|
// Assert - 收入月度统计:只包含月度预算(这里没有月度收入预算,所以应该为0)
|
||||||
|
incomeResult.Month.Limit.Should().Be(0); // 没有月度收入预算
|
||||||
|
incomeResult.Month.Current.Should().Be(0); // 没有月度收入预算(不包含年度奖金10000)
|
||||||
|
incomeResult.Month.Count.Should().Be(0); // 没有月度收入预算
|
||||||
|
|
||||||
|
// Assert - 收入年度统计:包含所有预算(只有年度收入预算)
|
||||||
|
incomeResult.Year.Limit.Should().Be(50000); // 年度奖金50000
|
||||||
|
incomeResult.Year.Current.Should().Be(10000); // 年度奖金已收10000
|
||||||
|
incomeResult.Year.Count.Should().Be(1); // 包含1个年度收入预算
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStats_年度_3月_2月预算变更_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
// 测试场景:2024年3月查看年度预算统计,其中2月份发生了预算变更(吃喝预算从2000增加到2500)
|
||||||
|
var referenceDate = new DateTime(2024, 3, 15);
|
||||||
|
|
||||||
|
// 设置当前时间,确保3月被认为是当前月份
|
||||||
|
_dateTimeProvider.Now.Returns(new DateTime(2024, 3, 15));
|
||||||
|
|
||||||
|
// 当前3月份有效的预算
|
||||||
|
var currentBudgets = new List<BudgetRecord>
|
||||||
|
{
|
||||||
|
new() { Id = 1, Name = "吃喝", Limit = 2500, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "餐饮,零食" }, // 2月预算变更后
|
||||||
|
new() { Id = 2, Name = "交通", Limit = 500, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "交通" },
|
||||||
|
new() { Id = 3, Name = "年度旅游", Limit = 12000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Year, SelectedCategories = "旅游,度假" }
|
||||||
|
};
|
||||||
|
|
||||||
|
// 2月份的归档数据(预算变更前)
|
||||||
|
var febArchive = new BudgetArchive
|
||||||
|
{
|
||||||
|
Year = 2024,
|
||||||
|
Month = 2,
|
||||||
|
Content = new[]
|
||||||
|
{
|
||||||
|
new BudgetArchiveContent
|
||||||
|
{
|
||||||
|
Id = 1,
|
||||||
|
Name = "吃喝",
|
||||||
|
Limit = 2000, // 2月份时预算还是2000
|
||||||
|
Actual = 1800, // 2月份实际花费1800
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
SelectedCategories = new[] { "餐饮", "零食" }
|
||||||
|
},
|
||||||
|
new BudgetArchiveContent
|
||||||
|
{
|
||||||
|
Id = 2,
|
||||||
|
Name = "交通",
|
||||||
|
Limit = 500,
|
||||||
|
Actual = 300,
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
SelectedCategories = new[] { "交通" }
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// 1月份的归档数据
|
||||||
|
var janArchive = new BudgetArchive
|
||||||
|
{
|
||||||
|
Year = 2024,
|
||||||
|
Month = 1,
|
||||||
|
Content = new[]
|
||||||
|
{
|
||||||
|
new BudgetArchiveContent
|
||||||
|
{
|
||||||
|
Id = 1,
|
||||||
|
Name = "吃喝",
|
||||||
|
Limit = 2000, // 1月份预算也是2000
|
||||||
|
Actual = 1500, // 1月份实际花费1500
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
SelectedCategories = new[] { "餐饮", "零食" }
|
||||||
|
},
|
||||||
|
new BudgetArchiveContent
|
||||||
|
{
|
||||||
|
Id = 2,
|
||||||
|
Name = "交通",
|
||||||
|
Limit = 500,
|
||||||
|
Actual = 250,
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
Type = BudgetPeriodType.Month,
|
||||||
|
SelectedCategories = new[] { "交通" }
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// 设置仓储响应
|
||||||
|
_budgetRepository.GetAllAsync().Returns(currentBudgets);
|
||||||
|
|
||||||
|
// 设置归档仓储响应
|
||||||
|
_budgetArchiveRepository.GetArchiveAsync(2024, 2).Returns(febArchive);
|
||||||
|
_budgetArchiveRepository.GetArchiveAsync(2024, 1).Returns(janArchive);
|
||||||
|
|
||||||
|
// 设置月度预算的当前金额查询(仅用于3月份)
|
||||||
|
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Is<DateTime>(d => d.Month == 3), Arg.Is<DateTime>(d => d.Month == 3))
|
||||||
|
.Returns(args =>
|
||||||
|
{
|
||||||
|
var b = (BudgetRecord)args[0];
|
||||||
|
return b.Name switch
|
||||||
|
{
|
||||||
|
"吃喝" => 800m, // 3月份已花费800
|
||||||
|
"交通" => 200m, // 3月份已花费200
|
||||||
|
_ => 0m
|
||||||
|
};
|
||||||
|
});
|
||||||
|
|
||||||
|
// 年度旅游的年度金额查询
|
||||||
|
_budgetRepository.GetCurrentAmountAsync(
|
||||||
|
Arg.Is<BudgetRecord>(b => b.Id == 3),
|
||||||
|
Arg.Is<DateTime>(d => d.Month == 1),
|
||||||
|
Arg.Is<DateTime>(d => d.Month == 12))
|
||||||
|
.Returns(2500m); // 年度旅游1-3月已花费2500
|
||||||
|
|
||||||
|
// 设置趋势统计数据查询(用于月度统计)
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Is<DateTime>(d => d.Month == 3),
|
||||||
|
Arg.Is<DateTime>(d => d.Month == 3),
|
||||||
|
Arg.Any<TransactionType>(),
|
||||||
|
Arg.Any<List<string>>(),
|
||||||
|
Arg.Any<bool>())
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
{ new DateTime(2024, 3, 15), 1000m } // 3月15日累计1000(吃喝800+交通200)
|
||||||
|
});
|
||||||
|
|
||||||
|
// 年度趋势统计数据查询
|
||||||
|
// 注意:年度统计使用GetFilteredTrendStatisticsAsync获取趋势数据
|
||||||
|
// 需要返回所有分类的累计金额,包括年度旅游的2500
|
||||||
|
_transactionStatisticsService.GetFilteredTrendStatisticsAsync(
|
||||||
|
Arg.Is<DateTime>(d => d.Month == 1),
|
||||||
|
Arg.Is<DateTime>(d => d.Month == 12),
|
||||||
|
Arg.Any<TransactionType>(),
|
||||||
|
Arg.Any<List<string>>(),
|
||||||
|
Arg.Is<bool>(b => b == true))
|
||||||
|
.Returns(new Dictionary<DateTime, decimal>
|
||||||
|
{
|
||||||
|
// 3月累计:月度预算1000 + 年度旅游2500 = 3500
|
||||||
|
{ new DateTime(2024, 3, 1), 3500m }
|
||||||
|
});
|
||||||
|
|
||||||
|
// 补充:年度旅游的GetCurrentAmountAsync调用(用于计算Current)
|
||||||
|
_budgetRepository.GetCurrentAmountAsync(
|
||||||
|
Arg.Is<BudgetRecord>(b => b.Id == 3),
|
||||||
|
Arg.Is<DateTime>(d => d.Month == 1),
|
||||||
|
Arg.Is<DateTime>(d => d.Month == 12))
|
||||||
|
.Returns(2500m); // 年度旅游1-3月已花费2500
|
||||||
|
|
||||||
|
// Act
|
||||||
|
// 直接测试BudgetStatsService,而不是通过BudgetService
|
||||||
|
var budgetStatsService = new BudgetStatsService(
|
||||||
|
_budgetRepository,
|
||||||
|
_budgetArchiveRepository,
|
||||||
|
_transactionStatisticsService,
|
||||||
|
_dateTimeProvider,
|
||||||
|
Substitute.For<ILogger<BudgetStatsService>>()
|
||||||
|
);
|
||||||
|
|
||||||
|
var result = await budgetStatsService.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
||||||
|
|
||||||
|
// Assert - 月度统计(3月份)
|
||||||
|
// 月度统计应该只包含月度预算,使用当前预算限额
|
||||||
|
result.Month.Limit.Should().Be(3000); // 吃喝2500 + 交通500(使用变更后的预算)
|
||||||
|
result.Month.Current.Should().Be(1000); // 吃喝800 + 交通200
|
||||||
|
result.Month.Count.Should().Be(2); // 包含2个月度预算
|
||||||
|
|
||||||
|
// Assert - 年度统计(需要考虑预算变更和剩余月份)
|
||||||
|
// 新逻辑:
|
||||||
|
// 1. 对于归档数据,直接使用归档的限额,不折算
|
||||||
|
// 2. 对于当前及未来月份,使用当前预算 × 剩余月份
|
||||||
|
//
|
||||||
|
// 预期年度限额计算:
|
||||||
|
// 1月归档:吃喝2000 + 交通500 = 2500
|
||||||
|
// 2月归档:吃喝2000 + 交通500 = 2500
|
||||||
|
// 3-12月剩余(12 - 3 + 1 = 10个月):吃喝2500×10 + 交通500×10 = 30000
|
||||||
|
// 年度旅游:12000
|
||||||
|
// 总计:2500 + 2500 + 30000 + 12000 = 47000
|
||||||
|
result.Year.Limit.Should().Be(47000);
|
||||||
|
|
||||||
|
// 预期年度实际金额:
|
||||||
|
// 根据趋势统计数据,3月累计: 月度预算1000 + 年度旅游2500 = 3500
|
||||||
|
// 但业务代码会累加所有预算项的Current值:
|
||||||
|
// - 1月归档吃喝:1500
|
||||||
|
// - 1月归档交通:250
|
||||||
|
// - 2月归档吃喝:1800
|
||||||
|
// - 2月归档交通:300
|
||||||
|
// - 3月吃喝:800
|
||||||
|
// - 3月交通:200
|
||||||
|
// - 年度旅游:2500
|
||||||
|
// 总计:1500+250+1800+300+800+200+2500 = 7350
|
||||||
|
result.Year.Current.Should().Be(7350);
|
||||||
|
|
||||||
|
// 应该包含:
|
||||||
|
// - 1月归档的月度预算:吃喝、1个
|
||||||
|
// - 1月归档的月度预算:交通、1个
|
||||||
|
// - 2月归档的月度预算:吃喝、1个
|
||||||
|
// - 2月归档的月度预算:交通、1个
|
||||||
|
// - 3月当前月的月度预算:吃喝、1个
|
||||||
|
// - 3月当前月的月度预算:交通、1个
|
||||||
|
// - 4-12月未来月的月度预算:吃喝、1个(RemainingMonths=9)
|
||||||
|
// - 4-12月未来月的月度预算:交通、1个(RemainingMonths=9)
|
||||||
|
// - 年度旅游:1个
|
||||||
|
// 总计:9个
|
||||||
|
result.Year.Count.Should().Be(9);
|
||||||
|
|
||||||
|
// 验证使用率计算正确
|
||||||
|
result.Month.Rate.Should().BeApproximately(1000m / 3000m * 100, 0.01m);
|
||||||
|
// 年度使用率:7350 / 47000 * 100 = 15.64%
|
||||||
|
result.Year.Rate.Should().BeApproximately(7350m / 47000m * 100, 0.01m);
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -1,241 +0,0 @@
|
|||||||
using Microsoft.Extensions.Logging;
|
|
||||||
using Common;
|
|
||||||
|
|
||||||
namespace WebApi.Test.Budget;
|
|
||||||
|
|
||||||
public class BudgetTest : BaseTest
|
|
||||||
{
|
|
||||||
private readonly IBudgetRepository _budgetRepository = Substitute.For<IBudgetRepository>();
|
|
||||||
private readonly IBudgetArchiveRepository _budgetArchiveRepository = Substitute.For<IBudgetArchiveRepository>();
|
|
||||||
private readonly ITransactionRecordRepository _transactionsRepository = Substitute.For<ITransactionRecordRepository>();
|
|
||||||
private readonly IOpenAiService _openAiService = Substitute.For<IOpenAiService>();
|
|
||||||
private readonly IMessageService _messageService = Substitute.For<IMessageService>();
|
|
||||||
private readonly ILogger<BudgetService> _logger = Substitute.For<ILogger<BudgetService>>();
|
|
||||||
private readonly IBudgetSavingsService _budgetSavingsService = Substitute.For<IBudgetSavingsService>();
|
|
||||||
private readonly IDateTimeProvider _dateTimeProvider = Substitute.For<IDateTimeProvider>();
|
|
||||||
private readonly BudgetService _service;
|
|
||||||
|
|
||||||
public BudgetTest()
|
|
||||||
{
|
|
||||||
_dateTimeProvider.Now.Returns(new DateTime(2024, 1, 15));
|
|
||||||
_service = new BudgetService(
|
|
||||||
_budgetRepository,
|
|
||||||
_budgetArchiveRepository,
|
|
||||||
_transactionsRepository,
|
|
||||||
_openAiService,
|
|
||||||
_messageService,
|
|
||||||
_logger,
|
|
||||||
_budgetSavingsService,
|
|
||||||
_dateTimeProvider
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
[Fact]
|
|
||||||
public async Task GetCategoryStats_月度_Test()
|
|
||||||
{
|
|
||||||
// Arrange
|
|
||||||
var referenceDate = new DateTime(2024, 1, 15);
|
|
||||||
var budgets = new List<BudgetRecord>
|
|
||||||
{
|
|
||||||
new() { Id = 1, Name = "吃喝", Limit = 2000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "餐饮,零食" },
|
|
||||||
new() { Id = 2, Name = "交通", Limit = 500, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "交通" }
|
|
||||||
};
|
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
|
||||||
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
|
||||||
.Returns(args =>
|
|
||||||
{
|
|
||||||
var b = (BudgetRecord)args[0];
|
|
||||||
return b.Name == "吃喝" ? 1200m : 300m;
|
|
||||||
});
|
|
||||||
_transactionsRepository.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
|
||||||
.Returns(new Dictionary<DateTime, decimal>());
|
|
||||||
|
|
||||||
// Act
|
|
||||||
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
|
||||||
|
|
||||||
// Assert
|
|
||||||
result.Month.Limit.Should().Be(2500); // 吃喝2000 + 交通500
|
|
||||||
result.Month.Current.Should().Be(1500); // 吃喝1200 + 交通300
|
|
||||||
}
|
|
||||||
|
|
||||||
[Fact]
|
|
||||||
public async Task GetCategoryStats_月度_硬性收支_Test()
|
|
||||||
{
|
|
||||||
// Arrange
|
|
||||||
var referenceDate = new DateTime(2024, 1, 15);
|
|
||||||
var budgets = new List<BudgetRecord>
|
|
||||||
{
|
|
||||||
new() { Id = 1, Name = "房租", Limit = 3100, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, IsMandatoryExpense = true }
|
|
||||||
};
|
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
|
||||||
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
|
||||||
.Returns(0m); // 实际支出的金额为0
|
|
||||||
|
|
||||||
_dateTimeProvider.Now.Returns(referenceDate);
|
|
||||||
_transactionsRepository.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
|
||||||
.Returns(new Dictionary<DateTime, decimal>());
|
|
||||||
|
|
||||||
// Act
|
|
||||||
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
|
||||||
|
|
||||||
// Assert
|
|
||||||
// 1月有31天,15号经过了15天
|
|
||||||
// 3100 * 15 / 31 = 1500
|
|
||||||
result.Month.Limit.Should().Be(3100);
|
|
||||||
result.Month.Current.Should().Be(1500);
|
|
||||||
}
|
|
||||||
|
|
||||||
[Fact]
|
|
||||||
public async Task GetCategoryStats_年度_1月_Test()
|
|
||||||
{
|
|
||||||
// Arrange
|
|
||||||
var referenceDate = new DateTime(2024, 1, 15);
|
|
||||||
var budgets = new List<BudgetRecord>
|
|
||||||
{
|
|
||||||
new() { Id = 1, Name = "年度旅游", Limit = 12000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Year }
|
|
||||||
};
|
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
|
||||||
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Is<DateTime>(d => d.Month == 1 && d.Day == 1), Arg.Is<DateTime>(d => d.Month == 12 && d.Day == 31))
|
|
||||||
.Returns(2000m);
|
|
||||||
_transactionsRepository.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
|
||||||
.Returns(new Dictionary<DateTime, decimal>());
|
|
||||||
|
|
||||||
// Act
|
|
||||||
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
|
||||||
|
|
||||||
// Assert
|
|
||||||
// 月度统计中,年度预算被忽略 (Limit=0)
|
|
||||||
result.Month.Limit.Should().Be(0);
|
|
||||||
result.Month.Current.Should().Be(0);
|
|
||||||
|
|
||||||
// 年度统计中
|
|
||||||
result.Year.Limit.Should().Be(12000);
|
|
||||||
result.Year.Current.Should().Be(2000);
|
|
||||||
}
|
|
||||||
|
|
||||||
[Fact]
|
|
||||||
public async Task GetCategoryStats_年度_1月_硬性收支_Test()
|
|
||||||
{
|
|
||||||
// Arrange
|
|
||||||
var referenceDate = new DateTime(2024, 1, 1); // 元旦
|
|
||||||
var budgets = new List<BudgetRecord>
|
|
||||||
{
|
|
||||||
new() { Id = 1, Name = "年度固定支出", Limit = 3660, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Year, IsMandatoryExpense = true }
|
|
||||||
};
|
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
|
||||||
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>()).Returns(0m);
|
|
||||||
_dateTimeProvider.Now.Returns(referenceDate);
|
|
||||||
_transactionsRepository.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
|
||||||
.Returns(new Dictionary<DateTime, decimal>());
|
|
||||||
|
|
||||||
// Act
|
|
||||||
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
|
||||||
|
|
||||||
// Assert
|
|
||||||
// 2024是闰年,366天。1月1号是第1天。
|
|
||||||
// 3660 * 1 / 366 = 10
|
|
||||||
result.Year.Limit.Should().Be(3660);
|
|
||||||
result.Year.Current.Should().Be(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
[Fact]
|
|
||||||
public async Task GetCategoryStats_年度_3月_硬性收支_Test()
|
|
||||||
{
|
|
||||||
// Arrange
|
|
||||||
var referenceDate = new DateTime(2024, 3, 31); // 3月最后一天
|
|
||||||
var budgets = new List<BudgetRecord>
|
|
||||||
{
|
|
||||||
new() { Id = 1, Name = "年度固定支出", Limit = 3660, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Year, IsMandatoryExpense = true }
|
|
||||||
};
|
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
|
||||||
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>()).Returns(0m);
|
|
||||||
_dateTimeProvider.Now.Returns(referenceDate);
|
|
||||||
_transactionsRepository.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
|
||||||
.Returns(new Dictionary<DateTime, decimal>());
|
|
||||||
|
|
||||||
// Act
|
|
||||||
var result = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
|
||||||
|
|
||||||
// Assert
|
|
||||||
// 2024是闰年。1月(31) + 2月(29) + 3月(31) = 91天
|
|
||||||
// 3660 * 91 / 366 = 910
|
|
||||||
result.Year.Limit.Should().Be(3660);
|
|
||||||
result.Year.Current.Should().Be(910);
|
|
||||||
}
|
|
||||||
|
|
||||||
[Fact]
|
|
||||||
public async Task GetCategoryStats_月度_发生年度收支_Test()
|
|
||||||
{
|
|
||||||
// Arrange
|
|
||||||
var referenceDate = new DateTime(2024, 1, 15);
|
|
||||||
|
|
||||||
// 设置预算:包含月度预算和年度预算
|
|
||||||
var budgets = new List<BudgetRecord>
|
|
||||||
{
|
|
||||||
// 月度预算:吃喝
|
|
||||||
new() { Id = 1, Name = "吃喝", Limit = 2000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "餐饮,零食" },
|
|
||||||
|
|
||||||
// 月度预算:交通
|
|
||||||
new() { Id = 2, Name = "交通", Limit = 500, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Month, SelectedCategories = "交通" },
|
|
||||||
|
|
||||||
// 年度预算:年度旅游(当前月度发生了相关支出)
|
|
||||||
new() { Id = 3, Name = "年度旅游", Limit = 12000, Category = BudgetCategory.Expense, Type = BudgetPeriodType.Year, SelectedCategories = "旅游,度假" },
|
|
||||||
|
|
||||||
// 年度预算:年度奖金(当前月度发生了相关收入)
|
|
||||||
new() { Id = 4, Name = "年度奖金", Limit = 50000, Category = BudgetCategory.Income, Type = BudgetPeriodType.Year, SelectedCategories = "奖金,年终奖" }
|
|
||||||
};
|
|
||||||
|
|
||||||
_budgetRepository.GetAllAsync().Returns(budgets);
|
|
||||||
|
|
||||||
// 设置月度预算的当前金额
|
|
||||||
_budgetRepository.GetCurrentAmountAsync(Arg.Any<BudgetRecord>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
|
||||||
.Returns(args =>
|
|
||||||
{
|
|
||||||
var b = (BudgetRecord)args[0];
|
|
||||||
return b.Name switch
|
|
||||||
{
|
|
||||||
"吃喝" => 1200m, // 月度预算:已用1200元
|
|
||||||
"交通" => 300m, // 月度预算:已用300元
|
|
||||||
"年度旅游" => 2000m, // 年度预算:1月份已用2000元
|
|
||||||
"年度奖金" => 10000m, // 年度预算:1月份已收10000元
|
|
||||||
_ => 0m
|
|
||||||
};
|
|
||||||
});
|
|
||||||
|
|
||||||
// 设置趋势统计数据为空(简化测试)
|
|
||||||
_transactionsRepository.GetFilteredTrendStatisticsAsync(Arg.Any<DateTime>(), Arg.Any<DateTime>(), Arg.Any<TransactionType>(), Arg.Any<List<string>>(), Arg.Any<bool>())
|
|
||||||
.Returns(new Dictionary<DateTime, decimal>());
|
|
||||||
|
|
||||||
// Act - 测试支出统计
|
|
||||||
var expenseResult = await _service.GetCategoryStatsAsync(BudgetCategory.Expense, referenceDate);
|
|
||||||
|
|
||||||
// Act - 测试收入统计
|
|
||||||
var incomeResult = await _service.GetCategoryStatsAsync(BudgetCategory.Income, referenceDate);
|
|
||||||
|
|
||||||
// Assert - 支出月度统计:只包含月度预算
|
|
||||||
expenseResult.Month.Limit.Should().Be(2500); // 吃喝2000 + 交通500
|
|
||||||
expenseResult.Month.Current.Should().Be(1500); // 吃喝1200 + 交通300
|
|
||||||
expenseResult.Month.Count.Should().Be(2); // 只包含2个月度预算
|
|
||||||
expenseResult.Month.Rate.Should().Be(1500m / 2500m * 100); // 60%
|
|
||||||
|
|
||||||
// Assert - 支出年度统计:包含所有预算(月度+年度)
|
|
||||||
expenseResult.Year.Limit.Should().Be(12000 + (2500 * 12)); // 年度旅游12000 + 月度预算折算为年度(2500*12)
|
|
||||||
expenseResult.Year.Current.Should().Be(2000 + 1500); // 年度旅游2000 + 月度预算1500
|
|
||||||
expenseResult.Year.Count.Should().Be(3); // 包含3个预算(2个月度+1个年度)
|
|
||||||
|
|
||||||
// Assert - 收入月度统计:只包含月度预算(这里没有月度收入预算,所以应该为0)
|
|
||||||
incomeResult.Month.Limit.Should().Be(0); // 没有月度收入预算
|
|
||||||
incomeResult.Month.Current.Should().Be(0); // 没有月度收入预算
|
|
||||||
incomeResult.Month.Count.Should().Be(0); // 没有月度收入预算
|
|
||||||
|
|
||||||
// Assert - 收入年度统计:包含所有预算(只有年度收入预算)
|
|
||||||
incomeResult.Year.Limit.Should().Be(50000); // 年度奖金50000
|
|
||||||
incomeResult.Year.Current.Should().Be(10000); // 年度奖金已收10000
|
|
||||||
incomeResult.Year.Count.Should().Be(1); // 包含1个年度收入预算
|
|
||||||
}
|
|
||||||
}
|
|
||||||
33
WebApi.Test/Repository/BudgetArchiveRepositoryTest.cs
Normal file
33
WebApi.Test/Repository/BudgetArchiveRepositoryTest.cs
Normal file
@@ -0,0 +1,33 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class BudgetArchiveRepositoryTest : RepositoryTestBase
|
||||||
|
{
|
||||||
|
private readonly IBudgetArchiveRepository _repository;
|
||||||
|
|
||||||
|
public BudgetArchiveRepositoryTest()
|
||||||
|
{
|
||||||
|
_repository = new BudgetArchiveRepository(FreeSql);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetArchiveAsync_获取单条归档_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(new BudgetArchive { Year = 2023, Month = 1 });
|
||||||
|
await _repository.AddAsync(new BudgetArchive { Year = 2023, Month = 2 });
|
||||||
|
|
||||||
|
var archive = await _repository.GetArchiveAsync(2023, 1);
|
||||||
|
archive.Should().NotBeNull();
|
||||||
|
archive.Month.Should().Be(1);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetArchivesByYearAsync_按年获取_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(new BudgetArchive { Year = 2023, Month = 1 });
|
||||||
|
await _repository.AddAsync(new BudgetArchive { Year = 2023, Month = 2 });
|
||||||
|
await _repository.AddAsync(new BudgetArchive { Year = 2022, Month = 12 });
|
||||||
|
|
||||||
|
var list = await _repository.GetArchivesByYearAsync(2023);
|
||||||
|
list.Should().HaveCount(2);
|
||||||
|
}
|
||||||
|
}
|
||||||
67
WebApi.Test/Repository/BudgetRepositoryTest.cs
Normal file
67
WebApi.Test/Repository/BudgetRepositoryTest.cs
Normal file
@@ -0,0 +1,67 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class BudgetRepositoryTest : TransactionTestBase
|
||||||
|
{
|
||||||
|
private readonly IBudgetRepository _repository;
|
||||||
|
private readonly ITransactionRecordRepository _transactionRepository;
|
||||||
|
|
||||||
|
public BudgetRepositoryTest()
|
||||||
|
{
|
||||||
|
_repository = new BudgetRepository(FreeSql);
|
||||||
|
_transactionRepository = new TransactionRecordRepository(FreeSql);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCurrentAmountAsync_计算预算金额_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
// 插入一些交易记录
|
||||||
|
await _transactionRepository.AddAsync(CreateExpense(100, classify: "餐饮")); // A
|
||||||
|
await _transactionRepository.AddAsync(CreateExpense(200, classify: "交通")); // B
|
||||||
|
await _transactionRepository.AddAsync(CreateExpense(50, classify: "餐饮")); // C
|
||||||
|
await _transactionRepository.AddAsync(CreateIncome(1000)); // 收入,不应计入支出预算
|
||||||
|
|
||||||
|
var budget = new BudgetRecord
|
||||||
|
{
|
||||||
|
Limit = 2000,
|
||||||
|
Category = BudgetCategory.Expense,
|
||||||
|
SelectedCategories = "餐饮,购物", // Only 餐饮 matches
|
||||||
|
Name = "日常开销"
|
||||||
|
};
|
||||||
|
|
||||||
|
var startDate = DateTime.Now.AddDays(-1);
|
||||||
|
var endDate = DateTime.Now.AddDays(1);
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var amount = await _repository.GetCurrentAmountAsync(budget, startDate, endDate);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
// Should sum A+C = -150. But wait, transaction amounts for expense are negative in CreateExpense?
|
||||||
|
// Let's check CreateExpense: return CreateTestRecord(-amount, ...);
|
||||||
|
// So actual stored values are -100, -200, -50.
|
||||||
|
// SumAsync sums them up. Result should be -150.
|
||||||
|
amount.Should().Be(-150);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task UpdateBudgetCategoryNameAsync_更新分类名称_Test()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
await _repository.AddAsync(new BudgetRecord { Name = "B1", SelectedCategories = "餐饮,交通", Category = BudgetCategory.Expense });
|
||||||
|
await _repository.AddAsync(new BudgetRecord { Name = "B2", SelectedCategories = "餐饮", Category = BudgetCategory.Expense });
|
||||||
|
await _repository.AddAsync(new BudgetRecord { Name = "B3", SelectedCategories = "住宿", Category = BudgetCategory.Expense });
|
||||||
|
|
||||||
|
// Act
|
||||||
|
// 将 "餐饮" 更新为 "美食"
|
||||||
|
await _repository.UpdateBudgetCategoryNameAsync("餐饮", "美食", TransactionType.Expense);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
var all = await _repository.GetAllAsync();
|
||||||
|
var b1_updated = all.First(b => b.Name == "B1");
|
||||||
|
b1_updated.SelectedCategories.Should().Contain("美食");
|
||||||
|
b1_updated.SelectedCategories.Should().NotContain("餐饮");
|
||||||
|
|
||||||
|
var b2_updated = all.First(b => b.Name == "B2");
|
||||||
|
b2_updated.SelectedCategories.Should().Be("美食");
|
||||||
|
}
|
||||||
|
}
|
||||||
21
WebApi.Test/Repository/ConfigRepositoryTest.cs
Normal file
21
WebApi.Test/Repository/ConfigRepositoryTest.cs
Normal file
@@ -0,0 +1,21 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class ConfigRepositoryTest : RepositoryTestBase
|
||||||
|
{
|
||||||
|
private readonly IConfigRepository _repository;
|
||||||
|
|
||||||
|
public ConfigRepositoryTest()
|
||||||
|
{
|
||||||
|
_repository = new ConfigRepository(FreeSql);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetByKeyAsync_获取配置_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(new ConfigEntity { Key = "k1", Value = "v1" });
|
||||||
|
|
||||||
|
var config = await _repository.GetByKeyAsync("k1");
|
||||||
|
config.Should().NotBeNull();
|
||||||
|
config.Value.Should().Be("v1");
|
||||||
|
}
|
||||||
|
}
|
||||||
52
WebApi.Test/Repository/EmailMessageRepositoryTest.cs
Normal file
52
WebApi.Test/Repository/EmailMessageRepositoryTest.cs
Normal file
@@ -0,0 +1,52 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class EmailMessageRepositoryTest : RepositoryTestBase
|
||||||
|
{
|
||||||
|
private readonly IEmailMessageRepository _repository;
|
||||||
|
|
||||||
|
public EmailMessageRepositoryTest()
|
||||||
|
{
|
||||||
|
_repository = new EmailMessageRepository(FreeSql);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task ExistsAsync_检查存在_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(new EmailMessage { Md5 = "md5_value", Subject = "Test" });
|
||||||
|
|
||||||
|
var msg = await _repository.ExistsAsync("md5_value");
|
||||||
|
msg.Should().NotBeNull();
|
||||||
|
|
||||||
|
var notfound = await _repository.ExistsAsync("other");
|
||||||
|
notfound.Should().BeNull();
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetPagedListAsync_游标分页_Test()
|
||||||
|
{
|
||||||
|
// 插入3条数据,时间倒序
|
||||||
|
var m1 = new EmailMessage { Subject = "M1", ReceivedDate = DateTime.Now }; // Latest
|
||||||
|
var m2 = new EmailMessage { Subject = "M2", ReceivedDate = DateTime.Now.AddDays(-1) };
|
||||||
|
var m3 = new EmailMessage { Subject = "M3", ReceivedDate = DateTime.Now.AddDays(-2) }; // Oldest
|
||||||
|
|
||||||
|
// FreeSql IDs are snowflakes, increasing.
|
||||||
|
// Assuming ID order follows insertion (mostly true for snowflakes if generated sequentially)
|
||||||
|
// But ReceivedDate is the primary sort in logic usually.
|
||||||
|
// Let's verify standard cursor pagination usually sorts by Date DESC, ID DESC.
|
||||||
|
|
||||||
|
await _repository.AddAsync(m1);
|
||||||
|
await _repository.AddAsync(m2);
|
||||||
|
await _repository.AddAsync(m3);
|
||||||
|
|
||||||
|
// Fetch page 1 (size 2)
|
||||||
|
var result1 = await _repository.GetPagedListAsync(null, null, 2);
|
||||||
|
result1.list.Should().HaveCount(2);
|
||||||
|
result1.list[0].Subject.Should().Be("M1");
|
||||||
|
result1.list[1].Subject.Should().Be("M2");
|
||||||
|
|
||||||
|
// Fetch page 2 using cursor
|
||||||
|
var result2 = await _repository.GetPagedListAsync(result1.lastReceivedDate, result1.lastId, 2);
|
||||||
|
result2.list.Should().HaveCount(1);
|
||||||
|
result2.list[0].Subject.Should().Be("M3");
|
||||||
|
}
|
||||||
|
}
|
||||||
37
WebApi.Test/Repository/MessageRecordRepositoryTest.cs
Normal file
37
WebApi.Test/Repository/MessageRecordRepositoryTest.cs
Normal file
@@ -0,0 +1,37 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class MessageRecordRepositoryTest : RepositoryTestBase
|
||||||
|
{
|
||||||
|
private readonly IMessageRecordRepository _repository;
|
||||||
|
|
||||||
|
public MessageRecordRepositoryTest()
|
||||||
|
{
|
||||||
|
_repository = new MessageRecordRepository(FreeSql);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetPagedListAsync_分页_Test()
|
||||||
|
{
|
||||||
|
for (int i = 0; i < 5; i++)
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(new MessageRecord { Content = $"Msg{i}" });
|
||||||
|
}
|
||||||
|
|
||||||
|
var result = await _repository.GetPagedListAsync(1, 2);
|
||||||
|
result.Total.Should().Be(5);
|
||||||
|
result.List.Should().HaveCount(2);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task MarkAllAsReadAsync_全部标记已读_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(new MessageRecord { IsRead = false });
|
||||||
|
await _repository.AddAsync(new MessageRecord { IsRead = false });
|
||||||
|
await _repository.AddAsync(new MessageRecord { IsRead = true });
|
||||||
|
|
||||||
|
await _repository.MarkAllAsReadAsync();
|
||||||
|
|
||||||
|
var all = await _repository.GetAllAsync();
|
||||||
|
all.All(x => x.IsRead).Should().BeTrue();
|
||||||
|
}
|
||||||
|
}
|
||||||
21
WebApi.Test/Repository/PushSubscriptionRepositoryTest.cs
Normal file
21
WebApi.Test/Repository/PushSubscriptionRepositoryTest.cs
Normal file
@@ -0,0 +1,21 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class PushSubscriptionRepositoryTest : RepositoryTestBase
|
||||||
|
{
|
||||||
|
private readonly IPushSubscriptionRepository _repository;
|
||||||
|
|
||||||
|
public PushSubscriptionRepositoryTest()
|
||||||
|
{
|
||||||
|
_repository = new PushSubscriptionRepository(FreeSql);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetByEndpointAsync_通过Endpoint获取_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(new PushSubscription { Endpoint = "ep1" });
|
||||||
|
|
||||||
|
var sub = await _repository.GetByEndpointAsync("ep1");
|
||||||
|
sub.Should().NotBeNull();
|
||||||
|
sub.Endpoint.Should().Be("ep1");
|
||||||
|
}
|
||||||
|
}
|
||||||
29
WebApi.Test/Repository/RepositoryTestBase.cs
Normal file
29
WebApi.Test/Repository/RepositoryTestBase.cs
Normal file
@@ -0,0 +1,29 @@
|
|||||||
|
using FreeSql;
|
||||||
|
|
||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public abstract class RepositoryTestBase : BaseTest, IDisposable
|
||||||
|
{
|
||||||
|
protected IFreeSql FreeSql { get; }
|
||||||
|
|
||||||
|
protected RepositoryTestBase()
|
||||||
|
{
|
||||||
|
FreeSql = new FreeSqlBuilder()
|
||||||
|
.UseConnectionString(DataType.Sqlite, "Data Source=:memory:")
|
||||||
|
.UseAutoSyncStructure(true)
|
||||||
|
.UseNoneCommandParameter(true)
|
||||||
|
.Build();
|
||||||
|
}
|
||||||
|
|
||||||
|
public void Dispose()
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
FreeSql.Dispose();
|
||||||
|
}
|
||||||
|
catch
|
||||||
|
{
|
||||||
|
// ignore
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
50
WebApi.Test/Repository/TransactionCategoryRepositoryTest.cs
Normal file
50
WebApi.Test/Repository/TransactionCategoryRepositoryTest.cs
Normal file
@@ -0,0 +1,50 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class TransactionCategoryRepositoryTest : TransactionTestBase
|
||||||
|
{
|
||||||
|
private readonly ITransactionCategoryRepository _repository;
|
||||||
|
private readonly ITransactionRecordRepository _transactionRepository;
|
||||||
|
|
||||||
|
public TransactionCategoryRepositoryTest()
|
||||||
|
{
|
||||||
|
_repository = new TransactionCategoryRepository(FreeSql);
|
||||||
|
_transactionRepository = new TransactionRecordRepository(FreeSql);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoriesByTypeAsync_按类型获取_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(new TransactionCategory { Name = "C1", Type = TransactionType.Expense });
|
||||||
|
await _repository.AddAsync(new TransactionCategory { Name = "C2", Type = TransactionType.Income });
|
||||||
|
|
||||||
|
var results = await _repository.GetCategoriesByTypeAsync(TransactionType.Expense);
|
||||||
|
results.Should().HaveCount(1);
|
||||||
|
results.First().Name.Should().Be("C1");
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetByNameAndTypeAsync_按名称和类型查找_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(new TransactionCategory { Name = "C1", Type = TransactionType.Expense });
|
||||||
|
|
||||||
|
var category = await _repository.GetByNameAndTypeAsync("C1", TransactionType.Expense);
|
||||||
|
category.Should().NotBeNull();
|
||||||
|
category.Name.Should().Be("C1");
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task IsCategoryInUseAsync_检查是否使用_Test()
|
||||||
|
{
|
||||||
|
var category = new TransactionCategory { Name = "UsedCategory", Type = TransactionType.Expense };
|
||||||
|
await _repository.AddAsync(category);
|
||||||
|
|
||||||
|
var unused = new TransactionCategory { Name = "Unused", Type = TransactionType.Expense };
|
||||||
|
await _repository.AddAsync(unused);
|
||||||
|
|
||||||
|
// Add transaction using "UsedCategory"
|
||||||
|
await _transactionRepository.AddAsync(CreateExpense(100, classify: "UsedCategory"));
|
||||||
|
|
||||||
|
(await _repository.IsCategoryInUseAsync(category.Id)).Should().BeTrue();
|
||||||
|
(await _repository.IsCategoryInUseAsync(unused.Id)).Should().BeFalse();
|
||||||
|
}
|
||||||
|
}
|
||||||
44
WebApi.Test/Repository/TransactionPeriodicRepositoryTest.cs
Normal file
44
WebApi.Test/Repository/TransactionPeriodicRepositoryTest.cs
Normal file
@@ -0,0 +1,44 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class TransactionPeriodicRepositoryTest : TransactionTestBase
|
||||||
|
{
|
||||||
|
private readonly ITransactionPeriodicRepository _repository;
|
||||||
|
|
||||||
|
public TransactionPeriodicRepositoryTest()
|
||||||
|
{
|
||||||
|
_repository = new TransactionPeriodicRepository(FreeSql);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetPendingPeriodicBillsAsync_获取待执行账单_Test()
|
||||||
|
{
|
||||||
|
// 应该执行的:NextExecuteTime <= Now
|
||||||
|
await _repository.AddAsync(new TransactionPeriodic { Reason = "Bill1", NextExecuteTime = DateTime.Now.AddDays(-1), IsEnabled = true });
|
||||||
|
|
||||||
|
// 不该执行的:NextExecuteTime > Now
|
||||||
|
await _repository.AddAsync(new TransactionPeriodic { Reason = "Bill2", NextExecuteTime = DateTime.Now.AddDays(1), IsEnabled = true });
|
||||||
|
|
||||||
|
// 不该执行的:未激活
|
||||||
|
await _repository.AddAsync(new TransactionPeriodic { Reason = "Bill3", NextExecuteTime = DateTime.Now.AddDays(-1), IsEnabled = false });
|
||||||
|
|
||||||
|
var results = await _repository.GetPendingPeriodicBillsAsync();
|
||||||
|
results.Should().HaveCount(1);
|
||||||
|
results.First().Reason.Should().Be("Bill1");
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task UpdateExecuteTimeAsync_更新执行时间_Test()
|
||||||
|
{
|
||||||
|
var bill = new TransactionPeriodic { Reason = "Bill", NextExecuteTime = DateTime.Now };
|
||||||
|
await _repository.AddAsync(bill);
|
||||||
|
|
||||||
|
var last = DateTime.Now;
|
||||||
|
var next = DateTime.Now.AddMonths(1);
|
||||||
|
|
||||||
|
await _repository.UpdateExecuteTimeAsync(bill.Id, last, next);
|
||||||
|
|
||||||
|
var updated = await _repository.GetByIdAsync(bill.Id);
|
||||||
|
updated!.LastExecuteTime.Should().BeCloseTo(last, TimeSpan.FromSeconds(1));
|
||||||
|
updated.NextExecuteTime.Should().BeCloseTo(next, TimeSpan.FromSeconds(1));
|
||||||
|
}
|
||||||
|
}
|
||||||
106
WebApi.Test/Repository/TransactionRecordRepositoryTest.cs
Normal file
106
WebApi.Test/Repository/TransactionRecordRepositoryTest.cs
Normal file
@@ -0,0 +1,106 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class TransactionRecordRepositoryTest : TransactionTestBase
|
||||||
|
{
|
||||||
|
private readonly ITransactionRecordRepository _repository;
|
||||||
|
|
||||||
|
public TransactionRecordRepositoryTest()
|
||||||
|
{
|
||||||
|
_repository = new TransactionRecordRepository(FreeSql);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task AddAsync_添加记录_Test()
|
||||||
|
{
|
||||||
|
var record = CreateTestRecord(-100);
|
||||||
|
var result = await _repository.AddAsync(record);
|
||||||
|
result.Should().BeTrue();
|
||||||
|
|
||||||
|
var dbRecord = await _repository.GetByIdAsync(record.Id);
|
||||||
|
dbRecord.Should().NotBeNull();
|
||||||
|
dbRecord.Amount.Should().Be(-100);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task QueryAsync_按类型筛选_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(CreateExpense(100));
|
||||||
|
await _repository.AddAsync(CreateIncome(200));
|
||||||
|
|
||||||
|
var expenses = await _repository.QueryAsync(type: TransactionType.Expense);
|
||||||
|
expenses.Should().HaveCount(1);
|
||||||
|
expenses.First().Amount.Should().Be(-100);
|
||||||
|
|
||||||
|
var incomes = await _repository.QueryAsync(type: TransactionType.Income);
|
||||||
|
incomes.Should().HaveCount(1);
|
||||||
|
incomes.First().Amount.Should().Be(200);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task QueryAsync_按通过时间范围筛选_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(CreateExpense(100, new DateTime(2023, 1, 1)));
|
||||||
|
await _repository.AddAsync(CreateExpense(100, new DateTime(2023, 2, 1)));
|
||||||
|
await _repository.AddAsync(CreateExpense(100, new DateTime(2023, 3, 1)));
|
||||||
|
|
||||||
|
// 查询 1月到2月
|
||||||
|
var results = await _repository.QueryAsync(
|
||||||
|
startDate: new DateTime(2023, 1, 1),
|
||||||
|
endDate: new DateTime(2023, 2, 28)); // Include Feb
|
||||||
|
|
||||||
|
results.Should().HaveCount(2);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task QueryAsync_按年月筛选_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(CreateExpense(100, new DateTime(2023, 1, 15)));
|
||||||
|
await _repository.AddAsync(CreateExpense(100, new DateTime(2023, 2, 15)));
|
||||||
|
|
||||||
|
var results = await _repository.QueryAsync(year: 2023, month: 1);
|
||||||
|
results.Should().HaveCount(1);
|
||||||
|
results.First().OccurredAt.Month.Should().Be(1);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task CountAsync_统计数量_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(CreateExpense(100));
|
||||||
|
await _repository.AddAsync(CreateExpense(200));
|
||||||
|
await _repository.AddAsync(CreateIncome(3000));
|
||||||
|
|
||||||
|
var count = await _repository.CountAsync(type: TransactionType.Expense);
|
||||||
|
count.Should().Be(2);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetDistinctClassifyAsync_获取去重分类_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(CreateExpense(100, classify: "餐饮"));
|
||||||
|
await _repository.AddAsync(CreateExpense(100, classify: "餐饮"));
|
||||||
|
await _repository.AddAsync(CreateExpense(100, classify: "交通"));
|
||||||
|
|
||||||
|
var classifies = await _repository.GetDistinctClassifyAsync();
|
||||||
|
classifies.Should().HaveCount(2);
|
||||||
|
classifies.Should().Contain("餐饮");
|
||||||
|
classifies.Should().Contain("交通");
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task BatchUpdateByReasonAsync_批量更新_Test()
|
||||||
|
{
|
||||||
|
await _repository.AddAsync(CreateExpense(100, reason: "麦当劳", classify: "餐饮"));
|
||||||
|
await _repository.AddAsync(CreateExpense(100, reason: "麦当劳", classify: "餐饮"));
|
||||||
|
await _repository.AddAsync(CreateExpense(100, reason: "肯德基", classify: "餐饮"));
|
||||||
|
|
||||||
|
// 将所有"麦当劳"改为"快餐"分类,类型保持支出
|
||||||
|
var count = await _repository.BatchUpdateByReasonAsync("麦当劳", TransactionType.Expense, "快餐");
|
||||||
|
count.Should().Be(2);
|
||||||
|
|
||||||
|
var records = await _repository.QueryAsync(reason: "麦当劳");
|
||||||
|
records.All(r => r.Classify == "快餐").Should().BeTrue();
|
||||||
|
|
||||||
|
var kfc = await _repository.QueryAsync(reason: "肯德基");
|
||||||
|
kfc.First().Classify.Should().Be("餐饮");
|
||||||
|
}
|
||||||
|
}
|
||||||
36
WebApi.Test/Repository/TransactionTestBase.cs
Normal file
36
WebApi.Test/Repository/TransactionTestBase.cs
Normal file
@@ -0,0 +1,36 @@
|
|||||||
|
namespace WebApi.Test.Repository;
|
||||||
|
|
||||||
|
public class TransactionTestBase : RepositoryTestBase
|
||||||
|
{
|
||||||
|
protected TransactionRecord CreateTestRecord(
|
||||||
|
decimal amount,
|
||||||
|
TransactionType type = TransactionType.Expense,
|
||||||
|
DateTime? occurredAt = null,
|
||||||
|
string reason = "测试摘要",
|
||||||
|
string classify = "测试分类")
|
||||||
|
{
|
||||||
|
return new TransactionRecord
|
||||||
|
{
|
||||||
|
Amount = amount,
|
||||||
|
Type = type,
|
||||||
|
OccurredAt = occurredAt ?? DateTime.Now,
|
||||||
|
Reason = reason,
|
||||||
|
Classify = classify,
|
||||||
|
Card = "1234",
|
||||||
|
Balance = 1000,
|
||||||
|
EmailMessageId = 1,
|
||||||
|
ImportNo = Guid.NewGuid().ToString(),
|
||||||
|
ImportFrom = "测试"
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
protected TransactionRecord CreateExpense(decimal amount, DateTime? occurredAt = null, string reason = "支出", string classify = "餐饮")
|
||||||
|
{
|
||||||
|
return CreateTestRecord(-amount, TransactionType.Expense, occurredAt, reason, classify);
|
||||||
|
}
|
||||||
|
|
||||||
|
protected TransactionRecord CreateIncome(decimal amount, DateTime? occurredAt = null, string reason = "收入", string classify = "工资")
|
||||||
|
{
|
||||||
|
return CreateTestRecord(amount, TransactionType.Income, occurredAt, reason, classify);
|
||||||
|
}
|
||||||
|
}
|
||||||
254
WebApi.Test/Transaction/TransactionPeriodicServiceTest.cs
Normal file
254
WebApi.Test/Transaction/TransactionPeriodicServiceTest.cs
Normal file
@@ -0,0 +1,254 @@
|
|||||||
|
using Microsoft.Extensions.Logging;
|
||||||
|
using Service.Transaction;
|
||||||
|
|
||||||
|
namespace WebApi.Test.Transaction;
|
||||||
|
|
||||||
|
public class TransactionPeriodicServiceTest : BaseTest
|
||||||
|
{
|
||||||
|
private readonly ITransactionPeriodicRepository _periodicRepository = Substitute.For<ITransactionPeriodicRepository>();
|
||||||
|
private readonly ITransactionRecordRepository _transactionRepository = Substitute.For<ITransactionRecordRepository>();
|
||||||
|
private readonly IMessageRecordRepository _messageRepository = Substitute.For<IMessageRecordRepository>();
|
||||||
|
private readonly ILogger<TransactionPeriodicService> _logger = Substitute.For<ILogger<TransactionPeriodicService>>();
|
||||||
|
private readonly ITransactionPeriodicService _service;
|
||||||
|
|
||||||
|
public TransactionPeriodicServiceTest()
|
||||||
|
{
|
||||||
|
_service = new TransactionPeriodicService(
|
||||||
|
_periodicRepository,
|
||||||
|
_transactionRepository,
|
||||||
|
_messageRepository,
|
||||||
|
_logger
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task ExecutePeriodicBillsAsync_每日账单()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var today = DateTime.Today;
|
||||||
|
var periodicBill = new TransactionPeriodic
|
||||||
|
{
|
||||||
|
Id = 1,
|
||||||
|
PeriodicType = PeriodicType.Daily,
|
||||||
|
Amount = 100m,
|
||||||
|
Type = TransactionType.Expense,
|
||||||
|
Classify = "餐饮",
|
||||||
|
Reason = "每日餐费",
|
||||||
|
IsEnabled = true,
|
||||||
|
LastExecuteTime = today.AddDays(-1),
|
||||||
|
NextExecuteTime = today
|
||||||
|
};
|
||||||
|
|
||||||
|
_periodicRepository.GetPendingPeriodicBillsAsync().Returns(new[] { periodicBill });
|
||||||
|
_transactionRepository.AddAsync(Arg.Any<TransactionRecord>()).Returns(Task.FromResult(true));
|
||||||
|
_messageRepository.AddAsync(Arg.Any<MessageRecord>()).Returns(Task.FromResult(true));
|
||||||
|
_periodicRepository.UpdateExecuteTimeAsync(Arg.Any<long>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
|
.Returns(Task.FromResult(true));
|
||||||
|
|
||||||
|
// Act
|
||||||
|
await _service.ExecutePeriodicBillsAsync();
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
// Service inserts Amount directly from periodicBill.Amount (100 is positive)
|
||||||
|
await _transactionRepository.Received(1).AddAsync(Arg.Is<TransactionRecord>(t =>
|
||||||
|
t.Amount == 100m &&
|
||||||
|
t.Type == TransactionType.Expense &&
|
||||||
|
t.Classify == "餐饮" &&
|
||||||
|
t.Reason == "每日餐费" &&
|
||||||
|
t.Card == "周期性账单" &&
|
||||||
|
t.ImportFrom == "周期性账单自动生成"
|
||||||
|
));
|
||||||
|
|
||||||
|
await _messageRepository.Received(1).AddAsync(Arg.Is<MessageRecord>(m =>
|
||||||
|
m.Title == "周期性账单提醒" &&
|
||||||
|
m.Content.Contains("支出") &&
|
||||||
|
m.Content.Contains("100.00") &&
|
||||||
|
m.Content.Contains("每日餐费") &&
|
||||||
|
m.IsRead == false
|
||||||
|
));
|
||||||
|
|
||||||
|
await _periodicRepository.Received(1).UpdateExecuteTimeAsync(
|
||||||
|
Arg.Is(1L),
|
||||||
|
Arg.Any<DateTime>(),
|
||||||
|
Arg.Any<DateTime?>()
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task ExecutePeriodicBillsAsync_每周账单()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var periodicBill = new TransactionPeriodic
|
||||||
|
{
|
||||||
|
Id = 1,
|
||||||
|
PeriodicType = PeriodicType.Daily, // Force execution to avoid DayOfWeek issues
|
||||||
|
Amount = 200m,
|
||||||
|
Type = TransactionType.Expense,
|
||||||
|
Classify = "交通",
|
||||||
|
Reason = "每周通勤费",
|
||||||
|
IsEnabled = true,
|
||||||
|
LastExecuteTime = DateTime.Today.AddDays(-7),
|
||||||
|
NextExecuteTime = DateTime.Today
|
||||||
|
};
|
||||||
|
|
||||||
|
_periodicRepository.GetPendingPeriodicBillsAsync().Returns(new[] { periodicBill });
|
||||||
|
_transactionRepository.AddAsync(Arg.Any<TransactionRecord>()).Returns(Task.FromResult(true));
|
||||||
|
_messageRepository.AddAsync(Arg.Any<MessageRecord>()).Returns(Task.FromResult(true));
|
||||||
|
_periodicRepository.UpdateExecuteTimeAsync(Arg.Any<long>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
|
.Returns(Task.FromResult(true));
|
||||||
|
|
||||||
|
// Act
|
||||||
|
await _service.ExecutePeriodicBillsAsync();
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
await _transactionRepository.Received(1).AddAsync(Arg.Is<TransactionRecord>(t =>
|
||||||
|
t.Amount == 200m && // Positive matching input
|
||||||
|
t.Type == TransactionType.Expense &&
|
||||||
|
t.Classify == "交通" &&
|
||||||
|
t.Reason == "每周通勤费"
|
||||||
|
));
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task ExecutePeriodicBillsAsync_每月账单()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var periodicBill = new TransactionPeriodic
|
||||||
|
{
|
||||||
|
Id = 1,
|
||||||
|
PeriodicType = PeriodicType.Daily, // Force execution
|
||||||
|
Amount = 5000m,
|
||||||
|
Type = TransactionType.Income,
|
||||||
|
Classify = "工资",
|
||||||
|
Reason = "每月工资",
|
||||||
|
IsEnabled = true,
|
||||||
|
LastExecuteTime = DateTime.Today.AddMonths(-1),
|
||||||
|
NextExecuteTime = DateTime.Today
|
||||||
|
};
|
||||||
|
|
||||||
|
_periodicRepository.GetPendingPeriodicBillsAsync().Returns(new[] { periodicBill });
|
||||||
|
_transactionRepository.AddAsync(Arg.Any<TransactionRecord>()).Returns(Task.FromResult(true));
|
||||||
|
_messageRepository.AddAsync(Arg.Any<MessageRecord>()).Returns(Task.FromResult(true));
|
||||||
|
_periodicRepository.UpdateExecuteTimeAsync(Arg.Any<long>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
|
.Returns(Task.FromResult(true));
|
||||||
|
|
||||||
|
// Act
|
||||||
|
await _service.ExecutePeriodicBillsAsync();
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
await _transactionRepository.Received(1).AddAsync(Arg.Is<TransactionRecord>(t =>
|
||||||
|
t.Amount == 5000m &&
|
||||||
|
t.Type == TransactionType.Income &&
|
||||||
|
t.Classify == "工资" &&
|
||||||
|
t.Reason == "每月工资"
|
||||||
|
));
|
||||||
|
|
||||||
|
await _messageRepository.Received(1).AddAsync(Arg.Is<MessageRecord>(m =>
|
||||||
|
m.Content.Contains("收入") &&
|
||||||
|
m.Content.Contains("5000.00") &&
|
||||||
|
m.Content.Contains("每月工资")
|
||||||
|
));
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task ExecutePeriodicBillsAsync_未达到执行时间()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var periodicBill = new TransactionPeriodic
|
||||||
|
{
|
||||||
|
Id = 1,
|
||||||
|
PeriodicType = PeriodicType.Weekly,
|
||||||
|
PeriodicConfig = "1,3,5",
|
||||||
|
Amount = 200m,
|
||||||
|
Type = TransactionType.Expense,
|
||||||
|
Classify = "交通",
|
||||||
|
Reason = "每周通勤费",
|
||||||
|
IsEnabled = true,
|
||||||
|
LastExecuteTime = DateTime.Today, // Executed today
|
||||||
|
NextExecuteTime = DateTime.Today.AddDays(1)
|
||||||
|
};
|
||||||
|
|
||||||
|
_periodicRepository.GetPendingPeriodicBillsAsync().Returns(new[] { periodicBill });
|
||||||
|
_transactionRepository.AddAsync(Arg.Any<TransactionRecord>()).Returns(Task.FromResult(true));
|
||||||
|
|
||||||
|
// Act
|
||||||
|
await _service.ExecutePeriodicBillsAsync();
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
await _transactionRepository.DidNotReceive().AddAsync(Arg.Any<TransactionRecord>());
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task ExecutePeriodicBillsAsync_今天已执行过()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var periodicBill = new TransactionPeriodic
|
||||||
|
{
|
||||||
|
Id = 1,
|
||||||
|
PeriodicType = PeriodicType.Daily,
|
||||||
|
Amount = 100m,
|
||||||
|
Type = TransactionType.Expense,
|
||||||
|
Classify = "餐饮",
|
||||||
|
Reason = "每日餐费",
|
||||||
|
IsEnabled = true,
|
||||||
|
LastExecuteTime = DateTime.Today,
|
||||||
|
NextExecuteTime = DateTime.Today.AddDays(1)
|
||||||
|
};
|
||||||
|
|
||||||
|
_periodicRepository.GetPendingPeriodicBillsAsync().Returns(new[] { periodicBill });
|
||||||
|
_transactionRepository.AddAsync(Arg.Any<TransactionRecord>()).Returns(Task.FromResult(true));
|
||||||
|
|
||||||
|
// Act
|
||||||
|
await _service.ExecutePeriodicBillsAsync();
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
await _transactionRepository.DidNotReceive().AddAsync(Arg.Any<TransactionRecord>());
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task ExecutePeriodicBillsAsync_处理所有账单()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var periodicBills = new[]
|
||||||
|
{
|
||||||
|
new TransactionPeriodic
|
||||||
|
{
|
||||||
|
Id = 1,
|
||||||
|
PeriodicType = PeriodicType.Daily,
|
||||||
|
Amount = 100m,
|
||||||
|
Type = TransactionType.Expense,
|
||||||
|
Classify = "餐饮",
|
||||||
|
Reason = "每日餐费",
|
||||||
|
IsEnabled = false, // Disabled
|
||||||
|
LastExecuteTime = DateTime.Today.AddDays(-1),
|
||||||
|
NextExecuteTime = DateTime.Today
|
||||||
|
},
|
||||||
|
new TransactionPeriodic
|
||||||
|
{
|
||||||
|
Id = 2,
|
||||||
|
PeriodicType = PeriodicType.Daily,
|
||||||
|
Amount = 200m,
|
||||||
|
Type = TransactionType.Expense,
|
||||||
|
Classify = "交通",
|
||||||
|
Reason = "每日交通",
|
||||||
|
IsEnabled = true,
|
||||||
|
LastExecuteTime = DateTime.Today.AddDays(-1),
|
||||||
|
NextExecuteTime = DateTime.Today
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
_periodicRepository.GetPendingPeriodicBillsAsync().Returns(periodicBills);
|
||||||
|
_transactionRepository.AddAsync(Arg.Any<TransactionRecord>()).Returns(Task.FromResult(true));
|
||||||
|
_messageRepository.AddAsync(Arg.Any<MessageRecord>()).Returns(Task.FromResult(true));
|
||||||
|
_periodicRepository.UpdateExecuteTimeAsync(Arg.Any<long>(), Arg.Any<DateTime>(), Arg.Any<DateTime>())
|
||||||
|
.Returns(Task.FromResult(true));
|
||||||
|
|
||||||
|
// Act
|
||||||
|
await _service.ExecutePeriodicBillsAsync();
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
// 只有启用的账单会被处理
|
||||||
|
await _transactionRepository.Received(1).AddAsync(Arg.Is<TransactionRecord>(t => t.Reason == "每日交通"));
|
||||||
|
await _transactionRepository.Received(0).AddAsync(Arg.Is<TransactionRecord>(t => t.Reason == "每日餐费"));
|
||||||
|
}
|
||||||
|
}
|
||||||
279
WebApi.Test/Transaction/TransactionStatisticsServiceTest.cs
Normal file
279
WebApi.Test/Transaction/TransactionStatisticsServiceTest.cs
Normal file
@@ -0,0 +1,279 @@
|
|||||||
|
using Service.Transaction;
|
||||||
|
|
||||||
|
namespace WebApi.Test.Transaction;
|
||||||
|
|
||||||
|
public class TransactionStatisticsServiceTest : BaseTest
|
||||||
|
{
|
||||||
|
private readonly ITransactionRecordRepository _transactionRepository = Substitute.For<ITransactionRecordRepository>();
|
||||||
|
private readonly ITransactionStatisticsService _service;
|
||||||
|
|
||||||
|
public TransactionStatisticsServiceTest()
|
||||||
|
{
|
||||||
|
// 默认配置 QueryAsync 返回空列表
|
||||||
|
_transactionRepository.QueryAsync(
|
||||||
|
Arg.Any<int?>(),
|
||||||
|
Arg.Any<int?>(),
|
||||||
|
Arg.Any<DateTime?>(),
|
||||||
|
Arg.Any<DateTime?>(),
|
||||||
|
Arg.Any<TransactionType?>(),
|
||||||
|
Arg.Any<string[]>(),
|
||||||
|
Arg.Any<string>(),
|
||||||
|
Arg.Any<string>(),
|
||||||
|
Arg.Any<int>(),
|
||||||
|
Arg.Any<int>(),
|
||||||
|
Arg.Any<bool>())
|
||||||
|
.ReturnsForAnyArgs(new List<TransactionRecord>());
|
||||||
|
|
||||||
|
_service = new TransactionStatisticsService(
|
||||||
|
_transactionRepository
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
private void ConfigureQueryAsync(List<TransactionRecord> data)
|
||||||
|
{
|
||||||
|
_transactionRepository.QueryAsync(
|
||||||
|
Arg.Any<int?>(),
|
||||||
|
Arg.Any<int?>(),
|
||||||
|
Arg.Any<DateTime?>(),
|
||||||
|
Arg.Any<DateTime?>(),
|
||||||
|
Arg.Any<TransactionType?>(),
|
||||||
|
Arg.Any<string[]>(),
|
||||||
|
Arg.Any<string>(),
|
||||||
|
Arg.Any<string>(),
|
||||||
|
Arg.Any<int>(),
|
||||||
|
Arg.Any<int>(),
|
||||||
|
Arg.Any<bool>())
|
||||||
|
.ReturnsForAnyArgs(data);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetDailyStatisticsAsync_基本测试()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var year = 2024;
|
||||||
|
var month = 1;
|
||||||
|
var testData = new List<TransactionRecord>
|
||||||
|
{
|
||||||
|
new() { Id=1, OccurredAt=new DateTime(2024,1,1), Amount=-100m, Type=TransactionType.Expense },
|
||||||
|
new() { Id=2, OccurredAt=new DateTime(2024,1,1), Amount=-50m, Type=TransactionType.Expense },
|
||||||
|
new() { Id=3, OccurredAt=new DateTime(2024,1,2), Amount=5000m, Type=TransactionType.Income }
|
||||||
|
};
|
||||||
|
|
||||||
|
ConfigureQueryAsync(testData);
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetDailyStatisticsAsync(year, month);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
result.Should().ContainKey("2024-01-01");
|
||||||
|
result["2024-01-01"].expense.Should().Be(150m);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetDailyStatisticsAsync_月份为0查询全年()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var year = 2024;
|
||||||
|
var month = 0; // 0 表示查询全年
|
||||||
|
var testData = new List<TransactionRecord>
|
||||||
|
{
|
||||||
|
// 1月
|
||||||
|
new() { Id=1, OccurredAt=new DateTime(2024,1,15), Amount=-100m, Type=TransactionType.Expense },
|
||||||
|
new() { Id=2, OccurredAt=new DateTime(2024,1,20), Amount=5000m, Type=TransactionType.Income },
|
||||||
|
// 6月
|
||||||
|
new() { Id=3, OccurredAt=new DateTime(2024,6,10), Amount=-200m, Type=TransactionType.Expense },
|
||||||
|
new() { Id=4, OccurredAt=new DateTime(2024,6,15), Amount=3000m, Type=TransactionType.Income },
|
||||||
|
// 12月
|
||||||
|
new() { Id=5, OccurredAt=new DateTime(2024,12,25), Amount=-300m, Type=TransactionType.Expense },
|
||||||
|
new() { Id=6, OccurredAt=new DateTime(2024,12,31), Amount=2000m, Type=TransactionType.Income }
|
||||||
|
};
|
||||||
|
|
||||||
|
ConfigureQueryAsync(testData);
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetDailyStatisticsAsync(year, month);
|
||||||
|
|
||||||
|
// Assert - 应包含全年各个月份的数据
|
||||||
|
result.Should().ContainKey("2024-01-15");
|
||||||
|
result.Should().ContainKey("2024-06-10");
|
||||||
|
result.Should().ContainKey("2024-12-31");
|
||||||
|
result["2024-01-15"].expense.Should().Be(100m);
|
||||||
|
result["2024-06-10"].expense.Should().Be(200m);
|
||||||
|
result["2024-12-31"].income.Should().Be(2000m);
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetDailyStatisticsAsync_月份为0不应抛出异常()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var year = 2026;
|
||||||
|
var month = 0;
|
||||||
|
ConfigureQueryAsync(new List<TransactionRecord>());
|
||||||
|
|
||||||
|
// Act & Assert - 不应抛出 ArgumentOutOfRangeException
|
||||||
|
var act = async () => await _service.GetDailyStatisticsAsync(year, month);
|
||||||
|
await act.Should().NotThrowAsync<ArgumentOutOfRangeException>();
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetDailyStatisticsAsync_包含存款分类统计()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var year = 2024;
|
||||||
|
var month = 1;
|
||||||
|
var savingClassify = "股票,基金"; // 存款分类
|
||||||
|
var testData = new List<TransactionRecord>
|
||||||
|
{
|
||||||
|
new() { Id=1, OccurredAt=new DateTime(2024,1,1), Amount=-100m, Type=TransactionType.Expense, Classify="餐饮" },
|
||||||
|
new() { Id=2, OccurredAt=new DateTime(2024,1,1), Amount=-500m, Type=TransactionType.Expense, Classify="股票" },
|
||||||
|
new() { Id=3, OccurredAt=new DateTime(2024,1,1), Amount=-300m, Type=TransactionType.Expense, Classify="基金" }
|
||||||
|
};
|
||||||
|
|
||||||
|
ConfigureQueryAsync(testData);
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetDailyStatisticsAsync(year, month, savingClassify);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
result.Should().ContainKey("2024-01-01");
|
||||||
|
result["2024-01-01"].saving.Should().Be(800m); // 股票500 + 基金300
|
||||||
|
result["2024-01-01"].expense.Should().Be(900m); // 总支出
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetTrendStatisticsAsync_多个月份()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var startYear = 2024;
|
||||||
|
var startMonth = 1;
|
||||||
|
var monthCount = 3;
|
||||||
|
|
||||||
|
var allRecords = new List<TransactionRecord>
|
||||||
|
{
|
||||||
|
// Month 1
|
||||||
|
new() { Id = 1, OccurredAt = new DateTime(2024, 1, 1), Amount = -1000m, Type = TransactionType.Expense },
|
||||||
|
new() { Id = 2, OccurredAt = new DateTime(2024, 1, 5), Amount = 5000m, Type = TransactionType.Income },
|
||||||
|
// Month 2
|
||||||
|
new() { Id = 3, OccurredAt = new DateTime(2024, 2, 1), Amount = -1500m, Type = TransactionType.Expense },
|
||||||
|
new() { Id = 4, OccurredAt = new DateTime(2024, 2, 5), Amount = 5000m, Type = TransactionType.Income },
|
||||||
|
// Month 3
|
||||||
|
new() { Id = 5, OccurredAt = new DateTime(2024, 3, 1), Amount = -2000m, Type = TransactionType.Expense },
|
||||||
|
new() { Id = 6, OccurredAt = new DateTime(2024, 3, 5), Amount = 5000m, Type = TransactionType.Income }
|
||||||
|
};
|
||||||
|
|
||||||
|
// Mock Logic: filter by year (Arg[0]) and month (Arg[1]) and type (Arg[4]) if provided
|
||||||
|
_transactionRepository.QueryAsync(
|
||||||
|
Arg.Any<int?>(), Arg.Any<int?>(), Arg.Any<DateTime?>(), Arg.Any<DateTime?>(), Arg.Any<TransactionType?>(), Arg.Any<string[]>(), Arg.Any<string>(), Arg.Any<string>(), Arg.Any<int>(), Arg.Any<int>(), Arg.Any<bool>()
|
||||||
|
).Returns(callInfo =>
|
||||||
|
{
|
||||||
|
var y = callInfo.ArgAt<int?>(0);
|
||||||
|
var m = callInfo.ArgAt<int?>(1);
|
||||||
|
var type = callInfo.ArgAt<TransactionType?>(4);
|
||||||
|
|
||||||
|
var query = allRecords.AsEnumerable();
|
||||||
|
if (y.HasValue) query = query.Where(t => t.OccurredAt.Year == y.Value);
|
||||||
|
if (m.HasValue) query = query.Where(t => t.OccurredAt.Month == m.Value);
|
||||||
|
// Service calls QueryAsync with 'type' parameter?
|
||||||
|
// In GetTrendStatisticsAsync: transactionRepository.QueryAsync(year: targetYear, month: targetMonth...)
|
||||||
|
// It does NOT pass type. So type is null.
|
||||||
|
// But Service THEN filters by Type in memory.
|
||||||
|
|
||||||
|
return query.ToList();
|
||||||
|
});
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetTrendStatisticsAsync(startYear, startMonth, monthCount);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
result.Should().HaveCount(3);
|
||||||
|
result[0].Month.Should().Be(1);
|
||||||
|
result[0].Expense.Should().Be(1000m); // Abs(-1000)
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetReasonGroupsAsync_基本测试()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var testData = new List<TransactionRecord>
|
||||||
|
{
|
||||||
|
new() { Id=1, Reason="M", Classify="", Amount=-50m, Type=TransactionType.Expense },
|
||||||
|
new() { Id=2, Reason="M", Classify="", Amount=-80m, Type=TransactionType.Expense }
|
||||||
|
};
|
||||||
|
|
||||||
|
ConfigureQueryAsync(testData);
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetReasonGroupsAsync();
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
var item = result.list.First(x => x.Reason == "M");
|
||||||
|
item.TotalAmount.Should().Be(130m); // Expect positive (Abs) as per Service logic
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetClassifiedByKeywordsWithScoreAsync_基本测试()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var keywords = new List<string> { "麦当劳" };
|
||||||
|
var testData = new List<TransactionRecord>
|
||||||
|
{
|
||||||
|
new() { Id=1, Reason="麦当劳午餐", Classify="餐饮" }
|
||||||
|
};
|
||||||
|
|
||||||
|
// Needs to mock GetClassifiedByKeywordsAsync
|
||||||
|
_transactionRepository.GetClassifiedByKeywordsAsync(Arg.Any<List<string>>(), Arg.Any<int>())
|
||||||
|
.Returns(Task.FromResult(testData));
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetClassifiedByKeywordsWithScoreAsync(keywords);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
result.Should().HaveCount(1);
|
||||||
|
result[0].record.Reason.Should().Contain("麦当劳");
|
||||||
|
}
|
||||||
|
|
||||||
|
[Fact]
|
||||||
|
public async Task GetAmountGroupByClassifyAsync_基本测试()
|
||||||
|
{
|
||||||
|
// Arrange
|
||||||
|
var testData = new List<TransactionRecord>
|
||||||
|
{
|
||||||
|
new() { Amount=-100m, Type=TransactionType.Expense, Classify="餐饮" },
|
||||||
|
new() { Amount=-50m, Type=TransactionType.Expense, Classify="餐饮" }
|
||||||
|
};
|
||||||
|
ConfigureQueryAsync(testData);
|
||||||
|
|
||||||
|
// Act
|
||||||
|
var result = await _service.GetAmountGroupByClassifyAsync(DateTime.Now, DateTime.Now);
|
||||||
|
|
||||||
|
// Assert
|
||||||
|
result[("餐饮", TransactionType.Expense)].Should().Be(-150m); // Expect Negative (Sum of amounts)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Additional tests from original file to maintain coverage, with minimal adjustments if needed
|
||||||
|
[Fact]
|
||||||
|
public async Task GetCategoryStatisticsAsync_支出分类()
|
||||||
|
{
|
||||||
|
var year = 2024; var month = 1;
|
||||||
|
var testData = new List<TransactionRecord>
|
||||||
|
{
|
||||||
|
new() { Amount = -100m, Type = TransactionType.Expense, Classify = "餐饮" },
|
||||||
|
new() { Amount = -50m, Type = TransactionType.Expense, Classify = "餐饮" },
|
||||||
|
new() { Amount = -200m, Type = TransactionType.Expense, Classify = "交通" }
|
||||||
|
};
|
||||||
|
|
||||||
|
// Mock filtering by Type
|
||||||
|
_transactionRepository.QueryAsync(
|
||||||
|
Arg.Any<int?>(), Arg.Any<int?>(), Arg.Any<DateTime?>(), Arg.Any<DateTime?>(), Arg.Any<TransactionType?>(), Arg.Any<string[]>(), Arg.Any<string>(), Arg.Any<string>(), Arg.Any<int>(), Arg.Any<int>(), Arg.Any<bool>()
|
||||||
|
).Returns(callInfo =>
|
||||||
|
{
|
||||||
|
var type = callInfo.ArgAt<TransactionType?>(4);
|
||||||
|
return testData.Where(t => !type.HasValue || t.Type == type).ToList();
|
||||||
|
});
|
||||||
|
|
||||||
|
var result = await _service.GetCategoryStatisticsAsync(year, month, TransactionType.Expense);
|
||||||
|
|
||||||
|
result.First(c => c.Classify == "餐饮").Amount.Should().Be(150m);
|
||||||
|
result.First(c => c.Classify == "交通").Amount.Should().Be(200m);
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
<Project Sdk="Microsoft.NET.Sdk">
|
<Project Sdk="Microsoft.NET.Sdk">
|
||||||
|
|
||||||
<PropertyGroup>
|
<PropertyGroup>
|
||||||
<TargetFramework>net10.0</TargetFramework>
|
<TargetFramework>net10.0</TargetFramework>
|
||||||
|
|||||||
56
WebApi/Controllers/AGENTS.md
Normal file
56
WebApi/Controllers/AGENTS.md
Normal file
@@ -0,0 +1,56 @@
|
|||||||
|
# API CONTROLLERS KNOWLEDGE BASE
|
||||||
|
|
||||||
|
**Generated:** 2026-01-28
|
||||||
|
**Parent:** EmailBill/AGENTS.md
|
||||||
|
|
||||||
|
## OVERVIEW
|
||||||
|
REST API controllers using ASP.NET Core with DTO patterns and standardized responses.
|
||||||
|
|
||||||
|
## STRUCTURE
|
||||||
|
```
|
||||||
|
WebApi/Controllers/
|
||||||
|
├── Dto/ # Data transfer objects
|
||||||
|
│ ├── BaseResponse.cs # Standard response wrapper
|
||||||
|
│ ├── LoginRequest/Response.cs # Authentication DTOs
|
||||||
|
│ ├── BudgetDto.cs # Budget data transfer
|
||||||
|
│ ├── EmailMessageDto.cs # Email data transfer
|
||||||
|
│ └── PagedResponse.cs # Pagination wrapper
|
||||||
|
├── AuthController.cs # Authentication endpoints
|
||||||
|
├── BudgetController.cs # Budget management
|
||||||
|
├── TransactionRecordController.cs # Transaction CRUD
|
||||||
|
├── EmailMessageController.cs # Email processing
|
||||||
|
├── MessageRecordController.cs # Message handling
|
||||||
|
└── [Other controllers] # Feature-specific endpoints
|
||||||
|
```
|
||||||
|
|
||||||
|
## WHERE TO LOOK
|
||||||
|
| Task | Location | Notes |
|
||||||
|
|------|----------|-------|
|
||||||
|
| Authentication | AuthController.cs | JWT login, token refresh |
|
||||||
|
| Budget APIs | BudgetController.cs | Budget CRUD, statistics |
|
||||||
|
| Transaction APIs | TransactionRecordController.cs | Financial transactions |
|
||||||
|
| Email APIs | EmailMessageController.cs | Email processing |
|
||||||
|
| DTO patterns | Dto/ | Request/response models |
|
||||||
|
| Standard responses | BaseResponse.cs, PagedResponse.cs | Consistent API format |
|
||||||
|
|
||||||
|
## CONVENTIONS
|
||||||
|
- Controllers inherit from ControllerBase
|
||||||
|
- Route attributes: [ApiController], [Route("api/[controller]")]
|
||||||
|
- All actions return Task<IActionResult> or Task<BaseResponse<T>>
|
||||||
|
- Use DTOs for all request/response data
|
||||||
|
- HTTP verb attributes: [HttpGet], [HttpPost], [HttpPut], [HttpDelete]
|
||||||
|
- Validation via model state and attributes
|
||||||
|
|
||||||
|
## ANTI-PATTERNS (THIS LAYER)
|
||||||
|
- Never return domain entities directly
|
||||||
|
- Don't access repositories from controllers (use services)
|
||||||
|
- Avoid business logic in controllers
|
||||||
|
- No synchronous I/O operations
|
||||||
|
- Don't skip authentication/authorization where needed
|
||||||
|
|
||||||
|
## UNIQUE STYLES
|
||||||
|
- BaseResponse<T> wrapper for consistent API format
|
||||||
|
- PagedResponse<T> for list endpoints
|
||||||
|
- Chinese error messages for user-facing errors
|
||||||
|
- JWT-based authentication patterns
|
||||||
|
- Swagger/OpenAPI documentation via attributes
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
using System.Text.RegularExpressions;
|
using System.Text.RegularExpressions;
|
||||||
|
|
||||||
namespace WebApi.Controllers;
|
namespace WebApi.Controllers;
|
||||||
|
|
||||||
@@ -15,7 +15,8 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
[FromQuery] int pageSize = 50,
|
[FromQuery] int pageSize = 50,
|
||||||
[FromQuery] string? searchKeyword = null,
|
[FromQuery] string? searchKeyword = null,
|
||||||
[FromQuery] string? logLevel = null,
|
[FromQuery] string? logLevel = null,
|
||||||
[FromQuery] string? date = null
|
[FromQuery] string? date = null,
|
||||||
|
[FromQuery] string? className = null
|
||||||
)
|
)
|
||||||
{
|
{
|
||||||
try
|
try
|
||||||
@@ -52,7 +53,8 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
pageIndex,
|
pageIndex,
|
||||||
pageSize,
|
pageSize,
|
||||||
searchKeyword,
|
searchKeyword,
|
||||||
logLevel);
|
logLevel,
|
||||||
|
className);
|
||||||
|
|
||||||
var pagedData = logEntries;
|
var pagedData = logEntries;
|
||||||
|
|
||||||
@@ -65,6 +67,80 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 根据请求ID查询关联日志
|
||||||
|
/// </summary>
|
||||||
|
[HttpGet]
|
||||||
|
public async Task<PagedResponse<LogEntry>> GetLogsByRequestIdAsync(
|
||||||
|
[FromQuery] string requestId,
|
||||||
|
[FromQuery] int pageIndex = 1,
|
||||||
|
[FromQuery] int pageSize = 50,
|
||||||
|
[FromQuery] string? date = null
|
||||||
|
)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
if (string.IsNullOrEmpty(requestId))
|
||||||
|
{
|
||||||
|
return PagedResponse<LogEntry>.Fail("请求ID不能为空");
|
||||||
|
}
|
||||||
|
|
||||||
|
// 获取日志目录
|
||||||
|
var logDirectory = Path.Combine(Directory.GetCurrentDirectory(), "logs");
|
||||||
|
if (!Directory.Exists(logDirectory))
|
||||||
|
{
|
||||||
|
return PagedResponse<LogEntry>.Fail("日志目录不存在");
|
||||||
|
}
|
||||||
|
|
||||||
|
// 确定要读取的日志文件
|
||||||
|
string[] logFiles;
|
||||||
|
if (!string.IsNullOrEmpty(date))
|
||||||
|
{
|
||||||
|
var logFilePath = Path.Combine(logDirectory, $"log-{date}.txt");
|
||||||
|
logFiles = System.IO.File.Exists(logFilePath) ? [logFilePath] : [];
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
// 读取最近7天的日志文件
|
||||||
|
logFiles = Directory.GetFiles(logDirectory, "log-*.txt")
|
||||||
|
.OrderByDescending(f => f)
|
||||||
|
.Take(7)
|
||||||
|
.ToArray();
|
||||||
|
}
|
||||||
|
|
||||||
|
var allLogs = new List<LogEntry>();
|
||||||
|
|
||||||
|
foreach (var logFile in logFiles)
|
||||||
|
{
|
||||||
|
var lines = await ReadAllLinesAsync(logFile);
|
||||||
|
var merged = MergeMultiLineLog(lines);
|
||||||
|
|
||||||
|
foreach (var line in merged)
|
||||||
|
{
|
||||||
|
var entry = ParseLogLine(line);
|
||||||
|
if (entry != null && entry.RequestId == requestId)
|
||||||
|
{
|
||||||
|
allLogs.Add(entry);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 按时间倒序排序
|
||||||
|
allLogs = allLogs.OrderByDescending(l => l.Timestamp).ToList();
|
||||||
|
|
||||||
|
var total = allLogs.Count;
|
||||||
|
var skip = Math.Max(0, (pageIndex - 1) * pageSize);
|
||||||
|
var pagedData = allLogs.Skip(skip).Take(pageSize).ToList();
|
||||||
|
|
||||||
|
return PagedResponse<LogEntry>.Done(pagedData.ToArray(), total);
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
logger.LogError(ex, "根据请求ID查询日志失败: RequestId={RequestId}", requestId);
|
||||||
|
return PagedResponse<LogEntry>.Fail($"查询失败: {ex.Message}");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 获取可用的日志日期列表
|
/// 获取可用的日志日期列表
|
||||||
/// </summary>
|
/// </summary>
|
||||||
@@ -95,6 +171,58 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 获取可用的类名列表
|
||||||
|
/// </summary>
|
||||||
|
[HttpGet]
|
||||||
|
public BaseResponse<string[]> GetAvailableClassNames([FromQuery] string? date = null)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
var logDirectory = Path.Combine(Directory.GetCurrentDirectory(), "logs");
|
||||||
|
if (!Directory.Exists(logDirectory))
|
||||||
|
{
|
||||||
|
return ((string[])[]).Ok();
|
||||||
|
}
|
||||||
|
|
||||||
|
string logFilePath;
|
||||||
|
if (!string.IsNullOrEmpty(date))
|
||||||
|
{
|
||||||
|
logFilePath = Path.Combine(logDirectory, $"log-{date}.txt");
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
var today = DateTime.Now.ToString("yyyyMMdd");
|
||||||
|
logFilePath = Path.Combine(logDirectory, $"log-{today}.txt");
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!System.IO.File.Exists(logFilePath))
|
||||||
|
{
|
||||||
|
return ((string[])[]).Ok();
|
||||||
|
}
|
||||||
|
|
||||||
|
var classNames = new HashSet<string>();
|
||||||
|
var lines = ReadAllLinesAsync(logFilePath).GetAwaiter().GetResult();
|
||||||
|
var merged = MergeMultiLineLog(lines);
|
||||||
|
|
||||||
|
foreach (var line in merged)
|
||||||
|
{
|
||||||
|
var entry = ParseLogLine(line);
|
||||||
|
if (entry != null && !string.IsNullOrEmpty(entry.ClassName))
|
||||||
|
{
|
||||||
|
classNames.Add(entry.ClassName);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return classNames.OrderBy(c => c).ToArray().Ok();
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
logger.LogError(ex, "获取类名列表失败");
|
||||||
|
return $"获取类名列表失败: {ex.Message}".Fail<string[]>();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 合并多行日志(已废弃,现在在流式读取中处理)
|
/// 合并多行日志(已废弃,现在在流式读取中处理)
|
||||||
/// </summary>
|
/// </summary>
|
||||||
@@ -150,22 +278,71 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
{
|
{
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
// 日志格式示例: [2025-12-29 16:38:45.730 +08:00] [INF] Message here
|
// 日志格式示例: [2025-12-29 16:38:45.730 +08:00] [INF] [request-id] [SourceContext] Message here
|
||||||
// 使用正则表达式解析
|
// 使用正则表达式解析
|
||||||
// 使用 Singleline 模式使 '.' 可以匹配换行,这样 multi-line 消息可以被完整捕获。
|
// 使用 Singleline 模式使 '.' 可以匹配换行,这样 multi-line 消息可以被完整捕获。
|
||||||
var match = Regex.Match(
|
var match = Regex.Match(
|
||||||
line,
|
line,
|
||||||
@"^\[(\d{4}-\d{2}-\d{2} \d{2}:\d{2}:\d{2}\.\d{3} [+-]\d{2}:\d{2})\] \[([A-Z]{2,5})\] ([\s\S]*)$",
|
@"^\[(\d{4}-\d{2}-\d{2} \d{2}:\d{2}:\d{2}\.\d{3} [+-]\d{2}:\d{2})\] \[([A-Z]{2,5})\] \[([^]]*)\] \[([^]]*)\] ([\s\S]*)$",
|
||||||
RegexOptions.Singleline
|
RegexOptions.Singleline
|
||||||
);
|
);
|
||||||
|
|
||||||
if (match.Success)
|
if (match.Success)
|
||||||
{
|
{
|
||||||
|
var sourceContext = match.Groups[4].Value;
|
||||||
|
var (className, methodName) = ParseSourceContext(sourceContext);
|
||||||
|
|
||||||
return new LogEntry
|
return new LogEntry
|
||||||
{
|
{
|
||||||
Timestamp = match.Groups[1].Value,
|
Timestamp = match.Groups[1].Value,
|
||||||
Level = match.Groups[2].Value,
|
Level = match.Groups[2].Value,
|
||||||
Message = match.Groups[3].Value
|
RequestId = match.Groups[3].Value,
|
||||||
|
ClassName = className,
|
||||||
|
MethodName = methodName,
|
||||||
|
Message = match.Groups[5].Value
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
// 尝试解析旧的日志格式(没有请求ID,有 SourceContext)
|
||||||
|
var oldMatch = Regex.Match(
|
||||||
|
line,
|
||||||
|
@"^\[(\d{4}-\d{2}-\d{2} \d{2}:\d{2}:\d{2}\.\d{3} [+-]\d{2}:\d{2})\] \[([A-Z]{2,5})\] \[([^]]*)\] ([\s\S]*)$",
|
||||||
|
RegexOptions.Singleline
|
||||||
|
);
|
||||||
|
|
||||||
|
if (oldMatch.Success)
|
||||||
|
{
|
||||||
|
var sourceContext = oldMatch.Groups[3].Value;
|
||||||
|
var (className, methodName) = ParseSourceContext(sourceContext);
|
||||||
|
|
||||||
|
return new LogEntry
|
||||||
|
{
|
||||||
|
Timestamp = oldMatch.Groups[1].Value,
|
||||||
|
Level = oldMatch.Groups[2].Value,
|
||||||
|
RequestId = "",
|
||||||
|
ClassName = className,
|
||||||
|
MethodName = methodName,
|
||||||
|
Message = oldMatch.Groups[4].Value
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
// 尝试解析更旧的日志格式(没有请求ID和 SourceContext)
|
||||||
|
var veryOldMatch = Regex.Match(
|
||||||
|
line,
|
||||||
|
@"^\[(\d{4}-\d{2}-\d{2} \d{2}:\d{2}:\d{2}\.\d{3} [+-]\d{2}:\d{2})\] \[([A-Z]{2,5})\] ([\s\S]*)$",
|
||||||
|
RegexOptions.Singleline
|
||||||
|
);
|
||||||
|
|
||||||
|
if (veryOldMatch.Success)
|
||||||
|
{
|
||||||
|
return new LogEntry
|
||||||
|
{
|
||||||
|
Timestamp = veryOldMatch.Groups[1].Value,
|
||||||
|
Level = veryOldMatch.Groups[2].Value,
|
||||||
|
RequestId = "",
|
||||||
|
ClassName = "",
|
||||||
|
MethodName = "",
|
||||||
|
Message = veryOldMatch.Groups[3].Value
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -183,6 +360,28 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 解析 SourceContext,提取类名
|
||||||
|
/// </summary>
|
||||||
|
private (string className, string methodName) ParseSourceContext(string sourceContext)
|
||||||
|
{
|
||||||
|
if (string.IsNullOrWhiteSpace(sourceContext))
|
||||||
|
{
|
||||||
|
return ("", "");
|
||||||
|
}
|
||||||
|
|
||||||
|
// SourceContext 格式是完整的命名空间.类名,如: Service.Budget.BudgetStatsService
|
||||||
|
// 提取最后一个部分作为类名
|
||||||
|
var parts = sourceContext.Split('.');
|
||||||
|
if (parts.Length == 0)
|
||||||
|
{
|
||||||
|
return ("", "");
|
||||||
|
}
|
||||||
|
|
||||||
|
var className = parts[^1];
|
||||||
|
return (className, "");
|
||||||
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 读取日志
|
/// 读取日志
|
||||||
/// </summary>
|
/// </summary>
|
||||||
@@ -191,7 +390,8 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
int pageIndex,
|
int pageIndex,
|
||||||
int pageSize,
|
int pageSize,
|
||||||
string? searchKeyword,
|
string? searchKeyword,
|
||||||
string? logLevel)
|
string? logLevel,
|
||||||
|
string? className)
|
||||||
{
|
{
|
||||||
var allLines = await ReadAllLinesAsync(path);
|
var allLines = await ReadAllLinesAsync(path);
|
||||||
|
|
||||||
@@ -201,7 +401,7 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
foreach (var line in merged)
|
foreach (var line in merged)
|
||||||
{
|
{
|
||||||
var entry = ParseLogLine(line);
|
var entry = ParseLogLine(line);
|
||||||
if (entry != null && PassFilter(entry, searchKeyword, logLevel))
|
if (entry != null && PassFilter(entry, searchKeyword, logLevel, className))
|
||||||
{
|
{
|
||||||
parsed.Add(entry);
|
parsed.Add(entry);
|
||||||
}
|
}
|
||||||
@@ -219,7 +419,7 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 检查日志条目是否通过过滤条件
|
/// 检查日志条目是否通过过滤条件
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private bool PassFilter(LogEntry logEntry, string? searchKeyword, string? logLevel)
|
private bool PassFilter(LogEntry logEntry, string? searchKeyword, string? logLevel, string? className)
|
||||||
{
|
{
|
||||||
if (!string.IsNullOrEmpty(searchKeyword) &&
|
if (!string.IsNullOrEmpty(searchKeyword) &&
|
||||||
!logEntry.Message.Contains(searchKeyword, StringComparison.OrdinalIgnoreCase))
|
!logEntry.Message.Contains(searchKeyword, StringComparison.OrdinalIgnoreCase))
|
||||||
@@ -233,6 +433,12 @@ public class LogController(ILogger<LogController> logger) : ControllerBase
|
|||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (!string.IsNullOrEmpty(className) &&
|
||||||
|
!logEntry.ClassName.Equals(className, StringComparison.OrdinalIgnoreCase))
|
||||||
|
{
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -280,4 +486,19 @@ public class LogEntry
|
|||||||
/// 日志消息
|
/// 日志消息
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public string Message { get; set; } = string.Empty;
|
public string Message { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 请求ID
|
||||||
|
/// </summary>
|
||||||
|
public string RequestId { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 类名
|
||||||
|
/// </summary>
|
||||||
|
public string ClassName { get; set; } = string.Empty;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 方法名
|
||||||
|
/// </summary>
|
||||||
|
public string MethodName { get; set; } = string.Empty;
|
||||||
}
|
}
|
||||||
@@ -1,4 +1,5 @@
|
|||||||
using Microsoft.AspNetCore.Authorization;
|
using Microsoft.AspNetCore.Authorization;
|
||||||
|
using Service.Message;
|
||||||
|
|
||||||
namespace WebApi.Controllers;
|
namespace WebApi.Controllers;
|
||||||
|
|
||||||
|
|||||||
@@ -1,4 +1,6 @@
|
|||||||
namespace WebApi.Controllers;
|
using Service.Message;
|
||||||
|
|
||||||
|
namespace WebApi.Controllers;
|
||||||
|
|
||||||
[ApiController]
|
[ApiController]
|
||||||
[Route("api/[controller]/[action]")]
|
[Route("api/[controller]/[action]")]
|
||||||
|
|||||||
@@ -6,7 +6,8 @@ public class TransactionCategoryController(
|
|||||||
ITransactionCategoryRepository categoryRepository,
|
ITransactionCategoryRepository categoryRepository,
|
||||||
ITransactionRecordRepository transactionRecordRepository,
|
ITransactionRecordRepository transactionRecordRepository,
|
||||||
ILogger<TransactionCategoryController> logger,
|
ILogger<TransactionCategoryController> logger,
|
||||||
IBudgetRepository budgetRepository
|
IBudgetRepository budgetRepository,
|
||||||
|
IOpenAiService openAiService
|
||||||
) : ControllerBase
|
) : ControllerBase
|
||||||
{
|
{
|
||||||
/// <summary>
|
/// <summary>
|
||||||
@@ -199,6 +200,125 @@ public class TransactionCategoryController(
|
|||||||
return $"批量创建分类失败: {ex.Message}".Fail<int>();
|
return $"批量创建分类失败: {ex.Message}".Fail<int>();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 为指定分类生成新的SVG图标
|
||||||
|
/// </summary>
|
||||||
|
[HttpPost]
|
||||||
|
public async Task<BaseResponse<string>> GenerateIconAsync([FromBody] GenerateIconDto dto)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
var category = await categoryRepository.GetByIdAsync(dto.CategoryId);
|
||||||
|
if (category == null)
|
||||||
|
{
|
||||||
|
return "分类不存在".Fail<string>();
|
||||||
|
}
|
||||||
|
|
||||||
|
// 使用AI生成简洁的SVG图标
|
||||||
|
var systemPrompt = @"你是一个SVG图标生成专家。请生成简洁、现代的单色SVG图标。
|
||||||
|
要求:
|
||||||
|
1. 只返回<svg>标签及其内容,不要其他说明文字
|
||||||
|
2. viewBox=""0 0 24 24""
|
||||||
|
3. 尺寸为24x24
|
||||||
|
4. 使用单色,fill=""currentColor""
|
||||||
|
5. 简洁的设计,适合作为应用图标";
|
||||||
|
|
||||||
|
var userPrompt = $"为分类"{category.Name}"({(category.Type == TransactionType.Expense ? "支出" : category.Type == TransactionType.Income ? "收入" : "不计收支")})生成一个SVG图标";
|
||||||
|
|
||||||
|
var svgContent = await openAiService.ChatAsync(systemPrompt, userPrompt, timeoutSeconds: 30);
|
||||||
|
if (string.IsNullOrWhiteSpace(svgContent))
|
||||||
|
{
|
||||||
|
return "AI生成图标失败".Fail<string>();
|
||||||
|
}
|
||||||
|
|
||||||
|
// 提取SVG标签内容
|
||||||
|
var svgMatch = System.Text.RegularExpressions.Regex.Match(svgContent, @"<svg[^>]*>.*?</svg>",
|
||||||
|
System.Text.RegularExpressions.RegexOptions.Singleline);
|
||||||
|
|
||||||
|
if (!svgMatch.Success)
|
||||||
|
{
|
||||||
|
return "生成的内容不包含有效的SVG标签".Fail<string>();
|
||||||
|
}
|
||||||
|
|
||||||
|
var svg = svgMatch.Value;
|
||||||
|
|
||||||
|
// 解析现有图标数组
|
||||||
|
var icons = string.IsNullOrWhiteSpace(category.Icon)
|
||||||
|
? new List<string>()
|
||||||
|
: JsonSerializer.Deserialize<List<string>>(category.Icon) ?? new List<string>();
|
||||||
|
|
||||||
|
// 添加新图标
|
||||||
|
icons.Add(svg);
|
||||||
|
|
||||||
|
// 更新数据库
|
||||||
|
category.Icon = JsonSerializer.Serialize(icons);
|
||||||
|
category.UpdateTime = DateTime.Now;
|
||||||
|
|
||||||
|
var success = await categoryRepository.UpdateAsync(category);
|
||||||
|
if (!success)
|
||||||
|
{
|
||||||
|
return "更新分类图标失败".Fail<string>();
|
||||||
|
}
|
||||||
|
|
||||||
|
return svg.Ok();
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
logger.LogError(ex, "生成图标失败, CategoryId: {CategoryId}", dto.CategoryId);
|
||||||
|
return $"生成图标失败: {ex.Message}".Fail<string>();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 更新分类的选中图标索引
|
||||||
|
/// </summary>
|
||||||
|
[HttpPost]
|
||||||
|
public async Task<BaseResponse> UpdateSelectedIconAsync([FromBody] UpdateSelectedIconDto dto)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
var category = await categoryRepository.GetByIdAsync(dto.CategoryId);
|
||||||
|
if (category == null)
|
||||||
|
{
|
||||||
|
return "分类不存在".Fail();
|
||||||
|
}
|
||||||
|
|
||||||
|
// 验证索引有效性
|
||||||
|
if (string.IsNullOrWhiteSpace(category.Icon))
|
||||||
|
{
|
||||||
|
return "该分类没有可用图标".Fail();
|
||||||
|
}
|
||||||
|
|
||||||
|
var icons = JsonSerializer.Deserialize<List<string>>(category.Icon);
|
||||||
|
if (icons == null || dto.SelectedIndex < 0 || dto.SelectedIndex >= icons.Count)
|
||||||
|
{
|
||||||
|
return "无效的图标索引".Fail();
|
||||||
|
}
|
||||||
|
|
||||||
|
// 这里可以添加一个SelectedIconIndex字段到实体中,或者将选中的图标移到数组第一位
|
||||||
|
// 暂时采用移动到第一位的方式
|
||||||
|
var selectedIcon = icons[dto.SelectedIndex];
|
||||||
|
icons.RemoveAt(dto.SelectedIndex);
|
||||||
|
icons.Insert(0, selectedIcon);
|
||||||
|
|
||||||
|
category.Icon = JsonSerializer.Serialize(icons);
|
||||||
|
category.UpdateTime = DateTime.Now;
|
||||||
|
|
||||||
|
var success = await categoryRepository.UpdateAsync(category);
|
||||||
|
if (success)
|
||||||
|
{
|
||||||
|
return "更新图标成功".Ok();
|
||||||
|
}
|
||||||
|
|
||||||
|
return "更新图标失败".Fail();
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
logger.LogError(ex, "更新选中图标失败, Dto: {@Dto}", dto);
|
||||||
|
return $"更新选中图标失败: {ex.Message}".Fail();
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
@@ -216,3 +336,18 @@ public record UpdateCategoryDto(
|
|||||||
long Id,
|
long Id,
|
||||||
string Name
|
string Name
|
||||||
);
|
);
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 生成图标DTO
|
||||||
|
/// </summary>
|
||||||
|
public record GenerateIconDto(
|
||||||
|
long CategoryId
|
||||||
|
);
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 更新选中图标DTO
|
||||||
|
/// </summary>
|
||||||
|
public record UpdateSelectedIconDto(
|
||||||
|
long CategoryId,
|
||||||
|
int SelectedIndex
|
||||||
|
);
|
||||||
|
|||||||
@@ -1,4 +1,6 @@
|
|||||||
namespace WebApi.Controllers;
|
using Service.Transaction;
|
||||||
|
|
||||||
|
namespace WebApi.Controllers;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 周期性账单控制器
|
/// 周期性账单控制器
|
||||||
|
|||||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user