src/call_builder.js

  1. import {NotFoundError, NetworkError, BadRequestError} from "./errors";
  2. import forEach from 'lodash/forEach';
  3. let URI = require("urijs");
  4. let URITemplate = require("urijs/src/URITemplate");
  5. let axios = require("axios");
  6. var EventSource = (typeof window === 'undefined') ? require('eventsource') : window.EventSource;
  7. let toBluebird = require("bluebird").resolve;
  8. /**
  9. * Creates a new {@link CallBuilder} pointed to server defined by serverUrl.
  10. *
  11. * This is an **abstract** class. Do not create this object directly, use {@link Server} class.
  12. * @param {string} serverUrl
  13. * @class CallBuilder
  14. */
  15. export class CallBuilder {
  16. constructor(serverUrl) {
  17. this.url = serverUrl;
  18. this.filter = [];
  19. this.originalSegments = this.url.segment() || [];
  20. }
  21. /**
  22. * @private
  23. */
  24. checkFilter() {
  25. if (this.filter.length >= 2) {
  26. throw new BadRequestError("Too many filters specified", this.filter);
  27. }
  28. if (this.filter.length === 1) {
  29. //append filters to original segments
  30. let newSegment = this.originalSegments.concat(this.filter[0]);
  31. this.url.segment(newSegment);
  32. }
  33. }
  34. /**
  35. * Triggers a HTTP request using this builder's current configuration.
  36. * Returns a Promise that resolves to the server's response.
  37. * @returns {Promise}
  38. */
  39. call() {
  40. this.checkFilter();
  41. return this._sendNormalRequest(this.url)
  42. .then(r => this._parseResponse(r));
  43. }
  44. /**
  45. * Creates an EventSource that listens for incoming messages from the server. To stop listening for new
  46. * events call the function returned by this method.
  47. * @see [Frontier Response Format](https://developer.digitalbits.io/frontier/learn/responses.html)
  48. * @see [MDN EventSource](https://developer.mozilla.org/en-US/docs/Web/API/EventSource)
  49. * @param {object} [options] EventSource options.
  50. * @param {function} [options.onmessage] Callback function to handle incoming messages.
  51. * @param {function} [options.onerror] Callback function to handle errors.
  52. * @param {number} [options.reconnectTimeout] Custom stream connection timeout in ms, default is 15 seconds.
  53. * @returns {function} Close function. Run to close the connection and stop listening for new events.
  54. */
  55. stream(options) {
  56. this.checkFilter();
  57. // EventSource object
  58. let es;
  59. // timeout is the id of the timeout to be triggered if there were no new messages
  60. // in the last 15 seconds. The timeout is reset when a new message arrive.
  61. // It prevents closing EventSource object in case of 504 errors as `readyState`
  62. // property is not reliable.
  63. let timeout;
  64. var createTimeout = () => {
  65. timeout = setTimeout(() => {
  66. es.close();
  67. es = createEventSource();
  68. }, options.reconnectTimeout || 15*1000);
  69. };
  70. var createEventSource = () => {
  71. try {
  72. es = new EventSource(this.url.toString());
  73. } catch (err) {
  74. if (options.onerror) {
  75. options.onerror(err);
  76. options.onerror('EventSource not supported');
  77. }
  78. return false;
  79. }
  80. createTimeout();
  81. es.onmessage = message => {
  82. var result = message.data ? this._parseRecord(JSON.parse(message.data)) : message;
  83. if (result.paging_token) {
  84. this.url.setQuery("cursor", result.paging_token);
  85. }
  86. clearTimeout(timeout);
  87. createTimeout();
  88. options.onmessage(result);
  89. };
  90. es.onerror = error => {
  91. if (options.onerror) {
  92. options.onerror(error);
  93. }
  94. };
  95. return es;
  96. };
  97. createEventSource();
  98. return function close() {
  99. clearTimeout(timeout);
  100. es.close();
  101. };
  102. }
  103. /**
  104. * @private
  105. */
  106. _requestFnForLink(link) {
  107. return opts => {
  108. let uri;
  109. if (link.templated) {
  110. let template = URITemplate(link.href);
  111. uri = URI(template.expand(opts || {}));
  112. } else {
  113. uri = URI(link.href);
  114. }
  115. return this._sendNormalRequest(uri).then(r => this._parseRecord(r));
  116. };
  117. }
  118. /**
  119. * Convert each link into a function on the response object.
  120. * @private
  121. */
  122. _parseRecord(json) {
  123. if (!json._links) {
  124. return json;
  125. }
  126. forEach(json._links, (n, key) => {
  127. // If the key with the link name already exists, create a copy
  128. if (typeof json[key] != 'undefined') {
  129. json[`${key}_attr`] = json[key];
  130. }
  131. json[key] = this._requestFnForLink(n);
  132. });
  133. return json;
  134. }
  135. _sendNormalRequest(url) {
  136. if (url.authority() === '') {
  137. url = url.authority(this.url.authority());
  138. }
  139. if (url.protocol() === '') {
  140. url = url.protocol(this.url.protocol());
  141. }
  142. // Temp fix for: https://github.com/digitalbitsorg/js-digitalbits-sdk/issues/15
  143. url.addQuery('c', Math.random());
  144. var promise = axios.get(url.toString())
  145. .then(response => response.data)
  146. .catch(this._handleNetworkError);
  147. return toBluebird(promise);
  148. }
  149. /**
  150. * @private
  151. */
  152. _parseResponse(json) {
  153. if (json._embedded && json._embedded.records) {
  154. return this._toCollectionPage(json);
  155. } else {
  156. return this._parseRecord(json);
  157. }
  158. }
  159. /**
  160. * @private
  161. */
  162. _toCollectionPage(json) {
  163. for (var i = 0; i < json._embedded.records.length; i++) {
  164. json._embedded.records[i] = this._parseRecord(json._embedded.records[i]);
  165. }
  166. return {
  167. records: json._embedded.records,
  168. next: () => {
  169. return this._sendNormalRequest(URI(json._links.next.href))
  170. .then(r => this._toCollectionPage(r));
  171. },
  172. prev: () => {
  173. return this._sendNormalRequest(URI(json._links.prev.href))
  174. .then(r => this._toCollectionPage(r));
  175. }
  176. };
  177. }
  178. /**
  179. * @private
  180. */
  181. _handleNetworkError(response) {
  182. if (response instanceof Error) {
  183. return Promise.reject(response);
  184. } else {
  185. switch (response.status) {
  186. case 404:
  187. return Promise.reject(new NotFoundError(response.data, response));
  188. default:
  189. return Promise.reject(new NetworkError(response.status, response));
  190. }
  191. }
  192. }
  193. /**
  194. * Adds `cursor` parameter to the current call. Returns the CallBuilder object on which this method has been called.
  195. * @see [Paging](https://developer.digitalbits.io/frontier/learn/paging.html)
  196. * @param {string} cursor A cursor is a value that points to a specific location in a collection of resources.
  197. */
  198. cursor(cursor) {
  199. this.url.addQuery("cursor", cursor);
  200. return this;
  201. }
  202. /**
  203. * Adds `limit` parameter to the current call. Returns the CallBuilder object on which this method has been called.
  204. * @see [Paging](https://developer.digitalbits.io/frontier/learn/paging.html)
  205. * @param {number} number Number of records the server should return.
  206. */
  207. limit(number) {
  208. this.url.addQuery("limit", number);
  209. return this;
  210. }
  211. /**
  212. * Adds `order` parameter to the current call. Returns the CallBuilder object on which this method has been called.
  213. * @param {"asc"|"desc"} direction
  214. */
  215. order(direction) {
  216. this.url.addQuery("order", direction);
  217. return this;
  218. }
  219. }