Go Fiber搭建一个HTTP服务器

Fiber 是一个 Express 启发 web 框架基于 fasthttp ,最快 Go 的 http 引擎。设计为简易,及快速的方式开发,同时考虑零内存分配和性能。这里默认你已经搭建好了本地Go环境。
一、安装

go install github.com/gofiber/fiber/v2@latest

二、创建本地工程
创建本地工程后,使用 go mod init 初始化当前文件夹为一个 Go Module,并指定其导入路径。

go mod init 工程名

三、编写Go代码
在工程目录下创建一个go文件

  1. 导入 Fiber 框架的依赖 github.com/gofiber/fiber/v2
  2. 使用 fiber.New() 初始化一个 Fiber App
  3. 使用 app.Static(“/”, “”) 设置静态文件路由,此处文件目录为空,返回 404
  4. 使用 app.Get() 设置 / 路径的 GET 路由,返回 “Hello World!”
  5. 使用 app.Listen(“:3000”) 启动服务器,监听 3000 端口
  6. 运行该程序,访问 http://localhost:3000 可以看到 “Hello World!” 的响应

app.Static可以设置一些HTML页面的路径,设置后可以通过打开http://localhost:3000访问该路径下的所有静态资源

package main

import "github.com/gofiber/fiber/v2"

func main() {
	app := fiber.New()

	app.Static("/", "")
	
	app.Get("/", func(c *fiber.Ctx) error {
		return c.SendString("Hello World!")
	})

	app.Listen(":3000")
}

四、 打开http://127.0.0.1:3000即可

你可能感兴趣的:(Golang实践,服务器,golang,http)