Golang服务器,如何接收TCP JSON数据包?

前端之家收集整理的这篇文章主要介绍了Golang服务器,如何接收TCP JSON数据包?前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我是Golang的新手,我在这里使用“服务器”代码作为起点: http://www.golang-book.com/13/index.htm#section7

我试图使用JSON而不是Gob解码(因为我需要用C#编写客户端),并且我将JSON TCP数据客户端数据发送到与下面代码不同的脚本中.

我停留在我实际接收JSON TCP数据并将其存储在变量中以便进行解码的部分.看起来我可以用json.Unmarshal解码它,但我找不到任何使用json.Unmarshal来解码TCP数据的例子.我只能找到json.Unmarshal用于解码JSON字符串的示例.

我的代码如下:

package main

import (
  "encoding/json"
  "fmt"
  "net"
)

type coordinate struct {
  X float64 `json:"x"`
  Y float64 `json:"y"`
  Z float64 `json:"z"`
}

func server() {
  // listen on a port
  ln,err := net.Listen("tcp",":9999")
  if err != nil {
    fmt.Println(err)
    return
  }
  for {
    // accept a connection
    c,err := ln.Accept()
    if err != nil {
      fmt.Println(err)
      continue
    }
    // handle the connection
    go handleServerConnection(c)
  }
}

func handleServerConnection(c net.Conn) {
  // receive the message
  var msg coordinate

卡在下面的线上.我可以将rawJSON变量设置为什么?

err := json.Unmarshal([]byte(rawJSON),&msg)
  if err != nil {
    fmt.Println(err)
  } else {
    fmt.Println("Received",msg)
  }

  c.Close()
}

func main() {
  go server()

  //let the server goroutine run forever
  var input string
  fmt.Scanln(&input)
}
您可以将json.Decoder直接修补到连接:
func handleServerConnection(c net.Conn) {

    // we create a decoder that reads directly from the socket
    d := json.NewDecoder(c)

    var msg coordinate

    err := d.Decode(&msg)
    fmt.Println(msg,err)

    c.Close()

}
原文链接:https://www.f2er.com/go/242053.html

猜你在找的Go相关文章