extension.js 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377
  1. /******/ (() => { // webpackBootstrap
  2. /******/ var __webpack_modules__ = ({
  3. /***/ 52:
  4. /***/ ((module, __unused_webpack_exports, __webpack_require__) => {
  5. const http = __webpack_require__(25);
  6. const https = __webpack_require__(26);
  7. const qs = __webpack_require__(53);
  8. const colors = { 2: 32, 3: 33, 4: 31, 5: 31 }; // colours 200-299 green, 300-399 yellow, and 400-599 red
  9. const protocols = { http, https }; // uses HTTP or HTTPS depending on the protocols
  10. /**
  11. * Parse a request body based on known MIME types, based on the Content-Type
  12. * header. If unknown or undefined, will return the original request body.
  13. * @param {Object} opts - The request options.
  14. * @param {Object|String} body - The request body.
  15. * @returns {Object|String} A parsed request body for known MIME types, or the original request body.
  16. */
  17. function parse(opts = {}, body) {
  18. if (opts.headers == null) {
  19. return body; // terminates early if unable to retrieve MIME type
  20. }
  21. switch (opts.headers['Content-Type']) {
  22. case 'application/json': return JSON.stringify(body);
  23. case 'application/x-www-form-urlencoded': return qs.stringify(body);
  24. default: return body;
  25. }
  26. }
  27. /**
  28. * Make an asynchronous request to an HTTP or HTTPS address. Automatically
  29. * derives protocol from URL input, and content length from the request body.
  30. * @param {URL|String} url - The request URL.
  31. * @param {Object} opts - The request options.
  32. * @param {Object|String} body - The request body.
  33. * @returns {Promise} A promise to return either a response object, or an error.
  34. */
  35. function request(url, opts = {}, body = '') {
  36. const data = parse(opts, body);
  37. if (opts.headers == null) {
  38. opts.headers = {};
  39. }
  40. if (opts.headers['Content-Length'] == null) {
  41. opts.headers['Content-Length'] = Buffer.byteLength(data);
  42. }
  43. return new Promise((resolve, reject) => {
  44. if (!(url instanceof URL)) {
  45. url = new URL(url); // coerces input into URL if not one already
  46. }
  47. const protocol = protocols[url.protocol.replace(/:$/, '')]; // removes trailing colon from URL protocol value
  48. const tick = new Date().getTime();
  49. const request = protocol.request(url, opts, response => {
  50. const chunks = []; // creates an empty array to store response body
  51. response.on('data', chunk => {
  52. chunks.push(chunk); // adds data chunk to chunks array
  53. });
  54. response.on('end', () => {
  55. const tock = new Date().getTime();
  56. try {
  57. const { headers } = response;
  58. const body = chunks.join(''); // concatenates data chunks into a single string
  59. resolve({ headers, body });
  60. }
  61. catch (error) {
  62. reject(error);
  63. }
  64. finally {
  65. const color = `\x1b[${colors[response.statusCode.toString().charAt(0)] || 36}m`; // applies style changes, defaults to blue
  66. const reset = '\x1b[0m'; // resets style changes
  67. console.debug(`${color}${request.method} ${url.protocol}//${url.host}${request.path} ${response.statusCode} ${tock - tick}ms${reset}`);
  68. }
  69. });
  70. response.on('error', error => {
  71. reject(error);
  72. });
  73. });
  74. request.write(data);
  75. request.end();
  76. });
  77. }
  78. module.exports = request;
  79. /***/ }),
  80. /***/ 51:
  81. /***/ ((module) => {
  82. var replacements = [
  83. [/\*/g, '\\*', 'asterisks'],
  84. [/#/g, '\\#', 'number signs'],
  85. [/\//g, '\\/', 'slashes'],
  86. [/\(/g, '\\(', 'parentheses'],
  87. [/\)/g, '\\)', 'parentheses'],
  88. [/\[/g, '\\[', 'square brackets'],
  89. [/\]/g, '\\]', 'square brackets'],
  90. [/</g, '&lt;', 'angle brackets'],
  91. [/>/g, '&gt;', 'angle brackets'],
  92. [/_/g, '\\_', 'underscores']
  93. ]
  94. module.exports = function (string, skips) {
  95. skips = skips || []
  96. return replacements.reduce(function (string, replacement) {
  97. var name = replacement[2]
  98. return name && skips.indexOf(name) !== -1
  99. ? string
  100. : string.replace(replacement[0], replacement[1])
  101. }, string)
  102. }
  103. /***/ }),
  104. /***/ 1:
  105. /***/ ((module) => {
  106. "use strict";
  107. module.exports = require("vscode");
  108. /***/ }),
  109. /***/ 25:
  110. /***/ ((module) => {
  111. "use strict";
  112. module.exports = require("http");
  113. /***/ }),
  114. /***/ 26:
  115. /***/ ((module) => {
  116. "use strict";
  117. module.exports = require("https");
  118. /***/ }),
  119. /***/ 53:
  120. /***/ ((module) => {
  121. "use strict";
  122. module.exports = require("querystring");
  123. /***/ }),
  124. /***/ 50:
  125. /***/ ((__unused_webpack_module, exports) => {
  126. "use strict";
  127. /**
  128. * Copyright (C) 2017-present by Andrea Giammarchi - @WebReflection
  129. *
  130. * Permission is hereby granted, free of charge, to any person obtaining a copy
  131. * of this software and associated documentation files (the "Software"), to deal
  132. * in the Software without restriction, including without limitation the rights
  133. * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  134. * copies of the Software, and to permit persons to whom the Software is
  135. * furnished to do so, subject to the following conditions:
  136. *
  137. * The above copyright notice and this permission notice shall be included in
  138. * all copies or substantial portions of the Software.
  139. *
  140. * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  141. * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  142. * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  143. * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  144. * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  145. * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
  146. * THE SOFTWARE.
  147. */
  148. const {replace} = '';
  149. // escape
  150. const es = /&(?:amp|#38|lt|#60|gt|#62|apos|#39|quot|#34);/g;
  151. const ca = /[&<>'"]/g;
  152. const esca = {
  153. '&': '&amp;',
  154. '<': '&lt;',
  155. '>': '&gt;',
  156. "'": '&#39;',
  157. '"': '&quot;'
  158. };
  159. const pe = m => esca[m];
  160. /**
  161. * Safely escape HTML entities such as `&`, `<`, `>`, `"`, and `'`.
  162. * @param {string} es the input to safely escape
  163. * @returns {string} the escaped input, and it **throws** an error if
  164. * the input type is unexpected, except for boolean and numbers,
  165. * converted as string.
  166. */
  167. const escape = es => replace.call(es, ca, pe);
  168. exports.escape = escape;
  169. // unescape
  170. const unes = {
  171. '&amp;': '&',
  172. '&#38;': '&',
  173. '&lt;': '<',
  174. '&#60;': '<',
  175. '&gt;': '>',
  176. '&#62;': '>',
  177. '&apos;': "'",
  178. '&#39;': "'",
  179. '&quot;': '"',
  180. '&#34;': '"'
  181. };
  182. const cape = m => unes[m];
  183. /**
  184. * Safely unescape previously escaped entities such as `&`, `<`, `>`, `"`,
  185. * and `'`.
  186. * @param {string} un a previously escaped string
  187. * @returns {string} the unescaped input, and it **throws** an error if
  188. * the input type is unexpected, except for boolean and numbers,
  189. * converted as string.
  190. */
  191. const unescape = un => replace.call(un, es, cape);
  192. exports.unescape = unescape;
  193. /***/ })
  194. /******/ });
  195. /************************************************************************/
  196. /******/ // The module cache
  197. /******/ var __webpack_module_cache__ = {};
  198. /******/
  199. /******/ // The require function
  200. /******/ function __webpack_require__(moduleId) {
  201. /******/ // Check if module is in cache
  202. /******/ var cachedModule = __webpack_module_cache__[moduleId];
  203. /******/ if (cachedModule !== undefined) {
  204. /******/ return cachedModule.exports;
  205. /******/ }
  206. /******/ // Create a new module (and put it into the cache)
  207. /******/ var module = __webpack_module_cache__[moduleId] = {
  208. /******/ // no module.id needed
  209. /******/ // no module.loaded needed
  210. /******/ exports: {}
  211. /******/ };
  212. /******/
  213. /******/ // Execute the module function
  214. /******/ __webpack_modules__[moduleId](module, module.exports, __webpack_require__);
  215. /******/
  216. /******/ // Return the exports of the module
  217. /******/ return module.exports;
  218. /******/ }
  219. /******/
  220. /************************************************************************/
  221. var __webpack_exports__ = {};
  222. // This entry need to be wrapped in an IIFE because it need to be in strict mode.
  223. (() => {
  224. "use strict";
  225. var exports = __webpack_exports__;
  226. Object.defineProperty(exports, "__esModule", ({ value: true }));
  227. exports.deactivate = exports.activate = void 0;
  228. // The module 'vscode' contains the VS Code extensibility API
  229. // Import the module and reference it with the alias vscode in your code below
  230. const vscode = __webpack_require__(1);
  231. const html_escaper_1 = __webpack_require__(50);
  232. const request = __webpack_require__(52);
  233. const markdownEscape = __webpack_require__(51);
  234. // this method is called when your extension is activated
  235. // your extension is activated the very first time the command is executed
  236. function activate(context) {
  237. // Use the console to output diagnostic information (console.log) and errors (console.error)
  238. // This line of code will only be executed once when your extension is activated
  239. console.log('Congratulations, your extension "wikipedia-hyperlinker" is now active!');
  240. // The command has been defined in the package.json file
  241. // Now provide the implementation of the command with registerCommand
  242. // The commandId parameter must match the command field in package.json
  243. let disposable = vscode.commands.registerCommand('wikipedia-hyperlinker.addHyperlink', () => {
  244. // The code you place here will be executed every time your command is executed
  245. var editor = vscode.window.activeTextEditor;
  246. if (editor !== undefined) {
  247. const currentSelection = editor.selection;
  248. const text = editor.document.getText(currentSelection);
  249. if (text.trim() === '') {
  250. vscode.window.showErrorMessage('No text is selected');
  251. return false;
  252. }
  253. vscode.window.withProgress({
  254. location: vscode.ProgressLocation.Window,
  255. cancellable: false,
  256. title: 'Loading article from wikipedia...'
  257. }, async (progress) => {
  258. progress.report({ increment: 0 });
  259. // Make a request to wikipedia to get short description
  260. try {
  261. const response = await request(`https://en.wikipedia.org/w/api.php?format=json&action=query&prop=info|extracts&exintro&explaintext&&inprop=url&redirects=1&titles=${encodeURIComponent(text)}`);
  262. const body = JSON.parse(response.body);
  263. progress.report({ increment: 100 });
  264. console.log(response);
  265. const summary = body['query']['pages'][Object.keys(body['query']['pages'])[0]]['extract'];
  266. const url = body['query']['pages'][Object.keys(body['query']['pages'])[0]]['fullurl'];
  267. if (summary.includes("may refer to:")) {
  268. vscode.window
  269. .showInformationMessage(`There are multiple articles under the term ${text}. Do you want to see all the possible articles in wikipedia inside your browser?`, { modal: true }, ...["Yes", "No"])
  270. .then((answer) => {
  271. if (answer === "Yes") {
  272. vscode.env.openExternal(vscode.Uri.parse(url));
  273. }
  274. else {
  275. vscode.window.showInformationMessage("Okay, you can refine your text anytime and use the command again");
  276. }
  277. });
  278. return false;
  279. }
  280. var currentLanguage = editor?.document.languageId;
  281. // vscode.window.showInformationMessage(`Added wikipedia article for ${text}`);
  282. if (currentLanguage === "markdown") {
  283. editor?.edit(editBuilder => {
  284. editBuilder.replace(currentSelection, `[${markdownEscape(text)}](${url} "${markdownEscape(summary)}")`);
  285. });
  286. }
  287. else if (currentLanguage === "html" || currentLanguage === "jinja") {
  288. editor?.edit(editBuilder => {
  289. editBuilder.replace(currentSelection, `<a href="${url}" title="${(0, html_escaper_1.escape)(summary)}">${(0, html_escaper_1.escape)(text)}</a>`);
  290. });
  291. }
  292. else {
  293. vscode.window.showWarningMessage(`The current language (${currentLanguage}) is not supported`, ...["Use HTML", "Use Markdown", "Cancel"]).then((answer) => {
  294. if (answer === "Use HTML") {
  295. editor?.edit(editBuilder => {
  296. editBuilder.replace(currentSelection, `<a href="${url}" title="${(0, html_escaper_1.escape)(summary)}">${(0, html_escaper_1.escape)(text)}</a>`);
  297. });
  298. }
  299. else if (answer === "Use Markdown") {
  300. editor?.edit(editBuilder => {
  301. editBuilder.replace(currentSelection, `[${markdownEscape(text)}](${url} "${markdownEscape(summary)}")`);
  302. });
  303. }
  304. });
  305. }
  306. }
  307. catch (error) {
  308. vscode.window.showErrorMessage(`Request failed`);
  309. console.error(error);
  310. }
  311. });
  312. // Display a message box to the user
  313. }
  314. else {
  315. vscode.window.showInformationMessage('No window is active');
  316. }
  317. });
  318. context.subscriptions.push(disposable);
  319. }
  320. exports.activate = activate;
  321. // this method is called when your extension is deactivated
  322. function deactivate() { }
  323. exports.deactivate = deactivate;
  324. })();
  325. module.exports = __webpack_exports__;
  326. /******/ })()
  327. ;
  328. //# sourceMappingURL=extension.js.map