1. /**
  2. * Generic BBOP manager for dealing with basic generic REST calls.
  3. * This specific one is designed to be overridden by its subclasses.
  4. * This one pretty much just uses its incoming resource string as the data.
  5. * Mostly for testing purposes.
  6. *
  7. * Both a <bbop-rest-response> (or clean error data) and the manager
  8. * itself (this as anchor) should be passed to the callbacks.
  9. *
  10. * @module bbop-rest-manager
  11. */
  12. // For base.
  13. var us = require('underscore');
  14. var each = us.each;
  15. var bbop = require('bbop-core');
  16. var registry = require('bbop-registry');
  17. // For engines.
  18. var Q = require('q');
  19. var querystring = require('querystring');
  20. var jQuery = require('jquery');
  21. var sync_request = require('sync-request');
  22. ///
  23. /// Base class.
  24. ///
  25. /**
  26. * Contructor for the REST manager.
  27. *
  28. * See also: module:bbop-registry
  29. *
  30. * @constructor
  31. * @param {Object} response_parser - the response handler class to use for each call
  32. * @returns {Object} rest manager object
  33. */
  34. function manager_base(response_handler){
  35. registry.call(this, ['success', 'error']);
  36. this._is_a = 'bbop-rest-manager.base';
  37. // Get a good self-reference point.
  38. var anchor = this;
  39. // Per-manager logger.
  40. this._logger = new bbop.logger(this._is_a);
  41. //this._logger.DEBUG = true;
  42. this._logger.DEBUG = false;
  43. function ll(str){ anchor._logger.kvetch(str); }
  44. // Handler instance.
  45. this._response_handler = response_handler;
  46. // The URL to query.
  47. this._qurl = null;
  48. // The argument payload to deliver to the URL.
  49. this._qpayload = {};
  50. // The way to do the above.
  51. this._qmethod = 'GET';
  52. // Whether or not to prevent ajax events from going.
  53. // This may not be usable, or applicable, to all backends.
  54. this._safety = false;
  55. /**
  56. * Turn on or off the verbose messages. Uses <bbop.logger>, so
  57. * they should come out everywhere.
  58. *
  59. * @param {Boolean} [p] - true or false for debugging
  60. * @returns {Boolean} the current state of debugging
  61. */
  62. this.debug = function(p){
  63. if( p === true || p === false ){
  64. this._logger.DEBUG = p;
  65. // TODO: add debug parameter a la include_highlighting
  66. }
  67. return this._logger.DEBUG;
  68. };
  69. // The main callback function called after a successful AJAX call in
  70. // the update function.
  71. this._run_success_callbacks = function(in_data){
  72. ll('run success callbacks...');
  73. //var response = anchor.(in_data);
  74. var response = new anchor._response_handler(in_data);
  75. anchor.apply_callbacks('success', [response, anchor]);
  76. };
  77. // This set is called when we run into a problem.
  78. this._run_error_callbacks = function(in_data){
  79. ll('run error callbacks...');
  80. var response = new anchor._response_handler(in_data);
  81. anchor.apply_callbacks('error', [response, anchor]);
  82. };
  83. // Ensure the necessary
  84. this._ensure_arguments = function (url, payload, method){
  85. ll('ensure arguments...');
  86. // Allow default settings to be set at the moment.
  87. if( typeof(url) !== 'undefined' ){ this.resource(url); }
  88. if( typeof(payload) !== 'undefined' ){ this.payload(payload); }
  89. if( typeof(method) !== 'undefined' ){ this.method(method); }
  90. // Bail if no good resource to try.
  91. if( ! this.resource() ){
  92. throw new Error('must have resource defined');
  93. }
  94. };
  95. // Apply the callbacks by the status of the response.
  96. this._apply_callbacks_by_response = function (response){
  97. ll('apply callbacks by response...');
  98. if( response && response.okay() ){
  99. anchor.apply_callbacks('success', [response, anchor]);
  100. }else{
  101. anchor.apply_callbacks('error', [response, anchor]);
  102. }
  103. };
  104. /**
  105. * The base target URL for our operations.
  106. *
  107. * @param {String} [in_url] - update resource target with string
  108. * @returns {String|null} the url as string (or null)
  109. */
  110. this.resource = function(in_url){
  111. ll('resource called with: ' + in_url);
  112. if( typeof(in_url) !== 'undefined' &&
  113. bbop.what_is(in_url) === 'string' ){
  114. anchor._qurl = in_url;
  115. }
  116. return anchor._qurl;
  117. };
  118. /**
  119. * The information to deliver to the resource.
  120. *
  121. * @param {Object} [payload] - update payload information
  122. * @returns {Object|null} a copy of the current payload
  123. */
  124. this.payload = function(payload){
  125. ll('payload called with: ' + payload);
  126. if( bbop.is_defined(payload) &&
  127. bbop.what_is(payload) === 'object' ){
  128. anchor._qpayload = payload;
  129. }
  130. return bbop.clone(anchor._qpayload);
  131. };
  132. /**
  133. * The method to use to get the resource, as a string.
  134. *
  135. * @param {String} [method] - update aquisition method with string
  136. * @returns {String|null} the string or null
  137. */
  138. this.method = function(method){
  139. ll('method called with: ' + method);
  140. if( bbop.is_defined(method) &&
  141. bbop.what_is(method) === 'string' ){
  142. anchor._qmethod = method;
  143. }
  144. return anchor._qmethod;
  145. };
  146. }
  147. bbop.extend(manager_base, registry);
  148. ///
  149. /// Overridables.
  150. ///
  151. /**
  152. * Output writer for this object/class.
  153. * See the documentation in <core.js> on <dump> and <to_string>.
  154. *
  155. * @returns {String} string
  156. */
  157. manager_base.prototype.to_string = function(){
  158. return '[' + this._is_a + ']';
  159. };
  160. /**
  161. * Assemble the resource and arguments into a URL string.
  162. *
  163. * May not be appropriate for all subclasses or commands (and probably
  164. * only useful in the context of GET calls, etc.). Often used as a
  165. * helper, etc.
  166. *
  167. * Also see: <get_query_url>
  168. *
  169. * @returns {String} url string
  170. */
  171. manager_base.prototype.assemble = function(){
  172. // Conditional merging of the remaining variant parts.
  173. var qurl = this.resource();
  174. if( ! bbop.is_empty(this.payload()) ){
  175. var asm = bbop.get_assemble(this.payload());
  176. qurl = qurl + '?' + asm;
  177. }
  178. return qurl;
  179. };
  180. /**
  181. * It should combine the URL, payload, and method in the ways
  182. * appropriate to the subclass engine.
  183. *
  184. * This model class always returns true, with set messages; the
  185. * "payload" is fed as the argument into the response handler.
  186. *
  187. * What we're aiming for is a system that:
  188. * - runs callbacks (in order: success, error, return)
  189. * - return response
  190. *
  191. * @param {String} [url] - update resource target with string
  192. * @param {Object} [payload] - object to represent arguments
  193. * @param {String} [method - GET, POST, etc.
  194. * @returns {Object} response (given the incoming payload)
  195. */
  196. manager_base.prototype.fetch = function(url, payload, method){
  197. var anchor = this;
  198. anchor._logger.kvetch('called fetch');
  199. this._ensure_arguments(url, payload, method);
  200. // This is an empty "sync" example, so just return the empty and
  201. // see.
  202. var response = new this._response_handler(this.payload());
  203. response.okay(true);
  204. response.message('empty');
  205. response.message_type('success');
  206. // Run through the callbacks--naturally always "success" in our
  207. // case.
  208. this._apply_callbacks_by_response(response);
  209. return response;
  210. };
  211. /**
  212. * It should combine the URL, payload, and method in the ways
  213. * appropriate to the subclass engine.
  214. *
  215. * This model class always returns true, with set messages; the
  216. * "payload" is fed as the argument into the response handler.
  217. *
  218. * What we're aiming for is a system that:
  219. * - runs callbacks (in order: success, error, return)
  220. * - return promise (delivering response)
  221. *
  222. * @param {String} [url] - update resource target with string
  223. * @param {Object} [payload] - object to represent arguments
  224. * @param {String} [method - GET, POST, etc.
  225. * @returns {Object} promise for the processed response subclass
  226. */
  227. manager_base.prototype.start = function(url, payload, method){
  228. var anchor = this;
  229. this._ensure_arguments(url, payload, method);
  230. // No actual async here, but do anyways.
  231. var deferred = Q.defer();
  232. // This is an empty "sync" example, so just return the empty and
  233. // see.
  234. var response = new this._response_handler(this.payload());
  235. response.okay(true);
  236. response.message('empty');
  237. response.message_type('success');
  238. // Run through the callbacks--naturally always "success" in our
  239. // case.
  240. this._apply_callbacks_by_response(response);
  241. deferred.resolve(response);
  242. return deferred.promise;
  243. };
  244. ///
  245. /// Node async engine.
  246. ///
  247. /**
  248. * Contructor for the REST query manager; NodeJS-style.
  249. *
  250. * This is an asynchronous engine, so while both fetch and start will
  251. * run the callbacks, fetch will return null while start returns a
  252. * promise for the eventual result. Using the promise is entirely
  253. * optional--the main method is still considered to be the callbacks.
  254. *
  255. * NodeJS BBOP manager for dealing with remote calls. Remember,
  256. * this is actually a "subclass" of <bbop.rest.manager>.
  257. *
  258. * See also: {module:bbop-rest-manager#manager}
  259. *
  260. * @constructor
  261. * @param {Object} response_handler
  262. * @returns {manager_node}
  263. */
  264. var manager_node = function(response_handler){
  265. manager_base.call(this, response_handler);
  266. this._is_a = 'bbop-rest-manager.node';
  267. // Grab an http client.
  268. this._http_client = require('http');
  269. this._url_parser = require('url');
  270. };
  271. bbop.extend(manager_node, manager_base);
  272. /**
  273. * It should combine the URL, payload, and method in the ways
  274. * appropriate to the subclass engine.
  275. *
  276. * Runs callbacks, returns null.
  277. *
  278. * @param {String} [url] - update resource target with string
  279. * @param {Object} [payload] - object to represent arguments
  280. * @param {String} [method - GET, POST, etc.
  281. * @returns {null} returns null
  282. */
  283. manager_node.prototype.fetch = function(url, payload, method){
  284. var anchor = this;
  285. anchor._logger.kvetch('called fetch');
  286. // Pass off.
  287. this.start(url, payload, method);
  288. return null;
  289. };
  290. /**
  291. * It should combine the URL, payload, and method in the ways
  292. * appropriate to the subclass engine.
  293. *
  294. * What we're aiming for is a system that:
  295. * - runs callbacks (in order: success, error, return)
  296. * - return promise (delivering response)
  297. *
  298. * @param {String} [url] - update resource target with string
  299. * @param {Object} [payload] - object to represent arguments
  300. * @param {String} [method - GET, POST, etc.
  301. * @returns {Object} promise for the processed response subclass
  302. */
  303. manager_node.prototype.start = function(url, payload, method){
  304. var anchor = this;
  305. this._ensure_arguments(url, payload, method);
  306. // Our eventual promise.
  307. var deferred = Q.defer();
  308. // What to do if an error is triggered.
  309. function on_error(e) {
  310. console.log('problem with request: ' + e.message);
  311. var response = new anchor._response_handler(null);
  312. response.okay(false);
  313. response.message(e.message);
  314. response.message_type('error');
  315. anchor.apply_callbacks('error', [response, anchor]);
  316. deferred.resolve(response);
  317. }
  318. // Two things to do here: 1) collect data and 2) what to do with
  319. // it when we're done (create response).
  320. function on_connect(res){
  321. //console.log('STATUS: ' + res.statusCode);
  322. //console.log('HEADERS: ' + JSON.stringify(res.headers));
  323. res.setEncoding('utf8');
  324. var raw_data = '';
  325. res.on('data', function (chunk) {
  326. //console.log('BODY: ' + chunk);
  327. raw_data = raw_data + chunk;
  328. });
  329. // Throw to .
  330. res.on('end', function () {
  331. //console.log('END with: ' + raw_data);
  332. var response = new anchor._response_handler(raw_data);
  333. if( response && response.okay() ){
  334. anchor.apply_callbacks('success', [response, anchor]);
  335. deferred.resolve(response);
  336. }else{
  337. // Make sure that there is something there to
  338. // hold on to.
  339. if( ! response ){
  340. response = new anchor._response_handler(null);
  341. response.okay(false);
  342. response.message_type('error');
  343. response.message('null response');
  344. }else{
  345. response.message_type('error');
  346. response.message('bad response');
  347. }
  348. anchor.apply_callbacks('error', [response, anchor]);
  349. deferred.resolve(response);
  350. }
  351. });
  352. }
  353. // http://nodejs.org/api/url.html
  354. var purl = anchor._url_parser.parse(anchor.resource());
  355. var req_opts = {
  356. //'hostname': anchor.resource(),
  357. //'path': '/amigo/term/GO:0022008/json',
  358. //'port': 80,
  359. 'method': anchor.method()
  360. };
  361. // Tranfer the interesting bit over.
  362. each(['protocol', 'hostname', 'port', 'path'], function(purl_prop){
  363. if( purl[purl_prop] ){
  364. req_opts[purl_prop] = purl[purl_prop];
  365. }
  366. });
  367. // Add any payload if it exists. On an empty payload, post_data
  368. // will still be '', so no real harm done.
  369. var post_data = querystring.stringify(anchor.payload());
  370. req_opts['headers'] = {
  371. 'Content-Type': 'application/x-www-form-urlencoded',
  372. 'Content-Length': post_data.length
  373. };
  374. //console.log('req_opts', req_opts);
  375. var req = anchor._http_client.request(req_opts, on_connect);
  376. // Oh yeah, add the error responder.
  377. req.on('error', on_error);
  378. // Write data to request body.
  379. req.write(post_data);
  380. req.end();
  381. return deferred.promise;
  382. };
  383. ///
  384. /// Node sync engine.
  385. ///
  386. /**
  387. * Contructor for the REST query manager--synchronous in node.
  388. *
  389. * This is an synchronous engine, so while both fetch and start will
  390. * run the callbacks, fetch will return a response while start returns
  391. * an instantly resolvable promise. Using the response results is
  392. * entirely optional--the main method is still considered to be the
  393. * callbacks.
  394. *
  395. * See also: <bbop.rest.manager>
  396. *
  397. * @constructor
  398. * @param {Object} response_handler
  399. * @returns {manager_node_sync}
  400. */
  401. var manager_node_sync = function(response_handler){
  402. manager_base.call(this, response_handler);
  403. this._is_a = 'bbop-rest-manager.node_sync';
  404. };
  405. bbop.extend(manager_node_sync, manager_base);
  406. /**
  407. * It should combine the URL, payload, and method in the ways
  408. * appropriate to the subclass engine.
  409. *
  410. * @param {String} [url] - update resource target with string
  411. * @param {Object} [payload] - object to represent arguments
  412. * @param {String} [method - GET, POST, etc.
  413. * @returns {Object} returns response
  414. */
  415. manager_node_sync.prototype.fetch = function(url, payload, method){
  416. var anchor = this;
  417. this._ensure_arguments(url, payload, method);
  418. // Grab the data from the server.
  419. var res = null;
  420. try {
  421. res = sync_request(anchor.method(), anchor.resource(), anchor.payload());
  422. }
  423. catch(e){
  424. console.log('ERROR in node_sync call, will try to recover');
  425. }
  426. //
  427. var raw_str = null;
  428. if( res && res.statusCode < 400 ){
  429. raw_str = res.getBody().toString();
  430. }else if( res && res.body ){
  431. raw_str = res.body.toString();
  432. }else{
  433. //
  434. }
  435. // Process and pick the right callback group accordingly.
  436. var response = null;
  437. if( raw_str && raw_str !== '' && res.statusCode < 400 ){
  438. response = new anchor._response_handler(raw_str);
  439. this.apply_callbacks('success', [response, anchor]);
  440. }else{
  441. response = new anchor._response_handler(null);
  442. this.apply_callbacks('error', [response, anchor]);
  443. //throw new Error('explody');
  444. }
  445. return response;
  446. };
  447. /**
  448. * This is the synchronous data getter for Node (and technically the
  449. * browser, but never never do that)--probably your best bet right now
  450. * for scripting.
  451. *
  452. * Works as fetch, except returns an (already resolved) promise.
  453. *
  454. * @param {String} [url] - update resource target with string
  455. * @param {Object} [payload] - object to represent arguments
  456. * @param {String} [method - GET, POST, etc.
  457. * @returns {Object} returns promise
  458. */
  459. manager_node_sync.prototype.start = function(url, payload, method){
  460. var anchor = this;
  461. var response = anchor.fetch(url, payload, method);
  462. // .
  463. var deferred = Q.defer();
  464. deferred.resolve(response);
  465. return deferred.promise;
  466. };
  467. ///
  468. /// jQuery engine.
  469. ///
  470. /**
  471. * Contructor for the jQuery REST manager
  472. *
  473. * jQuery BBOP manager for dealing with actual ajax calls. Remember,
  474. * this is actually a "subclass" of {bbop-rest-manager}.
  475. *
  476. * Use <use_jsonp> is you are working against a JSONP service instead
  477. * of a non-cross-site JSON service.
  478. *
  479. * See also:
  480. * <bbop.rest.manager>
  481. *
  482. * @constructor
  483. * @param {Object} response_handler
  484. * @returns {manager_node_sync}
  485. */
  486. var manager_jquery = function(response_handler){
  487. manager_base.call(this, response_handler);
  488. this._is_a = 'bbop-rest-manager.jquery';
  489. this._use_jsonp = false;
  490. this._jsonp_callback = 'json.wrf';
  491. this._headers = null;
  492. // Track down and try jQuery.
  493. var anchor = this;
  494. //anchor.JQ = new bbop.rest.manager.jquery_faux_ajax();
  495. try{ // some interpreters might not like this kind of probing
  496. if( typeof(jQuery) !== 'undefined' ){
  497. anchor.JQ = jQuery;
  498. //anchor.JQ = jQuery.noConflict();
  499. }
  500. }catch (x){
  501. throw new Error('unable to find "jQuery" in the environment');
  502. }
  503. };
  504. bbop.extend(manager_jquery, manager_base);
  505. /**
  506. * Set the jQuery engine to use JSONP handling instead of the default
  507. * JSON. If set, the callback function to use will be given my the
  508. * argument "json.wrf" (like Solr), so consider that special.
  509. *
  510. * @param {Boolean} [use_p] - external setter for
  511. * @returns {Boolean} boolean
  512. */
  513. manager_jquery.prototype.use_jsonp = function(use_p){
  514. var anchor = this;
  515. if( typeof(use_p) !== 'undefined' ){
  516. if( use_p === true || use_p === false ){
  517. anchor._use_jsonp = use_p;
  518. }
  519. }
  520. return anchor._use_jsonp;
  521. };
  522. /**
  523. * Get/set the jQuery jsonp callback string to something other than
  524. * "json.wrf".
  525. *
  526. * @param {String} [cstring] - setter string
  527. * @returns {String} string
  528. */
  529. manager_jquery.prototype.jsonp_callback = function(cstring){
  530. var anchor = this;
  531. if( typeof(cstring) !== 'undefined' ){
  532. anchor._jsonp_callback = cstring;
  533. }
  534. return anchor._jsonp_callback;
  535. };
  536. /**
  537. * Try and control the server with the headers.
  538. *
  539. * @param {Object} [header_set] - hash of headers; jQuery internal default
  540. * @returns {Object} hash of headers
  541. */
  542. manager_jquery.prototype.headers = function(header_set){
  543. var anchor = this;
  544. if( typeof(header_set) !== 'undefined' ){
  545. anchor._headers = header_set;
  546. }
  547. return anchor._headers;
  548. };
  549. /**
  550. * It should combine the URL, payload, and method in the ways
  551. * appropriate to the subclass engine.
  552. *
  553. * Runs callbacks, returns null.
  554. *
  555. * @param {String} [url] - update resource target with string
  556. * @param {Object} [payload] - object to represent arguments
  557. * @param {String} [method - GET, POST, etc.
  558. * @returns {null} returns null
  559. */
  560. manager_jquery.prototype.fetch = function(url, payload, method){
  561. var anchor = this;
  562. anchor._logger.kvetch('called fetch');
  563. // Pass off.
  564. anchor.start(url, payload, method);
  565. return null;
  566. };
  567. /**
  568. * See the documentation in <manager.js> on update to get more
  569. * of the story. This override function adds functionality for
  570. * jQuery.
  571. *
  572. * @param {String} [url] - update resource target with string
  573. * @param {Object} [payload] - object to represent arguments
  574. * @param {String} [method - GET, POST, etc.
  575. * @returns {Object} promise for the processed response subclass
  576. */
  577. manager_jquery.prototype.start = function(url, payload, method){
  578. var anchor = this;
  579. this._ensure_arguments(url, payload, method);
  580. // Our eventual promise.
  581. var deferred = Q.defer();
  582. // URL and payload (jQuery will just append as arg for GETs).
  583. var qurl = anchor.resource();
  584. var pl = anchor.payload();
  585. // The base jQuery Ajax args we need with the setup we have.
  586. var jq_vars = {
  587. url: qurl,
  588. data: pl,
  589. dataType: 'json',
  590. headers: {
  591. "Content-Type": "application/javascript",
  592. "Accept": "application/javascript"
  593. },
  594. type: anchor.method()
  595. };
  596. // If we're going to use JSONP instead of the defaults, set that now.
  597. if( anchor.use_jsonp() ){
  598. jq_vars['dataType'] = 'jsonp';
  599. jq_vars['jsonp'] = anchor._jsonp_callback;
  600. }
  601. if( anchor.headers() ){
  602. jq_vars['headers'] = anchor.headers();
  603. }
  604. // What to do if an error is triggered.
  605. // Remember that with jQuery, when using JSONP, there is no error.
  606. function on_error(xhr, status, error) {
  607. var response = new anchor._response_handler(null);
  608. response.okay(false);
  609. response.message(error);
  610. response.message_type(status);
  611. anchor.apply_callbacks('error', [response, anchor]);
  612. deferred.resolve(response);
  613. }
  614. function on_success(raw_data, status, xhr){
  615. var response = new anchor._response_handler(raw_data);
  616. if( response && response.okay() ){
  617. anchor.apply_callbacks('success', [response, anchor]);
  618. deferred.resolve(response);
  619. }else{
  620. // Make sure that there is something there to
  621. // hold on to.
  622. if( ! response ){
  623. response = new anchor._response_handler(null);
  624. response.okay(false);
  625. response.message_type(status);
  626. response.message('null response');
  627. }else{
  628. response.message_type(status);
  629. response.message('bad response');
  630. }
  631. //anchor.apply_callbacks('error', [response, anchor]);
  632. //anchor.apply_callbacks('error', [raw_data, anchor]);
  633. anchor.apply_callbacks('error', [response, anchor]);
  634. deferred.resolve(response);
  635. }
  636. }
  637. // Setup JSONP for Solr and jQuery ajax-specific parameters.
  638. jq_vars['success'] = on_success;
  639. jq_vars['error'] = on_error;
  640. //done: _callback_type_decider, // decide & run search or reset
  641. //fail: _run_error_callbacks, // run error callbacks
  642. //always: function(){} // do I need this?
  643. anchor.JQ.ajax(jq_vars);
  644. return deferred.promise;
  645. };
  646. ///
  647. /// Exportable body.
  648. ///
  649. module.exports = {
  650. "base" : manager_base,
  651. "node" : manager_node,
  652. "node_sync" : manager_node_sync,
  653. "jquery" : manager_jquery
  654. };