Flask

manage.py

import os

from flask_script import Manager
from flask_migrate import Migrate,MigrateCommand
# 导入程序实例,把模型类导入到启动文件中
from info import create_app,db,models


# 调用工厂函数,获取程序实例app
from info.models import User

app = create_app('development')

# 实例化管理器对象
manage = Manager(app)
# 使用迁移框架
Migrate(app,db)
# 添加迁移命令给管理器
manage.add_command('db',MigrateCommand)

# 创建管理员账户
# 在script扩展,自定义脚本命令,以自定义函数的形式实现创建管理员用户
# 以终端启动命令的形式实现;
# 在终端使用命令:python manage.py create_supperuser -n admin -p 123456
@manage.option('-n', '-name', dest='name')
@manage.option('-p', '-password', dest='password')
def create_supper_user(name, password):
    if not all([name, password]):
        print('参数缺失')
    user = User()
    user.nick_name = name
    user.mobile = name
    user.password = password
    user.is_admin = True
    try:
        db.session.add(user)
        db.session.commit()
    except Exception as e:
        db.session.rollback()
        print(e)
    print('管理员创建成功')



if __name__ == '__main__':
    print(app.url_map)
    manage.run()

info init.py

from flask import Flask
# 导入Config类,导入config_dict字典
from config import Config,config_dict
from flask_sqlalchemy import SQLAlchemy
from flask_session import Session
# 导入日志模块
import logging
# 日志处理模块,设置日志的位置、大小等信息
from logging.handlers import RotatingFileHandler
from redis import StrictRedis


# 先实例化sqlalchemy对象
db = SQLAlchemy()
# 实例化redis对象,用来实现存储和业务相关的数据
redis_store = StrictRedis(host=Config.REDIS_HOST,port=Config.REDIS_PORT,decode_responses=True)

# 设置日志的记录等级
logging.basicConfig(level=logging.DEBUG) # 调试debug级
# 创建日志记录器,指明日志保存的路径、每个日志文件的最大大小、保存的日志文件个数上限
file_log_handler = RotatingFileHandler("logs/log", maxBytes=1024*1024*100, backupCount=10)
# 创建日志记录的格式 日志等级 输入日志信息的文件名 行数 日志信息
formatter = logging.Formatter('%(levelname)s %(filename)s:%(lineno)d %(message)s')
# 为刚创建的日志记录器设置日志记录格式
file_log_handler.setFormatter(formatter)
# 为全局的日志工具对象(flask app使用的)添加日志记录器
logging.getLogger().addHandler(file_log_handler)

# 导入flask_wtf扩展提供的csrf保护和验证功能
from flask_wtf import CSRFProtect,csrf



# 定义工厂函数,实现动态的根据传入参数的不同,生产不同环境下的app
def create_app(config_name):

    app = Flask(__name__)

    # 加载配置对象,接收工厂函数传入的参数
    app.config.from_object(config_dict[config_name])

    # 使用函数让db和程序实例进行关联
    db.init_app(app)

    Session(app)
    # 项目开启csrf保护
    CSRFProtect(app)
    # 生成csrf_token,通过请求钩子,在每次请求后,往客户端浏览器的cookie中设置csrf_token
    @app.after_request
    def after_request(response):
        csrf_token = csrf.generate_csrf()
        response.set_cookie('csrf_token',csrf_token)
        return response

    # 添加自定义过滤器给模板
    from info.utils.commons import index_filter
    app.add_template_filter(index_filter,'index_filter')


    # 导入蓝图对象
    from info.modules.news import news_blue
    # 注册蓝图对象
    app.register_blueprint(news_blue)
    from info.modules.passport import passport_blue
    app.register_blueprint(passport_blue)
    from info.modules.profile import profile_blue
    app.register_blueprint(profile_blue)
    from info.modules.admin import admin_blue
    app.register_blueprint(admin_blue)

    return app

config.py

from redis import StrictRedis

class Config:
    DEBUG = None
    # 设置密钥
    SECRET_KEY = 'HZ3b61ERsB6Qi8MfH4lgoBNPz4PQyomwvMKmN5yPQp8J4peIC8RZLZI2Rss9LFNV07w='


    SQLALCHEMY_TRACK_MODIFICATIONS = False

    # 定义redis连接配置信息
    REDIS_HOST = '127.0.0.1'
    REDIS_PORT = 6379
    # 配置状态保持中的session信息存储的位置redis
    SESSION_TYPE = 'redis'
    SESSION_REDIS = StrictRedis(host=REDIS_HOST,port=REDIS_PORT)
    SESSION_USE_SIGNER = True
    PERMANENT_SESSION_LIFETIME = 86400

# 开发模式下的配置
class DevelopmentConfig(Config):
    DEBUG = True
    # mysql数据库的配置链接信息
    SQLALCHEMY_DATABASE_URI = 'mysql://root:mysql@localhost/info13'

class TESTConfig(Config):
    DEBUG = False
    SQLALCHEMY_DATABASE_URI = 'mysql://root:mysql@localhost/info13'
# 生产模式下的配置
class ProductionConfig(Config):
    DEBUG = False
    SQLALCHEMY_DATABASE_URI = 'mysql://root:mysql@localhost/info13'
# 定义字典,实现配置对象的映射
config_dict = {
    'development':DevelopmentConfig,
    'production':ProductionConfig
}

你可能感兴趣的:(python,python)