Skip to content

Commit 563603d

Browse files
committed
[init]: 初始化项目结构
1 parent 522b377 commit 563603d

34 files changed

+949
-2
lines changed

.github/workflows/main.yml

Lines changed: 49 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,49 @@
1+
name: Python Code Linting (Safe Optimized)
2+
3+
on:
4+
# 触发条件 1: 所有分支的 push 事件
5+
push:
6+
branches-ignore: []
7+
8+
# 触发条件 2: 针对 dev 分支的 pull_request 事件
9+
pull_request:
10+
branches: [ "dev" ]
11+
12+
jobs:
13+
lint:
14+
runs-on: ubuntu-latest
15+
steps:
16+
- name: Checkout code (with full history)
17+
uses: actions/checkout@v4
18+
with:
19+
fetch-depth: 2 # 必须获取前一次提交,才能比较变更
20+
21+
- name: Set up Python
22+
uses: actions/setup-python@v4
23+
with:
24+
python-version: "3.10"
25+
26+
- name: Install flake8
27+
run: pip install flake8
28+
29+
- name: Get valid changed Python files
30+
id: changed-files
31+
run: |
32+
# 获取变更的.py文件列表,并过滤出实际存在的文件
33+
FILES=$(git diff --name-only --diff-filter=d HEAD^ HEAD | grep '\.py$' | while read -r file; do
34+
[ -f "$file" ] && echo "$file"
35+
done)
36+
37+
echo "Valid changed Python files:"
38+
echo "$FILES"
39+
echo "files=${FILES}" >> $GITHUB_OUTPUT
40+
41+
- name: Run flake8 on changed files
42+
if: steps.changed-files.outputs.files != ''
43+
run: |
44+
45+
echo "${{ steps.changed-files.outputs.files }}" | xargs -r flake8
46+
47+
- name: Skip if no valid Python files changed
48+
if: steps.changed-files.outputs.files == ''
49+
run: echo "✅ 没有有效的.py文件变更,跳过检查"

.gitignore

Lines changed: 2 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
env
2+
__pycache__

README.md

Lines changed: 95 additions & 2 deletions
Original file line numberDiff line numberDiff line change
@@ -1,2 +1,95 @@
1-
# JieNote_backend
2-
2025春季软件工程课程团队项目JieNote项目后端
1+
# JieNote Backend
2+
3+
This is the backend service for JieNote, built with FastAPI.
4+
5+
## Features
6+
- RESTful API endpoints
7+
- Modular structure for scalability
8+
9+
## File Structure
10+
- `app/`: Contains the main application code.
11+
- `main.py`: Entry point for the FastAPI application.
12+
- `models/`: Database models and schemas.
13+
- `core/`: Core configurations and settings.
14+
- include database settings
15+
- include JWT settings
16+
- include CORS settings
17+
- ……
18+
- `curd/`: CRUD operations for database interactions.
19+
- `db/`: Database connection and session management.
20+
- `schemas/`: Pydantic schemas for data validation.
21+
- `static/`: Static files (e.g., images, CSS).
22+
- `routers/`: API route definitions.
23+
- `tests/`: Contains test cases for the application.
24+
- `requirements.txt`: List of dependencies.
25+
- `README.md`: Documentation for the project.
26+
- `alembic/`: Database migration scripts and configurations.
27+
- `env/`: Virtual environment (not included in version control).
28+
- `img/`: Images used in the project.
29+
30+
## Setup
31+
1. Create a virtual environment: ✔
32+
```bash
33+
python -m venv env
34+
```
35+
2. Activate the virtual environment:
36+
- On Windows:
37+
```bash
38+
.\env\Scripts\activate
39+
```
40+
- On macOS/Linux:
41+
```bash
42+
source env/bin/activate
43+
```
44+
3. Install dependencies:
45+
```bash
46+
pip install -r requirements.txt
47+
```
48+
4. freeze requirements(do before commit !!!):
49+
```bash
50+
pip freeze > requirements.txt
51+
```
52+
53+
## Database Migration
54+
<!-- 数据库迁移使用alembic -->
55+
1. Install Alembic: ✔
56+
```bash
57+
pip install alembic
58+
```
59+
2. Initialize Alembic: ✔
60+
```bash
61+
alembic init alembic
62+
```
63+
3. Configure Alembic: ✔
64+
65+
1. Edit `alembic.ini` to set the database URL.
66+
2. Edit `alembic/env.py` to set up the target metadata.
67+
```python
68+
from app.models import Base # Import your models here
69+
target_metadata = Base.metadata
70+
```
71+
4. Create a migration script: need to modify the script
72+
```bash
73+
alembic revision --autogenerate -m "提交信息"
74+
```
75+
5. Apply the migration: need to modify the script
76+
```bash
77+
alembic upgrade head
78+
```
79+
80+
81+
## Run the Application
82+
```bash
83+
uvicorn app.main:app --reload
84+
```
85+
86+
## Folder Structure
87+
- `app/`: Contains the main application code.
88+
- `tests/`: Contains test cases.
89+
- `env/`: Virtual environment (not included in version control).
90+
91+
## ER Diagram
92+
![ER Diagram](img/er_diagram.jpg)
93+
94+
## License
95+
MIT License

alembic.ini

Lines changed: 119 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,119 @@
1+
# A generic, single database configuration.
2+
3+
[alembic]
4+
# path to migration scripts
5+
# Use forward slashes (/) also on windows to provide an os agnostic path
6+
script_location = alembic
7+
8+
# template used to generate migration file names; The default value is %%(rev)s_%%(slug)s
9+
# Uncomment the line below if you want the files to be prepended with date and time
10+
# see https://alembic.sqlalchemy.org/en/latest/tutorial.html#editing-the-ini-file
11+
# for all available tokens
12+
# file_template = %%(year)d_%%(month).2d_%%(day).2d_%%(hour).2d%%(minute).2d-%%(rev)s_%%(slug)s
13+
14+
# sys.path path, will be prepended to sys.path if present.
15+
# defaults to the current working directory.
16+
prepend_sys_path = .
17+
18+
# timezone to use when rendering the date within the migration file
19+
# as well as the filename.
20+
# If specified, requires the python>=3.9 or backports.zoneinfo library and tzdata library.
21+
# Any required deps can installed by adding `alembic[tz]` to the pip requirements
22+
# string value is passed to ZoneInfo()
23+
# leave blank for localtime
24+
# timezone =
25+
26+
# max length of characters to apply to the "slug" field
27+
# truncate_slug_length = 40
28+
29+
# set to 'true' to run the environment during
30+
# the 'revision' command, regardless of autogenerate
31+
# revision_environment = false
32+
33+
# set to 'true' to allow .pyc and .pyo files without
34+
# a source .py file to be detected as revisions in the
35+
# versions/ directory
36+
# sourceless = false
37+
38+
# version location specification; This defaults
39+
# to alembic/versions. When using multiple version
40+
# directories, initial revisions must be specified with --version-path.
41+
# The path separator used here should be the separator specified by "version_path_separator" below.
42+
# version_locations = %(here)s/bar:%(here)s/bat:alembic/versions
43+
44+
# version path separator; As mentioned above, this is the character used to split
45+
# version_locations. The default within new alembic.ini files is "os", which uses os.pathsep.
46+
# If this key is omitted entirely, it falls back to the legacy behavior of splitting on spaces and/or commas.
47+
# Valid values for version_path_separator are:
48+
#
49+
# version_path_separator = :
50+
# version_path_separator = ;
51+
# version_path_separator = space
52+
# version_path_separator = newline
53+
#
54+
# Use os.pathsep. Default configuration used for new projects.
55+
version_path_separator = os
56+
57+
# set to 'true' to search source files recursively
58+
# in each "version_locations" directory
59+
# new in Alembic version 1.10
60+
# recursive_version_locations = false
61+
62+
# the output encoding used when revision files
63+
# are written from script.py.mako
64+
# output_encoding = utf-8
65+
66+
sqlalchemy.url = mysql+pymysql://root:[email protected]:3306/JieNote
67+
68+
69+
[post_write_hooks]
70+
# post_write_hooks defines scripts or Python functions that are run
71+
# on newly generated revision scripts. See the documentation for further
72+
# detail and examples
73+
74+
# format using "black" - use the console_scripts runner, against the "black" entrypoint
75+
# hooks = black
76+
# black.type = console_scripts
77+
# black.entrypoint = black
78+
# black.options = -l 79 REVISION_SCRIPT_FILENAME
79+
80+
# lint with attempts to fix using "ruff" - use the exec runner, execute a binary
81+
# hooks = ruff
82+
# ruff.type = exec
83+
# ruff.executable = %(here)s/.venv/bin/ruff
84+
# ruff.options = check --fix REVISION_SCRIPT_FILENAME
85+
86+
# Logging configuration
87+
[loggers]
88+
keys = root,sqlalchemy,alembic
89+
90+
[handlers]
91+
keys = console
92+
93+
[formatters]
94+
keys = generic
95+
96+
[logger_root]
97+
level = WARNING
98+
handlers = console
99+
qualname =
100+
101+
[logger_sqlalchemy]
102+
level = WARNING
103+
handlers =
104+
qualname = sqlalchemy.engine
105+
106+
[logger_alembic]
107+
level = INFO
108+
handlers =
109+
qualname = alembic
110+
111+
[handler_console]
112+
class = StreamHandler
113+
args = (sys.stderr,)
114+
level = NOTSET
115+
formatter = generic
116+
117+
[formatter_generic]
118+
format = %(levelname)-5.5s [%(name)s] %(message)s
119+
datefmt = %H:%M:%S

alembic/README

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
Generic single-database configuration.

alembic/env.py

Lines changed: 79 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,79 @@
1+
from logging.config import fileConfig
2+
3+
from sqlalchemy import engine_from_config
4+
from sqlalchemy import pool
5+
from app.db.base import Base
6+
7+
from alembic import context
8+
9+
# this is the Alembic Config object, which provides
10+
# access to the values within the .ini file in use.
11+
config = context.config
12+
13+
# Interpret the config file for Python logging.
14+
# This line sets up loggers basically.
15+
if config.config_file_name is not None:
16+
fileConfig(config.config_file_name)
17+
18+
# add your model's MetaData object here
19+
# for 'autogenerate' support
20+
# from myapp import mymodel
21+
# target_metadata = mymodel.Base.metadata
22+
target_metadata = Base.metadata
23+
24+
# other values from the config, defined by the needs of env.py,
25+
# can be acquired:
26+
# my_important_option = config.get_main_option("my_important_option")
27+
# ... etc.
28+
29+
30+
def run_migrations_offline() -> None:
31+
"""Run migrations in 'offline' mode.
32+
33+
This configures the context with just a URL
34+
and not an Engine, though an Engine is acceptable
35+
here as well. By skipping the Engine creation
36+
we don't even need a DBAPI to be available.
37+
38+
Calls to context.execute() here emit the given string to the
39+
script output.
40+
41+
"""
42+
url = config.get_main_option("sqlalchemy.url")
43+
context.configure(
44+
url=url,
45+
target_metadata=target_metadata,
46+
literal_binds=True,
47+
dialect_opts={"paramstyle": "named"},
48+
)
49+
50+
with context.begin_transaction():
51+
context.run_migrations()
52+
53+
54+
def run_migrations_online() -> None:
55+
"""Run migrations in 'online' mode.
56+
57+
In this scenario we need to create an Engine
58+
and associate a connection with the context.
59+
60+
"""
61+
connectable = engine_from_config(
62+
config.get_section(config.config_ini_section, {}),
63+
prefix="sqlalchemy.",
64+
poolclass=pool.NullPool,
65+
)
66+
67+
with connectable.connect() as connection:
68+
context.configure(
69+
connection=connection, target_metadata=target_metadata
70+
)
71+
72+
with context.begin_transaction():
73+
context.run_migrations()
74+
75+
76+
if context.is_offline_mode():
77+
run_migrations_offline()
78+
else:
79+
run_migrations_online()

alembic/script.py.mako

Lines changed: 28 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,28 @@
1+
"""${message}
2+
3+
Revision ID: ${up_revision}
4+
Revises: ${down_revision | comma,n}
5+
Create Date: ${create_date}
6+
7+
"""
8+
from typing import Sequence, Union
9+
10+
from alembic import op
11+
import sqlalchemy as sa
12+
${imports if imports else ""}
13+
14+
# revision identifiers, used by Alembic.
15+
revision: str = ${repr(up_revision)}
16+
down_revision: Union[str, None] = ${repr(down_revision)}
17+
branch_labels: Union[str, Sequence[str], None] = ${repr(branch_labels)}
18+
depends_on: Union[str, Sequence[str], None] = ${repr(depends_on)}
19+
20+
21+
def upgrade() -> None:
22+
"""Upgrade schema."""
23+
${upgrades if upgrades else "pass"}
24+
25+
26+
def downgrade() -> None:
27+
"""Downgrade schema."""
28+
${downgrades if downgrades else "pass"}

0 commit comments

Comments
 (0)