forked from yandaozi/PPress
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathinit_db.py
178 lines (149 loc) · 5.9 KB
/
init_db.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
import base64
import os
from slugify import slugify
from app import create_app, db
from app.models import User, Article, Tag, Category, SiteConfig
from datetime import datetime
import pymysql
from config.database import MYSQL_CONFIG
LOCK_FILE = 'ppress_db.lock'
COPYRIGHT_INFO = base64.b64decode(
'UFByZXNzIC0gRmxhc2sgQ29udGVudCBNYW5hZ2VtZW50IFN5c3RlbQrniYjmnYPmiYDmnIkgKGMpIDIwMjQg6KiA6YGT5a2QCuS9nOiAhVFR77yaNTc1NzMyNTYzCumhueebruWcsOWdgO+8mmh0dHBzOi8vZ2l0ZWUuY29tL2ZvamllL1BQcmVzcw=='
).decode('utf-8')
def check_db_lock():
"""检查数据库锁"""
if os.path.exists(LOCK_FILE):
print("\n检测到数据库锁文件!这是为了防止意外重置数据库的安全机制!")
print(f"如果确定要重新初始化数据库,请先删除以下文件:{os.path.abspath(LOCK_FILE)}")
return True
return False
def create_db_lock():
"""创建数据库锁文件"""
with open(LOCK_FILE, 'w', encoding='utf-8') as f:
f.write(COPYRIGHT_INFO)
print(f"\n已创建数据库锁文件:{os.path.abspath(LOCK_FILE)}")
def update_db_config(db_type):
"""更新数据库配置文件"""
config_path = os.path.join(os.path.dirname(__file__), 'config', 'database.py')
try:
with open(config_path, 'r', encoding='utf-8') as f:
content = f.read()
# 使用正则表达式替换 DB_TYPE
import re
new_content = re.sub(
r'DB_TYPE\s*=\s*["\'].*["\']',
f'DB_TYPE = "{db_type}"',
content
)
with open(config_path, 'w', encoding='utf-8') as f:
f.write(new_content)
print(f"\n数据库配置已更新:DB_TYPE = {db_type}")
except Exception as e:
print(f"\n更新数据库配置失败:{str(e)}")
def init_db(db_type='mysql', site_name='PPress'):
"""初始化数据库
Args:
db_type (str): 数据库类型 'mysql' 或 'sqlite'
site_name (str): 网站名称
"""
# 检查数据库锁
if check_db_lock():
return
if db_type == 'mysql':
# 使用配置文件中的连接信息
conn = pymysql.connect(
host=MYSQL_CONFIG['host'],
port=MYSQL_CONFIG['port'],
user=MYSQL_CONFIG['user'],
password=MYSQL_CONFIG['password']
)
try:
with conn.cursor() as cursor:
cursor.execute('DROP DATABASE IF EXISTS ' + MYSQL_CONFIG['database'])
cursor.execute(
f"CREATE DATABASE {MYSQL_CONFIG['database']} "
'CHARACTER SET utf8mb4 '
'COLLATE utf8mb4_unicode_ci'
)
finally:
conn.close()
# 创建应用实例
app = create_app(db_type=db_type,init_components=False)
with app.app_context():
print(f"\n开始初始化纯净数据到 {db_type} 数据库...")
db.drop_all()
db.create_all()
# 初始化网站配置,传入自定义网站名称
custom_configs = {
'site_name': site_name,
'footer_text': f'© 2024 {site_name} 版权所有'
}
SiteConfig.init_default_configs(custom_configs)
# 创建管理员用户
admin = User(
username='admin',
nickname=f'昵称_admin',
email='[email protected]',
role='admin'
)
admin.set_password('123456')
db.session.add(admin)
# 创建一个标签
tag = Tag(name='PPress')
db.session.add(tag)
# 创建一个分类
category = Category(
name='示例分类',
slug=slugify('示例分类'), # 添加 slug
description='PPress 示例分类',
sort_order=1 # 添加排序
)
db.session.add(category)
# 提交以获取ID
db.session.commit()
# 创建一篇示例文章
article = Article(
title='欢迎使用 PPress',
content='''<p>欢迎使用 PPress 博客系统! PPress 是一个基于 Flask 的轻量级博客系统,由言道子(QQ:575732563)开发。</p>
<p>主要特点: 简洁优雅的界面设计、支持插件扩展、支持主题切换、完善的后台管理 </p>
<p>项目地址:<a href="https://gitee.com/fojie/PPress">https://gitee.com/fojie/PPress </a></p>
<p>开始使用:</p>
<p>1. 使用管理员账号登录(admin/123456)</p>
<p>2. 在后台进行相关配置</p>
<p>3. 开始创作你的第一篇文章 如有问题或建议,欢迎联系作者!</p>''',
author_id=admin.id,
category_id=category.id,
created_at=datetime.now(),
view_count=0,
)
article.tags.append(tag)
article.categories = [category]
db.session.add(article)
# 最终提交
db.session.commit()
print("纯净数据库初始化完成!作者QQ:575732563")
print("管理员账号:")
print("用户名:admin")
print("密码:123456")
# 创建数据库锁文件
create_db_lock()
# 更新数据库配置
update_db_config(db_type)
def get_db_type():
"""交互式获取数据库类型"""
while True:
choice = input("\n如果选mysql请提前在config/database.py中,把MYSQL_CONFIG配置好\n请选择数据库类型 [1/2]:\n1. SQLite (默认)\n2. MySQL\n请输入(直接回车使用SQLite,请输入1或者2): ").strip()
if choice == '':
print("\n已选择: SQLite")
return 'sqlite'
elif choice == '1':
print("\n已选择: SQLite")
return 'sqlite'
elif choice == '2':
print("\n已选择: MySQL")
return 'mysql'
else:
print("\n输入无效,请重新选择")
if __name__ == '__main__':
db_type = get_db_type()
init_db(db_type)