-
Notifications
You must be signed in to change notification settings - Fork 8
/
index.js
162 lines (127 loc) · 2.28 KB
/
index.js
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
/**
* Module dependencies.
*/
var fmt = require('util').format;
var amp = require('amp');
/**
* Proxy methods.
*/
var methods = [
'push',
'pop',
'shift',
'unshift'
];
/**
* Expose `Message`.
*/
module.exports = Message;
/**
* Initialize an AMP message with the
* given `args` or message buffer.
*
* @param {Array|Buffer} args or blob
* @api public
*/
function Message(args) {
if (Buffer.isBuffer(args)) args = decode(args);
this.args = args || [];
}
// proxy methods
methods.forEach(function(method){
Message.prototype[method] = function(){
return this.args[method].apply(this.args, arguments);
};
});
/**
* Inspect the message.
*
* @return {String}
* @api public
*/
Message.prototype.inspect = function(){
return fmt('<Message args=%d size=%d>',
this.args.length,
this.toBuffer().length);
};
/**
* Return an encoded AMP message.
*
* @return {Buffer}
* @api public
*/
Message.prototype.toBuffer = function(){
return encode(this.args);
};
/**
* Decode `msg` and unpack all args.
*
* @param {Buffer} msg
* @return {Array}
* @api private
*/
function decode(msg) {
var args = amp.decode(msg);
for (var i = 0; i < args.length; i++) {
args[i] = unpack(args[i]);
}
return args;
}
/**
* Encode and pack all `args`.
*
* @param {Array} args
* @return {Buffer}
* @api private
*/
function encode(args) {
var tmp = new Array(args.length);
for (var i = 0; i < args.length; i++) {
tmp[i] = pack(args[i]);
}
return amp.encode(tmp);
}
/**
* Pack `arg`.
*
* @param {Mixed} arg
* @return {Buffer}
* @api private
*/
function pack(arg) {
// blob
if (Buffer.isBuffer(arg)) return arg;
// string
if ('string' == typeof arg) return Buffer.from('s:' + arg);
// undefined
if (arg === undefined) arg = null;
// json
return Buffer.from('j:' + JSON.stringify(arg));
}
/**
* Unpack `arg`.
*
* @param {Buffer} arg
* @return {Mixed}
* @api private
*/
function unpack(arg) {
// json
if (isJSON(arg)) return JSON.parse(arg.slice(2));
// string
if (isString(arg)) return arg.slice(2).toString();
// blob
return arg;
}
/**
* String argument.
*/
function isString(arg) {
return 115 == arg[0] && 58 == arg[1];
}
/**
* JSON argument.
*/
function isJSON(arg) {
return 106 == arg[0] && 58 == arg[1];
}