2018年8月

django 自带web服务器程序,可用于开发调试,但不建议直接用到生产环境,那生产环境该如何部署django web项目呢?

本篇实际上为《Python web 开发 测试驱动方法》学习笔记,由书中内容改编(为适配当前最新环境)。

系统环境: ubuntu 16.4 或以上
项目源码: https://github.com/a523/TDD_django

安装依赖软件:

安装nginx

sudo apt-get install nginx
sudo systemctl start nginx

验证安装:访问服务器的 IP 地址 就能看到 Nginx 的“Welcome to nginx”。

ubuntu 18.04 自带python3, 如果没有请安装Python、Git、pip 和 virtualenv

sudo apt-get install git python3 python3-pip
sudo pip3 install virtualenv

如果在用apt-get安装的时候碰到如下错误:

start: Unable to connect to Upstart: Failed to connect to socket /com/ubuntu/upstart: Connection refused

请尝试执行:

sudo dpkg-divert --local --rename --add /sbin/initctl
ln -s /bin/true /sbin/initctl

- 阅读剩余部分 -

完整代码地址:https://github.com/a523/TDD_django

第一部分

怎么测试视图函数传入正确的值渲染模板?

from django.template.loader import render_to_string

render_to_string 函数可以渲染模板,然后拿它的返回值和视图函数的返回的HTML比较。

from django.http import HttpRequest

HttpRequest 可以构造request类
然后把这个request类做参数传给视图函数,如:

def test_home_page_can_save_a_POST_request(self):
    request = HttpRequest()
    request.method = "POST"
    request.POST['item_text'] = 'A new list item'

    response = home_page(request)
    self.assertIn('A new list item', response.content.decode())
    expected_html = render_to_string(
        'home.html',
        {'new_item_text': 'A new list item'}
    )
    self.assertEqual(response.content.decode(), expected_html)

- 阅读剩余部分 -