如何中断HTTP处理程序?

问题描述 投票:0回答:1

说我有一个像这样的http处理程序:

func ReallyLongFunction(w http.ResponseWriter, r *http.Request) {
        fmt.Fprintf(w, "Hello World!")
        // run code that takes a long time here

})

如果用户在不运行后续代码的情况下刷新页面或以其他方式取消请求,有没有办法可以中断此功能,我该怎么办?

我尝试这样做:

notify := r.Context().Done()
go func() {
    <-notify
     println("Client closed the connection")
     s.downloadCleanup()
     return
}()

但是无论何时我打断之后的代码仍然可以运行。

http go web handler
1个回答
2
投票
external强制拆解为该goroutine。

因此,实际中断处理的唯一方法是定期检查客户端是否消失(或者是否还有其他信号要停止处理)。

基本上,这相当于构造这样的处理程序

func ReallyLongFunction(w http.ResponseWriter, r *http.Request) { fmt.Fprintf(w, "Hello World!") done := r.Context().Done() // Check wheteher we're done // do some small piece of stuff // check whether we're done // do another small piece of stuff // …rinse, repeat })

现在一种检查是否有内容写入通道,但不阻塞该操作的方法是使用“默认选择”习惯用法:

select {
    case <- done:
        // We're done
    default:
}

[并且仅当done被写入或关闭时(此情况就是这种情况),该状态执行程序才执行“ //我们完成”块中的代码,而其他情况则是default中的空块执行分支。

所以我们可以将其重构为类似的东西

func ReallyLongFunction(w http.ResponseWriter, r *http.Request) { fmt.Fprintf(w, "Hello World!") done := r.Context().Done() closed := func () { select { case <- done: return true default: return false } } if closed() { return } // do some small piece of stuff if closed() { return } // do another small piece of stuff // …rinse, repeat })

© www.soinside.com 2019 - 2024. All rights reserved.