2

我正在测试一个反向代理。主要用于通过底层 nginx 播放视频和来自其他后端服务器的流式视频。

问题是在浏览视频时。例如,通过代理使用 vlc 播放时 - 视频正常启动,但在尝试导航时停止。但是如果我直接从 nginx 播放这个视频 - 它工作正常。

我预计导航播放器会与Range: N-标题创建新连接,但没有新连接,只有在再次启动视频时。

问题:

播放视频流时,播放器如何导航?它向服务器发送什么请求?也许我在连接处理中遗漏了一些东西?

这是用于测试的非常基本的版本,它从本地 nginx 流式传输视频,(本地视频 url - http://localhost/31285611):

package main

import (
    "net/http"
)

func main() {
    (&proxy{}).start()
}

type proxy struct {
    // ...
}

func (p *proxy) start() {
    http.HandleFunc("/play", p.connection)
    http.ListenAndServe("localhost:8040", nil)
}

func (p *proxy) connection(w http.ResponseWriter, r *http.Request) {
    disconnect := make(chan bool, 1)
    go p.send(w, r, disconnect)

    // ...

    <-disconnect
}


func (p *proxy) send(rv http.ResponseWriter, rvq *http.Request, disconnect chan bool) {

    rq, _ := http.NewRequest("GET", "http://localhost/31285611", rvq.Body)
    rq.Header = rvq.Header

    rs, _ := http.DefaultClient.Do(rq)
    for k, v := range rs.Header {
        rv.Header().Set(k, v[0])
    }
    rv.WriteHeader(http.StatusOK)

    buf := make([]byte, 1024)

    // for testing sending only first part.
    for i := 0; i < 100000; i++ {
        n, e := rs.Body.Read(buf[0:])
        if n == 0 || e != nil {
            break
        }
        rv.Write(buf[0:])
    }

    disconnect <- true

}

更新(标头转储):

第一个玩家连接:

map[User-Agent:[VLC/2.0.0 LibVLC/2.0.0] Range:[bytes=0-] Connection:[close] Icy-Metadata:[1]]

在 go 中创建连接时来自 nginx 的响应:

map[Server:[nginx/1.3.4] Date:[Tue, 23 Apr 2013 13:29:00 GMT] Content-Type:[application/octet-stream] Content-Length:[8147855699] Last-Modified:[Tue, 21 Aug 2012 20:47:20 GMT] Etag:["5033f3d8-1e5a66953"] Content-Range:[bytes 0-8147855698/8147855699]]
4

1 回答 1

0

我知道它并没有真正回答你的问题(而且我还没有足够的评论点,很抱歉提供这个作为答案!)但是你是否尝试过使用 Go 内置的 http.ReverseProxy (http://golang.org /pkg/net/http/httputil/#ReverseProxy)?

这里似乎有一个很好的简单示例https://groups.google.com/forum/?fromgroups=#!topic/golang-nuts/1u ​​fEw_IEVM4我在下面稍作修改:

package main

import (
    "log"
    "net/http"
    "net/http/httputil"
    "net/url"
)

func main() {
    proxy := httputil.NewSingleHostReverseProxy(&url.URL{Scheme: "http", Host: "www.google.com", Path: "/"})

    err := http.ListenAndServe(":8080", proxy)
    if err != nil {
        log.Fatal("ListenAndServe: ", err)
    }
}

看看这是否有效。

此外,在之前链接的 Google Groups 讨论中,提到了 NginX 存在分块编码问题。可能值得检查这是否相关。

于 2013-05-10T14:13:36.673 回答