Skip to content

Commit 3dbc0be

Browse files
committed
docs: added Part3 document
1 parent b6463dd commit 3dbc0be

File tree

1 file changed

+220
-0
lines changed

1 file changed

+220
-0
lines changed
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,220 @@
1+
# Netrunner: Building HTTP from the Ground Up
2+
## Part 3: HTTP Responses and Status Codes
3+
4+
In this third part of our series on building HTTP from the ground up, we'll focus on implementing HTTP responses and status codes. We'll also create a simple server to tie everything together.
5+
6+
### Implementing Status Codes
7+
8+
Let's start by creating a new package for our HTTP status codes. First, create a new directory:
9+
10+
```bash
11+
mkdir -p netrunner/pkg/http/status
12+
```
13+
14+
Now, create a new file `netrunner/pkg/http/status/status.go`:
15+
16+
```go
17+
package status
18+
19+
const (
20+
OK = 200
21+
Created = 201
22+
Accepted = 202
23+
NoContent = 204
24+
MovedPermanently = 301
25+
Found = 302
26+
BadRequest = 400
27+
Unauthorized = 401
28+
Forbidden = 403
29+
NotFound = 404
30+
MethodNotAllowed = 405
31+
IamATeaPot = 418
32+
InternalServerError = 500
33+
NotImplemented = 501
34+
BadGateway = 502
35+
ServiceUnavailable = 503
36+
)
37+
38+
var statusText = map[int]string{
39+
OK: "OK",
40+
Created: "Created",
41+
Accepted: "Accepted",
42+
NoContent: "No Content",
43+
MovedPermanently: "Moved Permanently",
44+
Found: "Found",
45+
BadRequest: "Bad Request",
46+
Unauthorized: "Unauthorized",
47+
Forbidden: "Forbidden",
48+
NotFound: "Not Found",
49+
MethodNotAllowed: "Method Not Allowed",
50+
IamATeaPot: "I'm a teapot",
51+
InternalServerError: "Internal Server Error",
52+
NotImplemented: "Not Implemented",
53+
BadGateway: "Bad Gateway",
54+
ServiceUnavailable: "Service Unavailable",
55+
}
56+
57+
func Text(code int) string {
58+
return statusText[code]
59+
}
60+
```
61+
62+
### Updating the Response Structure
63+
64+
Next, let's update our `netrunner/pkg/http/response.go` file to use this new package:
65+
66+
```go
67+
package http
68+
69+
import (
70+
"fmt"
71+
"strings"
72+
73+
"github.com/yourusername/netrunner/pkg/http/status"
74+
)
75+
76+
type Response struct {
77+
Version string
78+
StatusCode int
79+
StatusText string
80+
Headers map[string]string
81+
Body []byte
82+
}
83+
84+
func NewResponse() *Response {
85+
return &Response{
86+
Version: "HTTP/1.1",
87+
Headers: make(map[string]string),
88+
}
89+
}
90+
91+
func FormatResponse(r *Response) []byte {
92+
var builder strings.Builder
93+
94+
// Status line
95+
builder.WriteString(fmt.Sprintf("%s %d %s\r\n", r.Version, r.StatusCode, r.StatusText))
96+
97+
// Headers
98+
for key, value := range r.Headers {
99+
builder.WriteString(fmt.Sprintf("%s: %s\r\n", key, value))
100+
}
101+
102+
// Empty line
103+
builder.WriteString("\r\n")
104+
105+
// Body
106+
return append([]byte(builder.String()), r.Body...)
107+
}
108+
109+
func StatusText(code int) string {
110+
return status.Text(code)
111+
}
112+
```
113+
114+
### Implementing the Main Server
115+
116+
Now, let's create our `main.go` file in the `cmd/server/` directory to bring everything together:
117+
118+
```go
119+
package main
120+
121+
import (
122+
"fmt"
123+
"io"
124+
"net"
125+
126+
"github.com/yourusername/netrunner/pkg/http"
127+
"github.com/yourusername/netrunner/pkg/http/status"
128+
)
129+
130+
func main() {
131+
listener, err := net.Listen("tcp", ":8080")
132+
if err != nil {
133+
fmt.Printf("Failed to start server: %v\n", err)
134+
return
135+
}
136+
defer listener.Close()
137+
138+
fmt.Println("Server listening on :8080")
139+
140+
for {
141+
conn, err := listener.Accept()
142+
if err != nil {
143+
fmt.Printf("Failed to accept connection: %v\n", err)
144+
continue
145+
}
146+
go handleConnection(conn)
147+
}
148+
}
149+
150+
func handleConnection(conn net.Conn) {
151+
defer conn.Close()
152+
153+
buffer := make([]byte, 1024)
154+
n, err := conn.Read(buffer)
155+
if err != nil && err != io.EOF {
156+
fmt.Printf("Error reading from connection: %v\n", err)
157+
return
158+
}
159+
160+
request, err := http.ParseRequest(buffer[:n])
161+
if err != nil {
162+
fmt.Printf("Error parsing request: %v\n", err)
163+
sendErrorResponse(conn, status.BadRequest)
164+
return
165+
}
166+
167+
response := http.NewResponse()
168+
response.SetStatus(status.OK)
169+
response.SetHeader("Content-Type", "text/plain")
170+
responseBody := fmt.Sprintf("Received request:\nMethod: %s\nPath: %s\nProtocol: %s\n",
171+
request.Method, request.Path, request.Version)
172+
response.SetBody([]byte(responseBody))
173+
174+
_, err = conn.Write(response.Write())
175+
if err != nil {
176+
fmt.Printf("Error writing response: %v\n", err)
177+
}
178+
}
179+
180+
func sendErrorResponse(conn net.Conn, statusCode int) {
181+
response := http.NewResponse()
182+
response.SetStatus(statusCode)
183+
response.SetHeader("Content-Type", "text/plain")
184+
response.SetBody([]byte(status.Text(statusCode)))
185+
186+
_, err := conn.Write(response.Write())
187+
if err != nil {
188+
fmt.Printf("Error writing error response: %v\n", err)
189+
}
190+
}
191+
```
192+
193+
### Running and Testing the Server
194+
195+
To run the server:
196+
197+
1. Navigate to the `cmd/server/` directory in your terminal.
198+
2. Run the following command:
199+
200+
```bash
201+
go run main.go
202+
```
203+
204+
You should see the message "Server listening on :8080" printed to the console.
205+
206+
You can test the server using a web browser or a tool like curl. For example:
207+
208+
```bash
209+
curl http://localhost:8080/test
210+
```
211+
212+
You should receive a response that echoes back the details of your request.
213+
214+
### Conclusion
215+
216+
In this part, we've implemented HTTP responses and status codes, and created a simple server that can handle incoming requests and send responses. This lays the foundation for building more complex HTTP functionality in future parts of this series.
217+
218+
In the next part, we'll expand on this implementation by adding support for different HTTP methods (GET, POST, etc.) and creating a simple routing system to handle different paths.
219+
220+
Stay tuned for Part 4, where we'll dive into implementing GET and POST methods and create a basic routing system!

0 commit comments

Comments
 (0)