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
|
#include "cethcan.h"
#include <event2/buffer.h>
#include "jsonrpc/jsonrpc.h"
static int rpc_ping(void *apparg, json_t *json_params, json_t **result)
{
*result = json_string("pong");
return 0;
}
static int rpc_light_set(void *apparg, json_t *json_params, json_t **result)
{
struct light *l;
struct espnet_device *esp;
const char *name = json_string_value(json_array_get(json_params, 0));
const char *emsg;
l = light_find(name);
if (l) {
unsigned val;
if (!json_is_integer(json_array_get(json_params, 1))) {
emsg = "expected integer value";
goto out_err;
}
val = json_integer_value(json_array_get(json_params, 1));
*result = json_boolean(!light_set(l, val));
return 0;
}
esp = espnet_find(name);
if (esp) {
unsigned r, g, b;
json_t *val = json_array_get(json_params, 1);
if (json_is_integer(val))
r = g = b = json_integer_value(val);
else if (json_is_array(val)) {
if (json_unpack(val, "[iii]", &r, &g, &b)) {
emsg = "failed to parse value array";
goto out_err;
}
} else {
emsg = "expected integer or [int,int,int] value";
goto out_err;
}
*result = json_boolean(!espnet_set(esp, r, g, b));
return 0;
}
emsg = "cann't find specified light";
out_err:
*result = jsonrpc_error_object(JSONRPC_INVALID_PARAMS,
json_string(emsg));
return JSONRPC_INVALID_PARAMS;
}
static int rpc_light_get(void *apparg, json_t *json_params, json_t **result)
{
struct light *l;
struct espnet_device *esp;
const char *name = json_string_value(json_array_get(json_params, 0));
unsigned set, actual;
l = light_find(name);
if (l) {
set = light_getset(l);
actual = light_getact(l);
*result = json_pack("{s:i,s:i}",
"set", set, "actual", actual);
return 0;
}
esp = espnet_find(name);
if (esp) {
unsigned r, g, b;
espnet_get(esp, &r, &g, &b);
*result = json_pack("{s:i,s:i,s:i}",
"r", r, "g", g, "b", b);
return 0;
}
*result = jsonrpc_error_object(JSONRPC_INVALID_PARAMS,
json_string("cannot find specified light"));
return JSONRPC_INVALID_PARAMS;
}
struct jsonrpc_method_entry_t method_table[] = {
{ "ping", rpc_ping, "" },
{ "light_set", rpc_light_set, "[so]" },
{ "light_get", rpc_light_get, "[s]" },
{ NULL, NULL, NULL },
};
void rpc_perform(struct evbuffer *request,
void (*response_handler)(void *arg, struct evbuffer *data),
void *handler_arg)
{
size_t len = evbuffer_get_length(request);
char *data = (char *)evbuffer_pullup(request, len);
struct evbuffer *outbuf = evbuffer_new();
/* TODO: asynchronous calls */
char *output = jsonrpc_handler(NULL, data, len, method_table);
if (output)
evbuffer_add(outbuf, output, strlen(output));
response_handler(handler_arg, outbuf);
evbuffer_free(outbuf);
}
|