- r - 以节省内存的方式增长 data.frame
- ruby-on-rails - ruby/ruby on rails 内存泄漏检测
- android - 无法解析导入android.support.v7.app
- UNIX 域套接字与共享内存(映射文件)
我看到一个 article written by Mat Ryer关于如何使用作为 func(http.ResponseWriter, *http.Request)
包装器类型的服务器类型和 http 处理程序
我认为这是构建 REST API 的一种更优雅的方式,但是我完全无法让包装器正常运行。我要么在编译时遇到类型不匹配的错误,要么在调用时遇到 404。
这基本上是我目前用于学习目的的内容。
package main
import(
"log"
"io/ioutil"
"encoding/json"
"os"
"net/http"
"github.com/gorilla/mux"
)
type Config struct {
DebugLevel int `json:"debuglevel"`
ServerPort string `json:"serverport"`
}
func NewConfig() Config {
var didJsonLoad bool = true
jsonFile, err := os.Open("config.json")
if(err != nil){
log.Println(err)
panic(err)
recover()
didJsonLoad = false
}
defer jsonFile.Close()
jsonBytes, _ := ioutil.ReadAll(jsonFile)
config := Config{}
if(didJsonLoad){
err = json.Unmarshal(jsonBytes, &config)
if(err != nil){
log.Println(err)
panic(err)
recover()
}
}
return config
}
type Server struct {
Router *mux.Router
}
func NewServer(config *Config) *Server {
server := Server{
Router : mux.NewRouter(),
}
server.Routes()
return &server
}
func (s *Server) Start(config *Config) {
log.Println("Server started on port", config.ServerPort)
http.ListenAndServe(":"+config.ServerPort, s.Router)
}
func (s *Server) Routes(){
http.Handle("/sayhello", s.HandleSayHello(s.Router))
}
func (s *Server) HandleSayHello(h http.Handler) http.Handler {
log.Println("before")
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request){
w.Write([]byte("Hello."))
h.ServeHTTP(w, r)
})
}
func main() {
config := NewConfig()
server := NewServer(&config)
server.Start(&config)
}
localhost:8091/sayhello
. (是的,这是我在配置文件中设置的端口。)
func (s *Server) Routes(){
s.Router.HandleFunc("/sayhello", s.HandleSayHello)
}
cannot use s.HandleSayHello (type func(http.Handler) http.Handler) as type func(http.ResponseWriter, *http.Request) in argument to s.Router.HandleFunc
http.Handle
并传入路由器。
func (s *Server) Routes(){
http.Handle("/sayhello", s.HandleSayHello(s.Router))
}
"before"
在我的打印语句中出现在服务器启动之前。我现在不认为这是一个问题,但是一旦我开始为数据库查询编写更复杂的中间件,我可能会使用它。
middleware
或
handler
类型定义。
func loggingMiddleware(next http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
// Do stuff here
log.Println(r.RequestURI)
// Call the next handler, which can be another middleware in the chain, or the final handler.
next.ServeHTTP(w, r)
})
}
r := mux.NewRouter()
r.HandleFunc("/", handler)
r.Use(loggingMiddleware)
r.Use
的目的是什么?当它没有注册 url 路由时?
handler
正在使用?
w.Write
在错误的地方。
最佳答案
我认为您可能将“中间件”与真正的处理程序混为一谈。
http 处理程序
实现 ServeHTTP(w http.ResponseWriter, r *http.Request)
的类型方法满足 http.Handler
接口(interface),因此这些类型的实例可以用作 http.Handle
的第二个参数。函数或等效函数 http.ServeMux.Handle
方法。
一个例子可能会更清楚地说明这一点:
type myHandler struct {
// ...
}
func (h myHandler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
w.Write([]byte(`hello world`))
}
func main() {
http.Handle("/", myHandler{})
http.ListenAndServe(":8080", nil)
}
func(w http.ResponseWriter, r *http.Request)
是可以转换为
http.Handler
的 http 处理程序函数使用
http.HandlerFunc
类型。注意签名与
http.Handler
的签名相同。的
ServeHTTP
方法。
func myHandlerFunc(w http.ResponseWriter, r *http.Request) {
w.Write([]byte(`hello world`))
}
func main() {
http.Handle("/", http.HandlerFunc(myHandlerFunc))
http.ListenAndServe(":8080", nil)
}
http.HandlerFunc(myHandlerFunc)
转换
myHandlerFunc
函数类型
http.HandlerFunc
它实现了
ServeHTTP
方法,因此该表达式的结果值是有效的
http.Handler
因此它可以传递给
http.Handle("/", ...)
函数调用作为第二个参数。
ServeHTTP
的 http 处理程序类型方法很常见,标准库提供了替代方法
http.HandleFunc
和
http.ServeMux.HandleFunc
.全部
HandleFunc
do就是我们在上面的例子中所做的,它将传入的函数转换为
http.HandlerFunc
并调用
http.Handle
结果。
func(h http.Handler) http.Handler
被视为中间件。请记住,中间件的签名不受限制,您可以让中间件接受比单个处理程序更多的参数并返回更多值,但通常一个函数至少需要一个处理程序并至少重新运行一个新的处理程序可以被认为是中间件。
http.StripPrefix
为例。 .
func (s *Server) HandleSayHello(h http.Handler) http.Handler {
HandleFunc
, 建议您希望这是一个普通的 http 处理程序 func,但签名是中间件的签名,这就是您得到错误的原因:
cannot use s.HandleSayHello (type func(http.Handler) http.Handler) as type func(http.ResponseWriter, *http.Request) in argument to s.Router.HandleFunc
"Hello."
访问时的文字
/sayhello
.
func (s *Server) HandleSayHello(w http.ResponseWriter, r *http.Request) {
w.Write([]byte("Hello."))
}
func (s *Server) Routes(){
s.Router.HandleFunc("/sayhello", s.HandleSayHello)
}
As this is right now, I'll only get back a 404 invoking
localhost:8091/sayhello
.
http.Handle("/sayhello", s.HandleSayHello(s.Router))
http.ListenAndServe(":"+config.ServerPort, s.Router)
http.Handle
func 使用
default ServeMux instance 注册传入的处理程序,它不会在
s.Router
中的gorilla路由器实例中注册它正如您似乎假设的那样,然后您正在通过
s.Router
到
ListenAndServe
func 使用它来服务来自
localhost:8091
的每个请求,以及自
s.Router
没有注册的处理程序,你会得到
404
.
But now how do I prevent the actual function from executing when I set my routes? The
"before"
in my print statement is showing up before the server starts.
func (s *Server) Routes(){
http.Handle("/sayhello", s.HandleSayHello(s.Router))
}
func (s *Server) HandleSayHello(h http.Handler) http.Handler {
log.Println("before")
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request){
w.Write([]byte("Hello."))
h.ServeHTTP(w, r)
})
}
http.Handle
函数和
HandleSayHello
方法。
HandleSayHello
方法在其主体中有两个语句,函数调用表达式语句
log.Println("before")
和返回语句
return http.HandlerFunc(...
并且每次调用
HandleSayHello
时都会执行这两个操作.然而,当您调用
HandleSayHello
时,返回函数内的语句,即处理程序,将不会被执行。 ,而是在调用返回的处理程序时执行它们。
"before"
打印时
HandleSayHello
被调用但您希望在调用返回的处理程序时打印它?您需要做的就是将日志行向下移动到返回的处理程序:
func (s *Server) HandleSayHello(h http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request){
log.Println("before")
w.Write([]byte("Hello."))
h.ServeHTTP(w, r)
})
}
// the handler func
func (s *Server) HandleSayHello(w http.ResponseWriter, r *http.Request) {
w.Write([]byte("Hello."))
}
// the middleware
func (s *Server) PrintBefore(h http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request){
log.Println("before") // execute before the actual handler
h.ServeHTTP(w, r) // execute the actual handler
})
}
func (s *Server) Routes(){
// PrintBefore takes an http.Handler but HandleSayHello is an http handler func so
// we first need to convert it to an http.Hanlder using the http.HandlerFunc type.
s.Router.HandleFunc("/sayhello", s.PrintBefore(http.HandlerFunc(s.HandleSayHello)))
}
r := mux.NewRouter()
r.HandleFunc("/", handler)
r.Use(loggingMiddleware)
What is the purpose of
r.Use
when it's not registering the url route? How ishandler
being used?
Use
在路由器级别注册中间件,这意味着在该路由器上注册的所有处理程序都将在执行中间件之前先执行中间件。
r := mux.NewRouter()
r.HandleFunc("/", loggingMiddleware(handler))
Use
不是为了不必要和困惑,如果您有许多端点都具有不同的处理程序,并且所有端点都需要一堆中间件来应用于它们,这将很有用。
r.Handle("/foo", mw1(mw2(mw3(foohandler))))
r.Handle("/bar", mw1(mw2(mw3(barhandler))))
r.Handle("/baz", mw1(mw2(mw3(bazhandler))))
// ... hundreds more
r.Handle("/foo", foohandler)
r.Handle("/bar", barhandler)
r.Handle("/baz", bazhandler)
// ... hundreds more
r.Use(mw1, mw2, m3)
关于rest - 了解 Go 中的 http handlerfunc 包装器技术,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/53678633/
我开始在 Ethereum blockchain 上了解如何开发智能合约以及如何写 web-script用于与智能合约交互(购买、销售、统计......)我得出了该怎么做的结论。我想知道我是否正确理解
我正在 UIView 中使用 CATransform3DMakeRotation,并且我正在尝试进行 45º,变换就像向后放置一样: 这是我拥有的“代码”,但显然没有这样做。 CATransform3
我目前正在测试 WebRTC 的功能,但我有一些脑逻辑问题。 WebRTC 究竟是什么? 我只读了“STUN”、“P2P”和其他...但是在技术方面什么是正确的 WebRTC(见下一个) 我需要什么
我在看 DelayedInit在 Scala in Depth ... 注释是我对代码的理解。 下面的 trait 接受一个非严格计算的参数(由于 => ),并返回 Unit .它的行为类似于构造函数
谁能给我指出一个用图片和简单的代码片段解释 WCF 的资源。我厌倦了谷歌搜索并在所有搜索结果中找到相同的“ABC”文章。 最佳答案 WCF 是一项非常复杂的技术,在我看来,它的文档记录非常少。启动和运
我期待以下 GetArgs.hs打印出传递给它的参数。 import System.Environment main = do args main 3 4 3 :39:1: Coul
private int vbo; private int ibo; vbo = glGenBuffers(); ibo = glGenBuffers(); glBindBuffer(GL_ARRAY_
我正在尝试一个 for 循环。我添加了一个 if 语句以在循环达到 30 时停止循环。 我见过i <= 10将运行 11 次,因为循环在达到 10 次时仍会运行。 如果有设置 i 的 if 语句,为什
我正在尝试了解 WSGI 的功能并需要一些帮助。 到目前为止,我知道它是一种服务器和应用程序之间的中间件,用于将不同的应用程序框架(位于服务器端)与应用程序连接,前提是相关框架具有 WSGI 适配器。
我是 Javascript 的新手,我正在尝试绕过 while 循环。我了解它们的目的,我想我了解它们的工作原理,但我在使用它们时遇到了麻烦。 我希望 while 值自身重复,直到两个随机数相互匹配。
我刚刚偶然发现Fabric并且文档并没有真正说明它是如何工作的。 我有根据的猜测是您需要在客户端和服务器端都安装它。 Python 代码存储在客户端,并在命令运行时通过 Fabric 的有线协议(pr
我想了解 ConditionalWeakTable .和有什么区别 class ClassA { static readonly ConditionalWeakTable OtherClass
关闭。这个问题需要更多focused .它目前不接受答案。 想改善这个问题吗?更新问题,使其仅关注一个问题 editing this post . 5年前关闭。 Improve this questi
我还没有成功找到任何可以引导我理解 UIPickerView 和 UIPickerView 模型的好例子。有什么建议吗? 最佳答案 为什么不使用默认的 Apple 文档示例?这是来自苹果文档的名为 U
我在看foldM为了获得关于如何使用它的直觉。 foldM :: Monad m => (a -> b -> m a) -> a -> [b] -> m a 在这个简单的例子中,我只返回 [Just
答案What are _mm_prefetch() locality hints?详细说明提示的含义。 我的问题是:我想要哪一个? 我正在处理一个被重复调用数十亿次的函数,其中包含一些 int 参数。
我一直在读这个article了解 gcroot 模板。我明白 gcroot provides handles into the garbage collected heap 然后 the handle
提供了一个用例: 流处理架构;事件进入 Kafka,然后由带有 MongoDB 接收器的作业进行处理。 数据库名称:myWebsite集合:用户 并且作业接收 users 集合中的 user 记录。
你好 我想更详细地了解 NFS 文件系统。我偶然发现了《NFS 图解》这本书,不幸的是它只能作为谷歌图书提供,所以有些页面丢失了。有人可能有另一个很好的资源,这将是在较低级别上了解 NFS 的良好开始
我无法理解这个问题,哪个更随机? rand() 或: rand() * rand() 我发现这是一个真正的脑筋急转弯,你能帮我吗? 编辑: 凭直觉,我知道数学答案是它们同样随机,但我忍不住认为,如果您
我是一名优秀的程序员,十分优秀!