webrick-websocket 0.0.1

Sign up to get free protection for your applications and to get access to all the features.
data/testrun/json.js ADDED
@@ -0,0 +1,538 @@
1
+ /*
2
+ json.js
3
+ 2014-02-04
4
+
5
+ Public Domain
6
+
7
+ No warranty expressed or implied. Use at your own risk.
8
+
9
+ This file has been superceded by http://www.JSON.org/json2.js
10
+
11
+ See http://www.JSON.org/js.html
12
+
13
+ This code should be minified before deployment.
14
+ See http://javascript.crockford.com/jsmin.html
15
+
16
+ USE YOUR OWN COPY. IT IS EXTREMELY UNWISE TO LOAD CODE FROM SERVERS YOU DO
17
+ NOT CONTROL.
18
+
19
+ This file adds these methods to JavaScript:
20
+
21
+ object.toJSONString(whitelist)
22
+ This method produce a JSON text from a JavaScript value.
23
+ It must not contain any cyclical references. Illegal values
24
+ will be excluded.
25
+
26
+ The default conversion for dates is to an ISO string. You can
27
+ add a toJSONString method to any date object to get a different
28
+ representation.
29
+
30
+ The object and array methods can take an optional whitelist
31
+ argument. A whitelist is an array of strings. If it is provided,
32
+ keys in objects not found in the whitelist are excluded.
33
+
34
+ string.parseJSON(filter)
35
+ This method parses a JSON text to produce an object or
36
+ array. It can throw a SyntaxError exception.
37
+
38
+ The optional filter parameter is a function which can filter and
39
+ transform the results. It receives each of the keys and values, and
40
+ its return value is used instead of the original value. If it
41
+ returns what it received, then structure is not modified. If it
42
+ returns undefined then the member is deleted.
43
+
44
+ Example:
45
+
46
+ // Parse the text. If a key contains the string 'date' then
47
+ // convert the value to a date.
48
+
49
+ myData = text.parseJSON(function (key, value) {
50
+ return key.indexOf('date') >= 0 ? new Date(value) : value;
51
+ });
52
+
53
+ This file will break programs with improper for..in loops. See
54
+ http://yuiblog.com/blog/2006/09/26/for-in-intrigue/
55
+
56
+ This file creates a global JSON object containing two methods: stringify
57
+ and parse.
58
+
59
+ JSON.stringify(value, replacer, space)
60
+ value any JavaScript value, usually an object or array.
61
+
62
+ replacer an optional parameter that determines how object
63
+ values are stringified for objects. It can be a
64
+ function or an array of strings.
65
+
66
+ space an optional parameter that specifies the indentation
67
+ of nested structures. If it is omitted, the text will
68
+ be packed without extra whitespace. If it is a number,
69
+ it will specify the number of spaces to indent at each
70
+ level. If it is a string (such as '\t' or ' '),
71
+ it contains the characters used to indent at each level.
72
+
73
+ This method produces a JSON text from a JavaScript value.
74
+
75
+ When an object value is found, if the object contains a toJSON
76
+ method, its toJSON method will be called and the result will be
77
+ stringified. A toJSON method does not serialize: it returns the
78
+ value represented by the name/value pair that should be serialized,
79
+ or undefined if nothing should be serialized. The toJSON method
80
+ will be passed the key associated with the value, and this will be
81
+ bound to the object holding the key.
82
+
83
+ For example, this would serialize Dates as ISO strings.
84
+
85
+ Date.prototype.toJSON = function (key) {
86
+ function f(n) {
87
+ // Format integers to have at least two digits.
88
+ return n < 10 ? '0' + n : n;
89
+ }
90
+
91
+ return this.getUTCFullYear() + '-' +
92
+ f(this.getUTCMonth() + 1) + '-' +
93
+ f(this.getUTCDate()) + 'T' +
94
+ f(this.getUTCHours()) + ':' +
95
+ f(this.getUTCMinutes()) + ':' +
96
+ f(this.getUTCSeconds()) + 'Z';
97
+ };
98
+
99
+ You can provide an optional replacer method. It will be passed the
100
+ key and value of each member, with this bound to the containing
101
+ object. The value that is returned from your method will be
102
+ serialized. If your method returns undefined, then the member will
103
+ be excluded from the serialization.
104
+
105
+ If the replacer parameter is an array of strings, then it will be
106
+ used to select the members to be serialized. It filters the results
107
+ such that only members with keys listed in the replacer array are
108
+ stringified.
109
+
110
+ Values that do not have JSON representations, such as undefined or
111
+ functions, will not be serialized. Such values in objects will be
112
+ dropped; in arrays they will be replaced with null. You can use
113
+ a replacer function to replace those with JSON values.
114
+ JSON.stringify(undefined) returns undefined.
115
+
116
+ The optional space parameter produces a stringification of the
117
+ value that is filled with line breaks and indentation to make it
118
+ easier to read.
119
+
120
+ If the space parameter is a non-empty string, then that string will
121
+ be used for indentation. If the space parameter is a number, then
122
+ the indentation will be that many spaces.
123
+
124
+ Example:
125
+
126
+ text = JSON.stringify(['e', {pluribus: 'unum'}]);
127
+ // text is '["e",{"pluribus":"unum"}]'
128
+
129
+
130
+ text = JSON.stringify(['e', {pluribus: 'unum'}], null, '\t');
131
+ // text is '[\n\t"e",\n\t{\n\t\t"pluribus": "unum"\n\t}\n]'
132
+
133
+ text = JSON.stringify([new Date()], function (key, value) {
134
+ return this[key] instanceof Date ?
135
+ 'Date(' + this[key] + ')' : value;
136
+ });
137
+ // text is '["Date(---current time---)"]'
138
+
139
+
140
+ JSON.parse(text, reviver)
141
+ This method parses a JSON text to produce an object or array.
142
+ It can throw a SyntaxError exception.
143
+
144
+ The optional reviver parameter is a function that can filter and
145
+ transform the results. It receives each of the keys and values,
146
+ and its return value is used instead of the original value.
147
+ If it returns what it received, then the structure is not modified.
148
+ If it returns undefined then the member is deleted.
149
+
150
+ Example:
151
+
152
+ // Parse the text. Values that look like ISO date strings will
153
+ // be converted to Date objects.
154
+
155
+ myData = JSON.parse(text, function (key, value) {
156
+ var a;
157
+ if (typeof value === 'string') {
158
+ a =
159
+ /^(\d{4})-(\d{2})-(\d{2})T(\d{2}):(\d{2}):(\d{2}(?:\.\d*)?)Z$/.exec(value);
160
+ if (a) {
161
+ return new Date(Date.UTC(+a[1], +a[2] - 1, +a[3], +a[4],
162
+ +a[5], +a[6]));
163
+ }
164
+ }
165
+ return value;
166
+ });
167
+
168
+ myData = JSON.parse('["Date(09/09/2001)"]', function (key, value) {
169
+ var d;
170
+ if (typeof value === 'string' &&
171
+ value.slice(0, 5) === 'Date(' &&
172
+ value.slice(-1) === ')') {
173
+ d = new Date(value.slice(5, -1));
174
+ if (d) {
175
+ return d;
176
+ }
177
+ }
178
+ return value;
179
+ });
180
+
181
+
182
+ This is a reference implementation. You are free to copy, modify, or
183
+ redistribute.
184
+ */
185
+
186
+ /*jslint evil: true, regexp: true, unparam: true */
187
+
188
+ /*members "", "\b", "\t", "\n", "\f", "\r", "\"", JSON, "\\", apply,
189
+ call, charCodeAt, getUTCDate, getUTCFullYear, getUTCHours,
190
+ getUTCMinutes, getUTCMonth, getUTCSeconds, hasOwnProperty, join,
191
+ lastIndex, length, parse, parseJSON, prototype, push, replace, slice,
192
+ stringify, test, toJSON, toJSONString, toString, valueOf
193
+ */
194
+
195
+
196
+ // Create a JSON object only if one does not already exist. We create the
197
+ // methods in a closure to avoid creating global variables.
198
+
199
+ if (typeof JSON !== 'object') {
200
+ JSON = {};
201
+ }
202
+
203
+ (function () {
204
+ 'use strict';
205
+
206
+ function f(n) {
207
+ // Format integers to have at least two digits.
208
+ return n < 10 ? '0' + n : n;
209
+ }
210
+
211
+ if (typeof Date.prototype.toJSON !== 'function') {
212
+
213
+ Date.prototype.toJSON = function (key) {
214
+
215
+ return isFinite(this.valueOf())
216
+ ? this.getUTCFullYear() + '-' +
217
+ f(this.getUTCMonth() + 1) + '-' +
218
+ f(this.getUTCDate()) + 'T' +
219
+ f(this.getUTCHours()) + ':' +
220
+ f(this.getUTCMinutes()) + ':' +
221
+ f(this.getUTCSeconds()) + 'Z'
222
+ : null;
223
+ };
224
+
225
+ String.prototype.toJSON =
226
+ Number.prototype.toJSON =
227
+ Boolean.prototype.toJSON = function (key) {
228
+ return this.valueOf();
229
+ };
230
+ }
231
+
232
+ var cx,
233
+ escapable,
234
+ gap,
235
+ indent,
236
+ meta,
237
+ rep;
238
+
239
+
240
+ function quote(string) {
241
+
242
+ // If the string contains no control characters, no quote characters, and no
243
+ // backslash characters, then we can safely slap some quotes around it.
244
+ // Otherwise we must also replace the offending characters with safe escape
245
+ // sequences.
246
+
247
+ escapable.lastIndex = 0;
248
+ return escapable.test(string) ? '"' + string.replace(escapable, function (a) {
249
+ var c = meta[a];
250
+ return typeof c === 'string'
251
+ ? c
252
+ : '\\u' + ('0000' + a.charCodeAt(0).toString(16)).slice(-4);
253
+ }) + '"' : '"' + string + '"';
254
+ }
255
+
256
+
257
+ function str(key, holder) {
258
+
259
+ // Produce a string from holder[key].
260
+
261
+ var i, // The loop counter.
262
+ k, // The member key.
263
+ v, // The member value.
264
+ length,
265
+ mind = gap,
266
+ partial,
267
+ value = holder[key];
268
+
269
+ // If the value has a toJSON method, call it to obtain a replacement value.
270
+
271
+ if (value && typeof value === 'object' &&
272
+ typeof value.toJSON === 'function') {
273
+ value = value.toJSON(key);
274
+ }
275
+
276
+ // If we were called with a replacer function, then call the replacer to
277
+ // obtain a replacement value.
278
+
279
+ if (typeof rep === 'function') {
280
+ value = rep.call(holder, key, value);
281
+ }
282
+
283
+ // What happens next depends on the value's type.
284
+
285
+ switch (typeof value) {
286
+ case 'string':
287
+ return quote(value);
288
+
289
+ case 'number':
290
+
291
+ // JSON numbers must be finite. Encode non-finite numbers as null.
292
+
293
+ return isFinite(value) ? String(value) : 'null';
294
+
295
+ case 'boolean':
296
+ case 'null':
297
+
298
+ // If the value is a boolean or null, convert it to a string. Note:
299
+ // typeof null does not produce 'null'. The case is included here in
300
+ // the remote chance that this gets fixed someday.
301
+
302
+ return String(value);
303
+
304
+ // If the type is 'object', we might be dealing with an object or an array or
305
+ // null.
306
+
307
+ case 'object':
308
+
309
+ // Due to a specification blunder in ECMAScript, typeof null is 'object',
310
+ // so watch out for that case.
311
+
312
+ if (!value) {
313
+ return 'null';
314
+ }
315
+
316
+ // Make an array to hold the partial results of stringifying this object value.
317
+
318
+ gap += indent;
319
+ partial = [];
320
+
321
+ // Is the value an array?
322
+
323
+ if (Object.prototype.toString.apply(value) === '[object Array]') {
324
+
325
+ // The value is an array. Stringify every element. Use null as a placeholder
326
+ // for non-JSON values.
327
+
328
+ length = value.length;
329
+ for (i = 0; i < length; i += 1) {
330
+ partial[i] = str(i, value) || 'null';
331
+ }
332
+
333
+ // Join all of the elements together, separated with commas, and wrap them in
334
+ // brackets.
335
+
336
+ v = partial.length === 0
337
+ ? '[]'
338
+ : gap
339
+ ? '[\n' + gap + partial.join(',\n' + gap) + '\n' + mind + ']'
340
+ : '[' + partial.join(',') + ']';
341
+ gap = mind;
342
+ return v;
343
+ }
344
+
345
+ // If the replacer is an array, use it to select the members to be stringified.
346
+
347
+ if (rep && typeof rep === 'object') {
348
+ length = rep.length;
349
+ for (i = 0; i < length; i += 1) {
350
+ k = rep[i];
351
+ if (typeof k === 'string') {
352
+ v = str(k, value);
353
+ if (v) {
354
+ partial.push(quote(k) + (gap ? ': ' : ':') + v);
355
+ }
356
+ }
357
+ }
358
+ } else {
359
+
360
+ // Otherwise, iterate through all of the keys in the object.
361
+
362
+ for (k in value) {
363
+ if (Object.prototype.hasOwnProperty.call(value, k)) {
364
+ v = str(k, value);
365
+ if (v) {
366
+ partial.push(quote(k) + (gap ? ': ' : ':') + v);
367
+ }
368
+ }
369
+ }
370
+ }
371
+
372
+ // Join all of the member texts together, separated with commas,
373
+ // and wrap them in braces.
374
+
375
+ v = partial.length === 0 ? '{}'
376
+ : gap
377
+ ? '{\n' + gap + partial.join(',\n' + gap) + '\n' + mind + '}'
378
+ : '{' + partial.join(',') + '}';
379
+ gap = mind;
380
+ return v;
381
+ }
382
+ }
383
+
384
+ // If the JSON object does not yet have a stringify method, give it one.
385
+
386
+ if (typeof JSON.stringify !== 'function') {
387
+ escapable = /[\\\"\x00-\x1f\x7f-\x9f\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff]/g;
388
+ meta = { // table of character substitutions
389
+ '\b': '\\b',
390
+ '\t': '\\t',
391
+ '\n': '\\n',
392
+ '\f': '\\f',
393
+ '\r': '\\r',
394
+ '"' : '\\"',
395
+ '\\': '\\\\'
396
+ };
397
+ JSON.stringify = function (value, replacer, space) {
398
+
399
+ // The stringify method takes a value and an optional replacer, and an optional
400
+ // space parameter, and returns a JSON text. The replacer can be a function
401
+ // that can replace values, or an array of strings that will select the keys.
402
+ // A default replacer method can be provided. Use of the space parameter can
403
+ // produce text that is more easily readable.
404
+
405
+ var i;
406
+ gap = '';
407
+ indent = '';
408
+
409
+ // If the space parameter is a number, make an indent string containing that
410
+ // many spaces.
411
+
412
+ if (typeof space === 'number') {
413
+ for (i = 0; i < space; i += 1) {
414
+ indent += ' ';
415
+ }
416
+
417
+ // If the space parameter is a string, it will be used as the indent string.
418
+
419
+ } else if (typeof space === 'string') {
420
+ indent = space;
421
+ }
422
+
423
+ // If there is a replacer, it must be a function or an array.
424
+ // Otherwise, throw an error.
425
+
426
+ rep = replacer;
427
+ if (replacer && typeof replacer !== 'function' &&
428
+ (typeof replacer !== 'object' ||
429
+ typeof replacer.length !== 'number')) {
430
+ throw new Error('JSON.stringify');
431
+ }
432
+
433
+ // Make a fake root object containing our value under the key of ''.
434
+ // Return the result of stringifying the value.
435
+
436
+ return str('', {'': value});
437
+ };
438
+ }
439
+
440
+
441
+ // If the JSON object does not yet have a parse method, give it one.
442
+
443
+ if (typeof JSON.parse !== 'function') {
444
+ cx = /[\u0000\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff]/g;
445
+ JSON.parse = function (text, reviver) {
446
+
447
+ // The parse method takes a text and an optional reviver function, and returns
448
+ // a JavaScript value if the text is a valid JSON text.
449
+
450
+ var j;
451
+
452
+ function walk(holder, key) {
453
+
454
+ // The walk method is used to recursively walk the resulting structure so
455
+ // that modifications can be made.
456
+
457
+ var k, v, value = holder[key];
458
+ if (value && typeof value === 'object') {
459
+ for (k in value) {
460
+ if (Object.prototype.hasOwnProperty.call(value, k)) {
461
+ v = walk(value, k);
462
+ if (v !== undefined) {
463
+ value[k] = v;
464
+ } else {
465
+ delete value[k];
466
+ }
467
+ }
468
+ }
469
+ }
470
+ return reviver.call(holder, key, value);
471
+ }
472
+
473
+
474
+ // Parsing happens in four stages. In the first stage, we replace certain
475
+ // Unicode characters with escape sequences. JavaScript handles many characters
476
+ // incorrectly, either silently deleting them, or treating them as line endings.
477
+
478
+ text = String(text);
479
+ cx.lastIndex = 0;
480
+ if (cx.test(text)) {
481
+ text = text.replace(cx, function (a) {
482
+ return '\\u' +
483
+ ('0000' + a.charCodeAt(0).toString(16)).slice(-4);
484
+ });
485
+ }
486
+
487
+ // In the second stage, we run the text against regular expressions that look
488
+ // for non-JSON patterns. We are especially concerned with '()' and 'new'
489
+ // because they can cause invocation, and '=' because it can cause mutation.
490
+ // But just to be safe, we want to reject all unexpected forms.
491
+
492
+ // We split the second stage into 4 regexp operations in order to work around
493
+ // crippling inefficiencies in IE's and Safari's regexp engines. First we
494
+ // replace the JSON backslash pairs with '@' (a non-JSON character). Second, we
495
+ // replace all simple value tokens with ']' characters. Third, we delete all
496
+ // open brackets that follow a colon or comma or that begin the text. Finally,
497
+ // we look to see that the remaining characters are only whitespace or ']' or
498
+ // ',' or ':' or '{' or '}'. If that is so, then the text is safe for eval.
499
+
500
+ if (/^[\],:{}\s]*$/
501
+ .test(text.replace(/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g, '@')
502
+ .replace(/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g, ']')
503
+ .replace(/(?:^|:|,)(?:\s*\[)+/g, ''))) {
504
+
505
+ // In the third stage we use the eval function to compile the text into a
506
+ // JavaScript structure. The '{' operator is subject to a syntactic ambiguity
507
+ // in JavaScript: it can begin a block or an object literal. We wrap the text
508
+ // in parens to eliminate the ambiguity.
509
+
510
+ j = eval('(' + text + ')');
511
+
512
+ // In the optional fourth stage, we recursively walk the new structure, passing
513
+ // each name/value pair to a reviver function for possible transformation.
514
+
515
+ return typeof reviver === 'function'
516
+ ? walk({'': j}, '')
517
+ : j;
518
+ }
519
+
520
+ // If the text is not JSON parseable, then a SyntaxError is thrown.
521
+
522
+ throw new SyntaxError('JSON.parse');
523
+ };
524
+ }
525
+
526
+ // Augment the basic prototypes if they have not already been augmented.
527
+ // These forms are obsolete. It is recommended that JSON.stringify and
528
+ // JSON.parse be used instead.
529
+
530
+ if (!Object.prototype.toJSONString) {
531
+ Object.prototype.toJSONString = function (filter) {
532
+ return JSON.stringify(this, filter);
533
+ };
534
+ Object.prototype.parseJSON = function (filter) {
535
+ return JSON.parse(this, filter);
536
+ };
537
+ }
538
+ }());
data/testrun/main.html ADDED
@@ -0,0 +1,28 @@
1
+ <html>
2
+ <head>
3
+ <title>fag</title>
4
+ <script src="/jquery.min.js"></script>
5
+ <script src="/jquery-websocket.js"></script>
6
+ <script>
7
+ function start() {
8
+ sock = $.websocket(
9
+ 'ws://localhost:3000/sock', {
10
+ events: {
11
+ lol: function(wat) {
12
+ alert(wat.data.data);
13
+ }
14
+ },
15
+ open: function(message) {
16
+ console.log('Connected!');
17
+ }
18
+ });
19
+ }
20
+ function send(message) {
21
+ sock.send('lol', {data: message})
22
+ }
23
+ </script>
24
+ </head>
25
+ <body>
26
+ wat
27
+ </body>
28
+ </html>
data/testrun/main.rb ADDED
@@ -0,0 +1,20 @@
1
+ #!/usr/bin/env ruby
2
+
3
+ require_relative '../lib/webrick/websocket'
4
+
5
+ serv = WEBrick::Websocket::HTTPServer.new(Port: 3000, DocumentRoot: File.dirname(__FILE__), Logger: (WEBrick::Log.new nil, WEBrick::BasicLog::DEBUG))
6
+
7
+ class SocketServlet < WEBrick::HTTPServlet::AbstractServlet
8
+ def select_protocol(input)
9
+ puts input.inspect
10
+ input.first
11
+ end
12
+
13
+ def socket_text(sock, data)
14
+ puts data
15
+ sock.puts(data)
16
+ end
17
+ end
18
+
19
+ serv.mount('/sock', SocketServlet)
20
+ serv.start
@@ -0,0 +1,25 @@
1
+ # coding: utf-8
2
+ lib = File.expand_path('../lib', __FILE__)
3
+ $LOAD_PATH.unshift(lib) unless $LOAD_PATH.include?(lib)
4
+ require 'webrick/websocket/version'
5
+
6
+ Gem::Specification.new do |spec|
7
+ spec.name = 'webrick-websocket'
8
+ spec.version = WEBrick::Websocket::VERSION
9
+ spec.authors = ['Kilobyte22']
10
+ spec.email = ['stiepen22@gmx.de']
11
+ spec.summary = 'An extension for WEBrick to support websockets'
12
+ spec.description = ''
13
+ spec.homepage = 'https://github.com/Kilobyte22/webrick-websocket'
14
+ spec.license = 'MIT'
15
+
16
+ spec.files = `git ls-files -z`.split("\x0")
17
+ spec.executables = spec.files.grep(%r{^bin/}) { |f| File.basename(f) }
18
+ spec.test_files = spec.files.grep(%r{^(test|spec|features)/})
19
+ spec.require_paths = ['lib']
20
+
21
+ spec.add_development_dependency 'bundler', '~> 1.7'
22
+ spec.add_development_dependency 'rake', '~> 10.0'
23
+
24
+ spec.add_runtime_dependency 'webrick', '~> 1.3'
25
+ end