-
Notifications
You must be signed in to change notification settings - Fork 0
/
filter_v2.go
184 lines (157 loc) · 4.78 KB
/
filter_v2.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
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
// Pon rango de edad ciudades
package main
import (
"encoding/json"
"fmt"
"net/http"
"github.com/graphql-go/graphql"
)
// Definición de la estructura Persona
type Persona struct {
ID string `json:"id"`
Nombre string `json:"nombre"`
Edad int `json:"edad"`
Ciudad string `json:"ciudad"`
}
// Datos ficticios para personas
var personas = []Persona{
{"1", "Juan", 25, "Ciudad A"},
{"2", "María", 30, "Ciudad B"},
{"3", "Carlos", 22, "Ciudad C"},
{"4", "Laura", 28, "Ciudad A"},
{"5", "Pedro", 35, "Ciudad B"},
}
// Definición del tipo GraphQL para Persona
var personaType = graphql.NewObject(
graphql.ObjectConfig{
Name: "Persona",
Fields: graphql.Fields{
"id": &graphql.Field{
Type: graphql.String,
},
"nombre": &graphql.Field{
Type: graphql.String,
},
"edad": &graphql.Field{
Type: graphql.Int,
},
"ciudad": &graphql.Field{
Type: graphql.String,
},
},
},
)
// Definición del esquema GraphQL
var schema, _ = graphql.NewSchema(
graphql.SchemaConfig{
Query: graphql.NewObject(
graphql.ObjectConfig{
Name: "Query",
Fields: graphql.Fields{
// ...
// Nuevo campo para obtener ciudades por rango de edad
"ciudadesPorRangoDeEdad": &graphql.Field{
Type: graphql.NewList(graphql.String),
Args: graphql.FieldConfigArgument{
"edadMin": &graphql.ArgumentConfig{
Type: graphql.Int,
},
"edadMax": &graphql.ArgumentConfig{
Type: graphql.Int,
},
},
Resolve: func(p graphql.ResolveParams) (interface{}, error) {
edadMin, edadMinOK := p.Args["edadMin"].(int)
edadMax, edadMaxOK := p.Args["edadMax"].(int)
if edadMinOK && edadMaxOK {
// Mapa para almacenar ciudades correspondientes al rango de edad
ciudadesPorEdad := make(map[string]bool)
// Buscar ciudades cuyas edades estén en el rango especificado
for _, persona := range personas {
if persona.Edad >= edadMin && persona.Edad <= edadMax {
ciudadesPorEdad[persona.Ciudad] = true
}
}
// Convertir el mapa a una lista de ciudades
var ciudades []string
for ciudad := range ciudadesPorEdad {
ciudades = append(ciudades, ciudad)
}
return ciudades, nil
}
return nil, nil
},
},
},
},
),
},
)
func graphqlHandler(w http.ResponseWriter, r *http.Request) {
// Permitir solicitudes CORS
w.Header().Set("Access-Control-Allow-Origin", "*")
w.Header().Set("Access-Control-Allow-Headers", "Content-Type")
// Comprobar el método de solicitud para las solicitudes CORS preflight
if r.Method == "OPTIONS" {
w.WriteHeader(http.StatusOK)
return
}
// Comprobar si la solicitud es GET
if r.Method == "GET" {
// Obtener la consulta de la URL
queryParam := r.URL.Query().Get("query")
// Manejar las consultas GraphQL
result := graphql.Do(graphql.Params{
Schema: schema,
RequestString: queryParam,
})
// Formatear la salida JSON con sangrías y líneas nuevas
formattedResult, err := json.MarshalIndent(result, "", " ")
if err != nil {
http.Error(w, "Error al formatear la respuesta JSON", http.StatusInternalServerError)
return
}
w.Header().Set("Content-Type", "application/json")
w.Write(formattedResult)
return
}
// Comprobar si la solicitud es POST
if r.Method == "POST" {
// Leer el cuerpo de la solicitud
var requestData map[string]interface{}
err := json.NewDecoder(r.Body).Decode(&requestData)
if err != nil {
http.Error(w, "Error al leer el cuerpo de la solicitud", http.StatusBadRequest)
return
}
// Obtener la consulta del cuerpo de la solicitud
query, ok := requestData["query"].(string)
if !ok {
http.Error(w, "Consulta no proporcionada en el cuerpo de la solicitud", http.StatusBadRequest)
return
}
// Manejar las consultas GraphQL
result := graphql.Do(graphql.Params{
Schema: schema,
RequestString: query,
})
// Formatear la salida JSON con sangrías y líneas nuevas
formattedResult, err := json.MarshalIndent(result, "", " ")
if err != nil {
http.Error(w, "Error al formatear la respuesta JSON", http.StatusInternalServerError)
return
}
w.Header().Set("Content-Type", "application/json")
w.Write(formattedResult)
return
}
// Método de solicitud no admitido
http.Error(w, "Método de solicitud no admitido", http.StatusMethodNotAllowed)
}
func main() {
// Configurar el manejador GraphQL
http.HandleFunc("/graphql", graphqlHandler)
// Iniciar el servidor en el puerto 8080
fmt.Println("Servidor GraphQL en http://localhost:8080/graphql")
http.ListenAndServe(":8080", nil)
}