forked from cloudfoundry-attic/vblob
-
Notifications
You must be signed in to change notification settings - Fork 2
/
server.js
460 lines (432 loc) · 17.8 KB
/
server.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
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
/*
Copyright (c) 2011-2012 VMware, Inc.
*/
var Logger = require('./common/logger').Logger; //logging module
var valid_name = require('./common/container_name_check').is_valid_name; //container name check
var express = require("express"); //express web framework
var j2x = require('./common/json2xml'); //json to xml transformation
var util = require('util');
var fs = require('fs');
var events = require('events');
var quote_re = require('regexp-quote');
var drivers = { }; //storing backend driver objects
var driver_order = { }; //give sequential numbering for drivers
var current_driver = null; //current driver in use
var argv = process.argv;
var conf_file = "./config.json";
var XMLNS = "http://s3.amazonaws.com/doc/2006-03-01/";
var credential_hash = { };
for (var idx = 0; idx < argv.length; idx++)
{
if (argv[idx] === "-f" && idx+1 < argv.length)
{ conf_file = argv[idx+1]; }
}
var config=null;
while (true) {
try
{
config = JSON.parse(fs.readFileSync(conf_file));
break;
} catch (err)
{
if (!config)
console.log("warn:"+(new Date())+" - No configuration file "+conf_file);
else console.log("error:"+(new Date())+" - Error reading default configuration file "+conf_file+": "+err);
if (config !== null) return;
config = 'dummy value';
}
console.log("info:"+(new Date())+" - Try default configuration ./config.json.default instead");
conf_file = "./config.json.default";
}
if (config.keyID && config.secretID) { credential_hash[config.keyID] = config.secretID; }
var logger = new Logger(config.logtype, config.logfile);
var auth_module = null;
if (config.auth) {
try {
auth_module = require('./common/'+config.auth+'-auth'); //front end authentication
} catch (err)
{
logger.warn("Loading authentication module error: " + err);
logger.warn("Disable authentication...");
}
}
if (config.ssl) {
var app = express.createServer({
key: fs.readFileSync(config.ssl_key),
cert: fs.readFileSync(config.ssl_cert)
});
} else {
var app = express.createServer( );
}
if (config.host) {
var bucketPattern = new RegExp('^(.+)\\.'+quote_re(config.host)+'(:'+config.port+')?$', 'i');
app.use(function(req, res, next) {
var subdomain = bucketPattern.exec(req.headers.host);
if (subdomain !== null && valid_name(subdomain[1])) {
req.url = '/' + subdomain[1] + req.url;
}
next();
});
}
var server_ready = new events.EventEmitter();
server_ready.pending_dr = 1; //one driver at any time
server_ready.on('start', function() {
logger.info(('listening to port ' + config.port + (config.ssl ? ' with SSL': '')));
if (config.port)
{ app.listen(parseInt(config.port,10));}
});
logger.info(('starting server'));
var driver_start_callback = function (key) {
return function (obj) {
obj.driver_key = key;
console.log('driver initialization done for '+key);
server_ready.pending_dr--;
if (server_ready.pending_dr === 0) server_ready.emit('start');
};
};
(function() {
var drs = config.drivers;
for (var i = 0, len = drs.length; i < len; ++i) {
var dr = drs[i];
var key = Object.keys(dr)[0];
var value = dr[key];
driver_order[key] = i;
if (config.current_driver === undefined && current_driver === null ||
config.current_driver && config.current_driver.toLowerCase() === key) {
value.option.logger = logger;
current_driver = drivers[key] = require('./drivers/'+value.type).createDriver(value.option, driver_start_callback(key) );
}
}
})();
var hdr_case_conv_table = {"last-modified":"Last-Modified", "accept-ranges":"Accept-Ranges", "content-range":"Content-Range",
"content-length":"Content-Length", "content-type":"Content-Type",
"content-encoding":"Content-Encoding", "content-disposition":"Content-Disposition",
"content-language":"Content-Language",
"expires":"Expires", "cache-control":"Cache-Control",
"etag":"ETag", "date":"Date", "server":"Server"};
var normalize_resp_headers = function (headers,method, code, body, stream) {
headers.Connection = "close";
if (headers.connection) { headers.Connection = headers.connection; delete headers.connection; }
var keys = Object.keys(hdr_case_conv_table);
for (var idx = 0; idx < keys.length; idx++)
if (headers[keys[idx]]) { headers[hdr_case_conv_table[keys[idx]]] = headers[keys[idx]]; delete headers[keys[idx]]; }
if (!body && !stream && method !== 'head') {//no response payload, no type
if (headers["Content-Type"]) delete headers["Content-Type"];
//check if it's 204, if no add 0
if (code !== 204) {
headers["Content-Length"] = 0;
}
}
if (body || code === 204) { //xml response, not content-length
if (headers["Content-Length"]) delete headers["Content-Length"];
}
if (!headers.Date) { headers.Date = new Date().toUTCString().replace(/UTC/ig, "GMT"); } //RFC 822
if (!headers.Server) { headers.Server = "Blob Service"; }
if (!headers["x-amz-request-id"]) headers["x-amz-request-id"] = "1D2E3A4D5B6E7E8F9"; //No actual request id for now
if (!headers["x-amz-id-2"]) headers["x-amz-id-2"] = "3F+E1E4B1D5A9E2DB6E5E3F5D8E9"; //no actual request id 2
}
var general_resp = function (res,post_proc,verb) {//post_proc is for post-processing response body
return function (resp_code, resp_header, resp_body, resp_data) {
if (res.client_closed || res.already_sent) { return; }
res.already_sent = true;
var headers = resp_header;
var xml_body = "";
if (resp_body) {
if (resp_code < 300 && post_proc) resp_body = post_proc(resp_body); //make sure not to process error response
xml_body = j2x.json2xml(resp_body,0,resp_code >= 300?undefined:XMLNS);
if (headers["content-type"]) delete headers["content-type"];
headers["Content-Type"] = "application/xml";
}
normalize_resp_headers(headers, verb, resp_code, resp_body !== null, resp_data !== null);
res.writeHeader(resp_code,headers);
if (resp_body && verb !== 'head') {
res.write(xml_body);
}
if (resp_data && verb !== 'head') {
//need to stream out
resp_data.pipe(res);
} else res.end();
};
};
var authenticate = function(req,res,next) {
var Authorization = req.headers.authorization;
var targets = {};
if (req.params && req.params.container) { targets.container = req.params.container; }
if (req.params && req.params[0]) { targets.filename = req.params[0]; }
targets.query = req.query;
if (auth_module) {
//only do authentication if enabled
var resp = {};
if (auth_module.authenticate(credential_hash, req.method.toUpperCase(), targets, req.headers, Authorization, resp) === false) {
general_resp(res, null, req.method.toLowerCase())(resp.resp_code, resp.resp_header, resp.resp_body, null);
return;
}
}
if (targets.container && !valid_name(targets.container)) {
logger.error(('Invalid container name: ' + targets.container));
general_resp(res,null,req.method.toLowerCase())(400,{},{Error:{Code:"InvalidBucketName",Message:"The specified bucket is not valid"}}, null);
return;
}
next();
};
if (config.debug) {
express.logger.token('headers', function(req, res){ return '\n' + req.method + ' ' + req.url + '\n' + util.inspect(req.headers) + '\n\n' + res._header + '\n'; })
app.use(express.logger(':headers'));
}
//============= CF specific =========
//account mgt
if (!config.account_file) config.account_file = './account.json'; //set default value
{
try {
var creds = JSON.parse(fs.readFileSync(config.account_file));
credential_hash = creds;
if (config.keyID && config.secretID) credential_hash[config.keyID] = config.secretID;
} catch (err) {
//do nothing
}
//set interval
setInterval(function() {
var creds={};
try {
creds = JSON.parse(fs.readFileSync(config.account_file));
} catch(err)
{
//do nothing
}
credential_hash = creds;
creds = null;
if (config.keyID && config.secretID) credential_hash[config.keyID] = config.secretID;
}, 1000);
if (config.account_api && config.account_api === true) {
var encoded_creds = (function(){
var buff = new Buffer(config.keyID+":"+config.secretID);
return "Basic " + buff.toString("base64");
})();
var basic_auth = function(req,res,next) {
if (req.headers.authorization !== encoded_creds) {
logger.error("req.auth: "+req.headers.authorization+" encoded_creds: "+encoded_creds);
general_resp(res,null,req.method.toLowerCase())(401,{},{Error:{Code:"Unauthorized",Message:"Credentials do not match"}}, null);
return;
}
next();
};
app.put('/~bind[/]{0,1}$', basic_auth);
app.put('/~bind[/]{0,1}$', function(req,res) {
var obj_str = "";
req.on('data', function(chunk) { obj_str += chunk.toString();
if (obj_str.length > 512) {
req.destroy();
general_resp(res,null,req.method.toLowerCase())(400,{},{Error:{Code:"MaxMessageLengthExceeded",Message:"Your request was too big."}}, null);
}
} );
req.on('end', function() {
var obj;
try {
obj = JSON.parse(obj_str); obj_str = null;
} catch (err) {
general_resp(res)(400,{},{Error:{Code:"BadJSONFormat",Message:"The request has bad JSON format"}},null);
return;
}
//since it's single threaded, at this moment there won't be any concurrent (un)binding
//sync opening the underlying file is safe
var acc_obj= {};
try {
acc_obj = JSON.parse(fs.readFileSync(config.account_file));
} catch (err) {
//do nothing
}
var key = Object.keys(obj)[0];
if (key === config.keyID || acc_obj[key]) {
//reject this request
general_resp(res,null,req.method.toLowerCase())(409,{},{Error:{Code:"KeyExists",Message:"The key you want to add already exists"}}, null);
} else {
//add to account file and ack
acc_obj[key] = obj[key];
fs.writeFileSync(config.account_file, JSON.stringify(acc_obj));
general_resp(res,null,req.method.toLowerCase())(200,{},null, null);
}
});
});
app.get('/~bind[/]{0,1}$', basic_auth);
app.get('/~bind[/]{0,1}$', function(req,res) { //get all bindings for CF
var tmp_fn = '/tmp/get-bind-'+new Date().valueOf()+'-'+Math.floor(Math.random()*10000);
try {
fs.writeFileSync(tmp_fn,(fs.readFileSync(config.account_file)));
} catch (err) {
fs.writeFileSync(tmp_fn,"{}");
}
var st = fs.createReadStream(tmp_fn);
st.on('open', function(fd) {
fs.unlinkSync(tmp_fn); //fs trick
general_resp(res,null,req.method.toLowerCase())(200,{},null, st);
});
});
app.put('/~unbind[/]{0,1}$', basic_auth);
app.put('/~unbind[/]{0,1}$', function(req,res) {
var obj_str = "";
req.on('data', function(chunk) { obj_str += chunk.toString();
if (obj_str.length > 512) {
req.destroy();
general_resp(res,null,req.method.toLowerCase())(400,{},{Error:{Code:"MaxMessageLengthExceeded",Message:"Your request was too big."}}, null);
}
} );
req.on('end', function() {
var obj;
try {
obj = JSON.parse(obj_str); obj_str = null;
} catch (err) {
general_resp(res)(400,{},{Error:{Code:"BadJSONFormat",Message:"The request has bad JSON format"}},null);
return;
}
//since it's single threaded, at this moment there won't be any concurrent (un)binding
//sync opening the underlying file is safe
var acc_obj= {};
try {
acc_obj = JSON.parse(fs.readFileSync(config.account_file));
} catch (err) {
//do nothing
}
var key = Object.keys(obj)[0];
if (key === config.keyID || !acc_obj[key]) {
//reject this request
general_resp(res,null,req.method.toLowerCase())(404,{},{Error:{Code:"NoSuchKey",Message:"The key you want to delete does not exist"}}, null);
} else {
//add to account file and ack
delete acc_obj[key];
fs.writeFileSync(config.account_file, JSON.stringify(acc_obj));
general_resp(res,null,req.method.toLowerCase())(200,{},null, null);
}
});
});
}
}
//======== END OF CF specific ============
var container_list_post_proc = function(resp_body) {
if (resp_body.ListAllMyBucketsResult.Owner === undefined) {
resp_body.ListAllMyBucketsResult.Owner = {ID : "1a2b3c4d5e6f7" , DisplayName : "blob" } ; //inject arbitrary owner info
}
return resp_body;
};
var file_list_post_proc = function(resp_body) {
if (resp_body.ListBucketResult.Contents) {
for (var i = 0; i < resp_body.ListBucketResult.Contents.length; i++) {
if (resp_body.ListBucketResult.Contents[i].Owner.ID === undefined) {
resp_body.ListBucketResult.Contents[i].Owner = {ID : "1a2b3c4d5e6f7" , DisplayName : "blob" };
}
}
}
return resp_body;
};
//============== config api =============
app.get('/~config[/]{0,1}$',authenticate);
app.get('/~config[/]{0,1}$',function(req,res) {
//construct the configuration json and send back
var conf_obj = {};
conf_obj.host = config.host;
conf_obj.port = config.port;
conf_obj.ssl = config.ssl;
conf_obj.ssl_key = config.ssl_key;
conf_obj.ssl_cert = config.ssl_cert;
conf_obj.logtype = config.logtype;
conf_obj.logfile = config.logfile;
conf_obj.keyID = config.keyID;
conf_obj.secretID = config.secretID;
conf_obj.auth = config.auth;
conf_obj.debug = config.debug;
conf_obj.account_file = config.account_file;
conf_obj.account_api = config.account_api;
conf_obj.drivers = [];
if (current_driver) {
conf_obj.current_driver = 'driver1';//any namewould work here
conf_obj.drivers.push({"driver1":current_driver.get_config()});
}
res.write(JSON.stringify(conf_obj));
res.end();
});
//============== end of config api ======
app.get('/',authenticate);
app.get('/',function(req,res) {
if (req.method === 'HEAD') { //not allowed
general_resp(res,null,'head')(405,{'Allow':'GET'},null, null);
return;
}
current_driver.container_list(general_resp(res,container_list_post_proc));
});
app.get('/:container[/]{0,1}$', authenticate);
app.get('/:container[/]{0,1}$',function(req,res) {
res.client_closed = false;
req.connection.addListener('close', function () {
res.client_closed = true;
});
var opt = {};
if (req.query.location !== undefined) {
current_driver.container_location(req.params.container,general_resp(res,null,req.method.toLowerCase()));
} else {
if (req.query.marker) { opt.marker = req.query.marker; }
if (req.query.prefix) { opt.prefix = req.query.prefix; }
if (req.query.delimiter) { opt.delimiter = req.query.delimiter; }
if (req.query["max-keys"]) { opt["max-keys"] = req.query["max-keys"]; }
current_driver.file_list(req.params.container,opt,general_resp(res,file_list_post_proc,req.method.toLowerCase()));
}
});
var get_hdrs = [ 'if-modified-since','if-unmodified-since', 'if-match', 'if-none-match'];
var get_qrys = [ 'response-content-type', 'response-content-language', 'response-expires',
'response-cache-control', 'response-content-disposition', 'response-content-encoding'];
app.get('/:container/*',authenticate);
app.get('/:container/*',function(req,res) {
res.client_closed = false;
req.connection.addListener('close', function () {
res.client_closed = true;
});
var options = {}, idx;
for (idx = 0; idx < get_qrys.length; idx++)
if (req.query[get_qrys[idx]]) options[get_qrys[idx]] = req.query[get_qrys[idx]];
for (idx = 0; idx < get_hdrs.length; idx++)
if (req.headers[get_hdrs[idx]]) options[get_hdrs[idx]] = req.headers[get_hdrs[idx]];
if (req.headers.range) options.range = req.headers.range;
options.method = req.method.toLowerCase();
current_driver.file_read(req.params.container, req.params[0], options,general_resp(res,null,options.method));
});
app.put('/:container[/]{0,1}$', authenticate);
app.put('/:container[/]{0,1}$',function(req,res) {
//always empty option for now
current_driver.container_create(req.params.container,{},req,general_resp(res));
});
var put_hdrs = [ 'cache-control', 'content-disposition', 'content-encoding', 'content-length',
'content-type', 'expires'];
var put_opts = ['content-md5','x-amz-storage-class'];
var copy_hdrs = [ 'x-amz-copy-source-if-match', 'x-amz-copy-source-if-none-match',
'x-amz-copy-source-if-unmodified-since', 'x-amz-copy-source-if-modified-since',
'x-amz-metadata-directive', 'x-amz-storage-class'];
app.put('/:container/*', authenticate);
app.put('/:container/*', function(req,res) {
var metadata = {}, options = {}, idx;
for (idx = 0; idx < put_hdrs.length; idx++)
if (req.headers[put_hdrs[idx]]) metadata[put_hdrs[idx]] = req.headers[put_hdrs[idx]];
var keys = Object.keys(req.headers);
for (idx = 0; idx < keys.length; idx++) {
if (keys[idx].match(/^x-amz-meta-/)) metadata[keys[idx]] = req.headers[keys[idx]];
}
keys = null;
if (req.headers['x-amz-copy-source'] ) {
var src = req.headers['x-amz-copy-source'];
var src_buck = src.slice(1,src.indexOf('/',1));
var src_obj = src.substr(src.indexOf('/',1)+1);
for (idx = 0; idx < copy_hdrs.length; idx++)
if (req.headers[copy_hdrs[idx]]) options[copy_hdrs[idx]] = req.headers[copy_hdrs[idx]];
current_driver.file_copy(req.params.container, req.params[0], src_buck, src_obj, options, metadata, general_resp(res));
} else {
for (idx = 0; idx < put_opts.length; idx++)
if (req.headers[put_opts[idx]]) options[put_opts[idx]] = req.headers[put_opts[idx]];
current_driver.file_create(req.params.container,req.params[0],options,metadata,req,general_resp(res));
}
});
app.delete('/:container[/]{0,1}$', authenticate);
app.delete('/:container[/]{0,1}$',function(req,res) {
current_driver.container_delete(req.params.container,general_resp(res));
});
app.delete('/:container/*',authenticate);
app.delete('/:container/*',function(req,res) {
current_driver.file_delete(req.params.container,req.params[0],general_resp(res));
});
exports.vblob_gateway = app;