-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathhandler.go
100 lines (80 loc) · 2.45 KB
/
handler.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
package main
import (
"strings"
)
// Handlers map to associate commands with their functions
var Handlers = map[string]func([]Value) Value{
"SET": handleSet,
"GET": handleGet,
"HSET": handleHSet,
"HGET": handleHGet,
}
// In-memory storage for keys and values
var storage = make(map[string]string)
var hashStorage = make(map[string]map[string]string)
// handleSet processes the SET command
func handleSet(args []Value) Value {
if len(args) < 2 || args[0].typ != "bulk" || args[1].typ != "bulk" {
return Value{typ: "error", str: "ERR wrong number of arguments for 'SET' command"}
}
key := args[0].bulk
value := args[1].bulk
storage[key] = value
return Value{typ: "string", str: "OK"}
}
// handleGet processes the GET command
func handleGet(args []Value) Value {
if len(args) < 1 || args[0].typ != "bulk" {
return Value{typ: "error", str: "ERR wrong number of arguments for 'GET' command"}
}
key := args[0].bulk
value, ok := storage[key]
if !ok {
return Value{typ: "null"}
}
return Value{typ: "bulk", bulk: value}
}
// handleHSet processes the HSET command
func handleHSet(args []Value) Value {
if len(args) < 3 || args[0].typ != "bulk" || args[1].typ != "bulk" || args[2].typ != "bulk" {
return Value{typ: "error", str: "ERR wrong number of arguments for 'HSET' command"}
}
hashKey := args[0].bulk
field := args[1].bulk
value := args[2].bulk
if _, ok := hashStorage[hashKey]; !ok {
hashStorage[hashKey] = make(map[string]string)
}
hashStorage[hashKey][field] = value
return Value{typ: "string", str: "OK"}
}
// handleHGet processes the HGET command
func handleHGet(args []Value) Value {
if len(args) < 2 || args[0].typ != "bulk" || args[1].typ != "bulk" {
return Value{typ: "error", str: "ERR wrong number of arguments for 'HGET' command"}
}
hashKey := args[0].bulk
field := args[1].bulk
if hash, ok := hashStorage[hashKey]; ok {
if value, ok := hash[field]; ok {
return Value{typ: "bulk", bulk: value}
}
}
return Value{typ: "null"}
}
// Additional utility to display all stored keys (debugging purposes)
func handleKeys(args []Value) Value {
if len(args) > 0 {
return Value{typ: "error", str: "ERR wrong number of arguments for 'KEYS' command"}
}
keys := strings.Join(getAllKeys(), " ")
return Value{typ: "bulk", bulk: keys}
}
// Helper function to get all keys from the in-memory storage
func getAllKeys() []string {
keys := make([]string, 0, len(storage))
for key := range storage {
keys = append(keys, key)
}
return keys
}