Python学习笔记-第19天:实战练习(6)

第十九天 实战练习(6)

今天计划用Python继续一个web开发的实战项目练习,学习项目及练习源码地址:
GitHub源码

处理用户登录session

在response中间件中加入处理用户登录的session,这样可以方便的传入用户登录的相关信息到模板渲染。

session = await get_session(request)
uid = session.get("uid")
r['is_login'] = False if not uid else True
resp = web.Response(body=app['__templating__'].get_template(template).render(**r).encode('utf-8'))
resp.content_type = 'text/html;charset=utf-8'
return resp

模板中简单应用:

{% if is_login %}



{% else %}



{% endif %}

文章的保存和更新

@post('/b/{id}')
async def save_content(*,id,title,content,request):
    if not title or not title.strip():
        raise APIValueError('title')
    if not content or not content.strip():
        raise APIValueError('content')
    session = await get_session(request)
    uid = session.get('uid')
    if not uid:
        return {'success':False,'msg':'please login.'}
    if id == '0':
        blog = Blog(
            user_id = uid,
            user_name = '',
            user_image = '',
            name = title,
            summary = '',
            content = content
        )
        await blog.save()
        return {'success':True,'blog_id':blog.id}
    else:
        blogs = await Blog.findAll('id=?', [id])
        if len(blogs) != 1:
            raise APIError('update:failed', 'id', 'id is not find.')
        blog = blogs[0]
        blog.name = title
        blog.content = content
        await blog.update()
        return {'success':True,'blog_id':blog.id}

在这里只是简单的验证用户是否登录,实际中,应该防止用户通过非法手段狂写入文章数据。

文章列表的获取和展现

@get('/')
async def index(request):
    blogs = await Blog.findAll(limit=5)
    return {
        '__template__':'index.html',
        'blogs': blogs
    }

前端渲染

{% for blog in blogs %}

{{ blog.name }}

2017-10-01 18:00
156
2

{{ blog.sumary }}

阅读更多...

{% endfor %}

文章详情

@get('/a/{id}')
async def detail(id,request):
    blogs = await Blog.findAll('id=?', [id],limit=1)

    return {
        '__template__':'detail.html',
        'blog': blogs[0]
    }

前端展现

{{blog.name}}

Responsive image 海哥
2017-10-01 18:00
156
2
{{blog.content | safe}}

一个小坑: 要展现保存的富文本内容,需要要{{blog.content | safe}}

自此,文章的增,删,查,改已经全部完成,需要丰富文章的内容,如:查看次数,作者信息,文章配图显示等。

如何将张贴到富文本内容的图片连接转存到本地,过滤粘贴内容的外部连接等,是需要慢慢完成的工作。

你可能感兴趣的:(Python学习笔记-第19天:实战练习(6))