Steel/pkg/net/network.go

86 lines
1.8 KiB
Go
Raw Normal View History

package net
import (
2023-12-16 20:52:05 +01:00
"cimeyclust.com/steel/pkg/cmd"
"fmt"
"net"
"sync"
2023-12-16 20:52:05 +01:00
"time"
)
// Start Starts the TCP server on the specified address.
func Start(addr string, stopChan <-chan struct{}, wg *sync.WaitGroup) {
defer wg.Done()
// Start listening on the specified address
listener, err := net.Listen("tcp", addr)
if err != nil {
2023-12-16 20:52:05 +01:00
cmd.Logger.Error("Error starting TCP server: %v")
}
// Close the listener when the application closes.
defer func(listener net.Listener) {
err := listener.Close()
if err != nil {
return
}
}(listener)
2023-12-16 20:52:05 +01:00
// slog.Info(fmt.Sprintf("Listening on %s", addr))
cmd.Logger.Info(fmt.Sprintf("Listening on %s", addr))
go func() {
for {
// Print test every second
select {
case <-stopChan:
return // Safe exit if stop has been signalled
default:
cmd.Logger.Info("Test")
}
time.Sleep(1 * time.Second)
}
}()
// Listen for an incoming connection in a goroutine.
go func() {
for {
conn, err := listener.Accept()
if err != nil {
select {
case <-stopChan:
return // Safe exit if stop has been signalled
default:
2023-12-16 20:52:05 +01:00
cmd.Logger.Error(fmt.Sprintf("Error while accepting conn: %v", err))
}
continue
}
// Handle connections in a new goroutine.
go handleRequest(conn)
}
}()
// Block until we receive a stop signal
<-stopChan
}
// handleRequest handles incoming requests.
func handleRequest(conn net.Conn) {
// Close the connection when you're done with it.
defer conn.Close()
// Make a buffer to hold incoming data.
buf := make([]byte, 1024)
// Read the incoming connection into the buffer.
_, err := conn.Read(buf)
if err != nil {
2023-12-16 20:52:05 +01:00
cmd.Logger.Error(fmt.Sprintf("Error reading: %v", err))
return
}
// Send a response back to person contacting us.
conn.Write([]byte("Hello, World!\n"))
}