麻烦从插座中读取

时间:2010-02-16 04:36:20

标签: sockets go

我正在尝试学习go语言,而我正在编写一个简单的echo服务器。但是,我很难让它发挥作用。

func listen(server string) {
    var buf []byte

    listener, ok := net.Listen("tcp", server)
    if ok != nil {
        fmt.Fprintf(os.Stderr, "Could not listen on socket: %s\n", ok.String())
        return
    }
    conn, ok := listener.Accept()
    if ok != nil {
        fmt.Fprintf(os.Stderr, "Could not accept connection on socket: %s\n", ok.String())
        return
    }

    writelen, ok := conn.Write(strings.Bytes("Ready to receive\n"))
    if ok != nil {
        fmt.Fprintf(os.Stderr, "Could not write to socket: %s\n", ok.String())
    } else {
        fmt.Printf("Wrote %d bytes to socket\n", writelen)
    }

    for ;; {
        readlen, ok := conn.Read(buf)
        if ok != nil {
            fmt.Fprintf(os.Stderr, "Error when reading from socket: %s\n", ok.String())
            return
        }
        if readlen == 0 {
            fmt.Printf("Connection closed by remote host\n")
            return
        }

        fmt.Printf("Client at %s says '%s'\n", conn.RemoteAddr().String(), buf)
    }
}

我从这个函数得到以下输出:

[nathan@ebisu ~/src/go/echo_server] ./6.out 1234
Using port 1234
Wrote 17 bytes to socket
Error when reading from socket: EOF

这是我在客户端看到的内容:

[nathan@ebisu ~] telnet 127.0.0.1 1234
Trying 127.0.0.1...
Connected to 127.0.0.1.
Escape character is '^]'.
Ready to receive
Connection closed by foreign host.

任何帮助都会受到赞赏(或指向资源;有关套接字API的go文档有点不尽如人意)。

谢谢,

2 个答案:

答案 0 :(得分:8)

在你的例子中,buf需要有一个确定的大小。您已将其声明为0长度切片。

声明为:

var buf = make([]byte, 1024)

答案 1 :(得分:2)

当然,如果你想学习,最好自己写一下,但是,如果它有帮助,这就是我自己在Go中的回显服务器。

package main

import (
    "net";
    "os";
    "fmt";
)

func handle(conn *net.TCPConn) {
    fmt.Printf("Connection from %s\n", conn.RemoteAddr());
    message := make([]byte, 1024);
    // TODO: loop the read, we can have >1024 bytes
    n1, error := conn.Read(message);
    if error != nil {
        fmt.Printf("Cannot read: %s\n", error);
        os.Exit(1);
    }
    n2, error := conn.Write(message[0:n1]);
    if error != nil || n2 != n1 {
        fmt.Printf("Cannot write: %s\n", error);
        os.Exit(1);
    }
    fmt.Printf("Echoed %d bytes\n", n2);
    conn.Close();   // TODO: wait to see if more data? It would be better with telnet...
}

func main() {
    listen := ":7";
    addr, error := net.ResolveTCPAddr(listen);
    if error != nil {
        fmt.Printf("Cannot parse \"%s\": %s\n", listen, error);
        os.Exit(1);
    }
    listener, error := net.ListenTCP("tcp", addr);
    if error != nil {
        fmt.Printf("Cannot listen: %s\n", error);
        os.Exit(1);
    }
    for {   // ever...
        conn, error := listener.AcceptTCP();
        if error != nil {
            fmt.Printf("Cannot accept: %s\n", error);
            os.Exit(1);
        }
        go handle(conn);
    }
}