处理多个网络客户端

I have found a TCP Server and TCP Client written in go language. The problem is that the Server can't handle multiple clients and I don't know how to allow it.

Server:

package main

import "net"
import "fmt"
import "bufio"
import "strings" // only needed below for sample processing

func main() {

  fmt.Println("Launching server...")

  // listen on all interfaces
  ln, _ := net.Listen("tcp", ":8081")

  // accept connection on port
  conn, _ := ln.Accept()

  // run loop forever (or until ctrl-c)
  for {
    // will listen for message to process ending in newline (
)
    message, _ := bufio.NewReader(conn).ReadString('
')
    // output message received
    fmt.Print("Message Received:", string(message))
    // sample process for string received
    newmessage := strings.ToUpper(message)
    // send new string back to client
    conn.Write([]byte(newmessage + "
"))
  }
}

Client:

package main

import "net"
import "fmt"
import "bufio"
import "os"

func main() {

  // connect to this socket
  conn, _ := net.Dial("tcp", "127.0.0.1:8081")
  for { 
    // read in input from stdin
    reader := bufio.NewReader(os.Stdin)
    fmt.Print("Text to send: ")
    text, _ := reader.ReadString('
')
    // send to socket
    fmt.Fprintf(conn, text + "
")
    // listen for reply
    message, _ := bufio.NewReader(conn).ReadString('
')
    fmt.Print("Message from server: "+message)
  }
}

Can anyone help me?

Soruce: https://systembash.com/a-simple-go-tcp-server-and-tcp-client/

You have a couple of issues. First, you want to accept your incoming connections inside your for loop. Then, you're likely going want to spawn off a goroutine to handle the requests coming in.:

for {
    // Listen for an incoming connection.
    conn, err := l.Accept()
    if err != nil {
        log.Println("Error accepting: ", err.Error())
        continue
    }

    // Handle connections in a new goroutine.
    go myHandler(conn)
}

Resources:
https://tour.golang.org/concurrency

GoPlay:
https://play.golang.org/p/7EovqNWJIx