我正在使用go
构建一个TCP代理,但是我面临一个小问题。在实际处理连接c1
并将其转发到c2
之前,我想做一些检查。为此,我需要来自c1
的字节片的字符串表示形式。不幸的是,_, err := io.CopyBuffer(w, r, buf)
是在作者和读者之间直接复制[]byte
,如果我在c1.Read()
函数之前做过cp
,则[]byte
已经被读取。
以下是包含连接处理的函数:
func (p *proxy) handle(c1 net.Conn) {
p.log.Printf("accepted %v", c1.RemoteAddr())
defer p.log.Printf("disconnected %v", c1.RemoteAddr())
defer c1.Close()
c2, err := dialer.Dial("tcp", p.dial)
log.Println("DIAL:", p.dial)
if err != nil {
p.log.Print("C2", err)
return
}
defer c2.Close()
errc := make(chan error, 2)
cp := func(w io.Writer, r io.Reader) {
buf := bufferPool.Get().([]byte)
_, err := io.CopyBuffer(w, r, buf)
errc <- err
bufferPool.Put(buf)
}
go cp(struct{ io.Writer }{c1}, c2)
go cp(c2, struct{ io.Reader }{c1})
err = <-errc
if err != nil {
p.log.Print("F-ERROR ->", err)
}
}
是否有一种“复制” []byte
的方法,以便我可以使用重复显示为字符串?
答案 0 :(得分:3)
您可以使用io.MultiReader连接两个或多个阅读器。因此,您可以从c1中读取(),然后使用MultiReader“重播”您已经读取的字节。
package main
import (
"bytes"
"io"
"log"
"net"
)
func main() {
var c1, c2 net.Conn
buf := make([]byte, 64)
n, err := c1.Read(buf)
buf = buf[:n]
if err != nil {
log.Fatal(err)
}
// TODO: deal with string(buf)
errc := make(chan error, 2)
go func() {
// Replay contents of buf, then copy the unread part of c1.
_, err := io.Copy(c2, io.MultiReader(bytes.NewReader(buf), c1))
errc <- err
}()
go func() {
_, err := io.Copy(c1, c2)
errc <- err
}()
err = <-errc
log.Println(err)
}
或者,在开始复制之前,只需对字节进行Write():
go func() {
// Replay contents of buf
_, err := c2.Write(buf)
if err != nil {
errc <- err
return
}
_, err = io.Copy(c2, c1)
errc <- err
}()