徒手使用python和go语言搭建最简单的web页面-使用模板,无持久化
也许我们会接触到很多语言的web应用,譬如php,java,包括今天介绍的python和go,实际上我们在使用这些语言构建web应用的时候,很多时候变成了单纯的调用包和api,而忽略底层的原理。不过呢,所有的web应用,模型都是一致的。浏览器发送一个http请求;服务器收到请求,生成一个html页面,作为body返回给客户端;客户端解析对应的html页面。搞清楚这个简单的逻辑,我们就可以轻而易举开发web应用了。
先说python版本:
#!/usr/bin/env python
# -*- coding: utf-8 -*-from flask import Flask, request, render_template
app = Flask(__name__)
@app.route('/', methods=['GET', 'POST'])
def home(): return render_template('TODO.html',view="happy")if __name__ == '__main__':
app.run(host='', port=8000, debug=True) 代码的前两行是注释,也是必须包含的代码。第一行代表这是python可执行脚本。第二行代表编码是utf-8。下一行代表引入的包。代表从flask包里面引入Flask、request、render_template这三个包。
鉴于我们是做web应用,所以我介绍一下flask。 https://book.douban.com/subject/26274202/flask 依赖两个外部库: Jinja2 模板引擎和 Werkzeug WSGI 工具集。Jinja2模板引擎是python web 常用的模板引擎,类似于smarty之于php。WSGI是python网络开发的基础工具,不做过多赘述。下一行代码。
由于这里使用的是单一模块,所以使用__name__(值为"__main__"),这一行代码相当于定义了一个,模块下面三行代码,包括一行装饰器和两行函数。装饰器表明在默认路径下进入该函数。
对于该函数执行模板TODO.html,并传递view的值。最后两行代表该模块只有在被python解释器解释时才能执行(避免作为模块)
然后讲使用Go语言
go语言我写的比较麻烦:
package mainimport ( "html/template" "log" "net/http")const (
username = "root" userpwd = "" dbname = "gooo")// User is user
type User struct { ID string Name string}// 单独提出来,渲染模板
func render(w http.ResponseWriter, tmplName string, context map[string]interface{}) {// tmpl := template.New("index.html")
tmpl,err:= template.ParseFiles(tmplName) // err:=nil if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } tmpl.Execute(w, nil) return} //home界面func indexHandler(w http.ResponseWriter, r *http.Request) { _, err := getDB(username, userpwd, dbname) if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } //locals可以作为模板变量去渲染,这里我没有使用 locals := make(map[string]interface{}) users := []User{} locals["users"] = users render(w, "./index.html",nil) return} //用来写获取数据库的连接配置,并未真正实现func getDB(username, userpwd, dbname string)( int,error) { return 123,nil}func main() {
//绑定 http.HandleFunc("/", indexHandler) //绑定端口 err := http.ListenAndServe(":8880", nil) if err != nil { log.Fatal("ListenAndServe: ", err.Error()) }}