WebpackDevServerUtils.js 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443
  1. /**
  2. * Copyright (c) 2015-present, Facebook, Inc.
  3. *
  4. * This source code is licensed under the MIT license found in the
  5. * LICENSE file in the root directory of this source tree.
  6. */
  7. 'use strict';
  8. const address = require('address');
  9. const fs = require('fs');
  10. const path = require('path');
  11. const url = require('url');
  12. const chalk = require('chalk');
  13. const detect = require('detect-port-alt');
  14. const isRoot = require('is-root');
  15. const prompts = require('prompts');
  16. const clearConsole = require('./clearConsole');
  17. const formatWebpackMessages = require('./formatWebpackMessages');
  18. const getProcessForPort = require('./getProcessForPort');
  19. const forkTsCheckerWebpackPlugin = require('./ForkTsCheckerWebpackPlugin');
  20. const isInteractive = process.stdout.isTTY;
  21. function prepareUrls(protocol, host, port, pathname = '/') {
  22. const formatUrl = hostname =>
  23. url.format({
  24. protocol,
  25. hostname,
  26. port,
  27. pathname,
  28. });
  29. const prettyPrintUrl = hostname =>
  30. url.format({
  31. protocol,
  32. hostname,
  33. port: chalk.bold(port),
  34. pathname,
  35. });
  36. const isUnspecifiedHost = host === '0.0.0.0' || host === '::';
  37. let prettyHost, lanUrlForConfig, lanUrlForTerminal;
  38. if (isUnspecifiedHost) {
  39. prettyHost = 'localhost';
  40. try {
  41. // This can only return an IPv4 address
  42. lanUrlForConfig = address.ip();
  43. if (lanUrlForConfig) {
  44. // Check if the address is a private ip
  45. // https://en.wikipedia.org/wiki/Private_network#Private_IPv4_address_spaces
  46. if (
  47. /^10[.]|^172[.](1[6-9]|2[0-9]|3[0-1])[.]|^192[.]168[.]/.test(
  48. lanUrlForConfig
  49. )
  50. ) {
  51. // Address is private, format it for later use
  52. lanUrlForTerminal = prettyPrintUrl(lanUrlForConfig);
  53. } else {
  54. // Address is not private, so we will discard it
  55. lanUrlForConfig = undefined;
  56. }
  57. }
  58. } catch (_e) {
  59. // ignored
  60. }
  61. } else {
  62. prettyHost = host;
  63. }
  64. const localUrlForTerminal = prettyPrintUrl(prettyHost);
  65. const localUrlForBrowser = formatUrl(prettyHost);
  66. return {
  67. lanUrlForConfig,
  68. lanUrlForTerminal,
  69. localUrlForTerminal,
  70. localUrlForBrowser,
  71. };
  72. }
  73. function printInstructions(appName, urls, useYarn) {
  74. console.log();
  75. console.log(`You can now view ${chalk.bold(appName)} in the browser.`);
  76. console.log();
  77. if (urls.lanUrlForTerminal) {
  78. console.log(
  79. ` ${chalk.bold('Local:')} ${urls.localUrlForTerminal}`
  80. );
  81. console.log(
  82. ` ${chalk.bold('On Your Network:')} ${urls.lanUrlForTerminal}`
  83. );
  84. } else {
  85. console.log(` ${urls.localUrlForTerminal}`);
  86. }
  87. console.log();
  88. console.log('Note that the development build is not optimized.');
  89. console.log(
  90. `To create a production build, use ` +
  91. `${chalk.cyan(`${useYarn ? 'yarn' : 'npm run'} build`)}.`
  92. );
  93. console.log();
  94. }
  95. function createCompiler({
  96. appName,
  97. config,
  98. urls,
  99. useYarn,
  100. useTypeScript,
  101. webpack,
  102. }) {
  103. // "Compiler" is a low-level interface to webpack.
  104. // It lets us listen to some events and provide our own custom messages.
  105. let compiler;
  106. try {
  107. compiler = webpack(config);
  108. } catch (err) {
  109. console.log(chalk.red('Failed to compile.'));
  110. console.log();
  111. console.log(err.message || err);
  112. console.log();
  113. process.exit(1);
  114. }
  115. // "invalid" event fires when you have changed a file, and webpack is
  116. // recompiling a bundle. WebpackDevServer takes care to pause serving the
  117. // bundle, so if you refresh, it'll wait instead of serving the old one.
  118. // "invalid" is short for "bundle invalidated", it doesn't imply any errors.
  119. compiler.hooks.invalid.tap('invalid', () => {
  120. if (isInteractive) {
  121. clearConsole();
  122. }
  123. console.log('Compiling...');
  124. });
  125. let isFirstCompile = true;
  126. let tsMessagesPromise;
  127. if (useTypeScript) {
  128. forkTsCheckerWebpackPlugin
  129. .getCompilerHooks(compiler)
  130. .waiting.tap('awaitingTypeScriptCheck', () => {
  131. console.log(
  132. chalk.yellow(
  133. 'Files successfully emitted, waiting for typecheck results...'
  134. )
  135. );
  136. });
  137. }
  138. // "done" event fires when webpack has finished recompiling the bundle.
  139. // Whether or not you have warnings or errors, you will get this event.
  140. compiler.hooks.done.tap('done', async stats => {
  141. if (isInteractive) {
  142. clearConsole();
  143. }
  144. // We have switched off the default webpack output in WebpackDevServer
  145. // options so we are going to "massage" the warnings and errors and present
  146. // them in a readable focused way.
  147. // We only construct the warnings and errors for speed:
  148. // https://github.com/facebook/create-react-app/issues/4492#issuecomment-421959548
  149. const statsData = stats.toJson({
  150. all: false,
  151. warnings: true,
  152. errors: true,
  153. });
  154. const messages = formatWebpackMessages(statsData);
  155. const isSuccessful = !messages.errors.length && !messages.warnings.length;
  156. if (isSuccessful) {
  157. console.log(chalk.green('Compiled successfully!'));
  158. }
  159. if (isSuccessful && (isInteractive || isFirstCompile)) {
  160. printInstructions(appName, urls, useYarn);
  161. }
  162. isFirstCompile = false;
  163. // If errors exist, only show errors.
  164. if (messages.errors.length) {
  165. // Only keep the first error. Others are often indicative
  166. // of the same problem, but confuse the reader with noise.
  167. if (messages.errors.length > 1) {
  168. messages.errors.length = 1;
  169. }
  170. console.log(chalk.red('Failed to compile.\n'));
  171. console.log(messages.errors.join('\n\n'));
  172. return;
  173. }
  174. // Show warnings if no errors were found.
  175. if (messages.warnings.length) {
  176. console.log(chalk.yellow('Compiled with warnings.\n'));
  177. console.log(messages.warnings.join('\n\n'));
  178. // Teach some ESLint tricks.
  179. console.log(
  180. '\nSearch for the ' +
  181. chalk.underline(chalk.yellow('keywords')) +
  182. ' to learn more about each warning.'
  183. );
  184. console.log(
  185. 'To ignore, add ' +
  186. chalk.cyan('// eslint-disable-next-line') +
  187. ' to the line before.\n'
  188. );
  189. }
  190. });
  191. // You can safely remove this after ejecting.
  192. // We only use this block for testing of Create React App itself:
  193. const isSmokeTest = process.argv.some(
  194. arg => arg.indexOf('--smoke-test') > -1
  195. );
  196. if (isSmokeTest) {
  197. compiler.hooks.failed.tap('smokeTest', async () => {
  198. await tsMessagesPromise;
  199. process.exit(1);
  200. });
  201. compiler.hooks.done.tap('smokeTest', async stats => {
  202. await tsMessagesPromise;
  203. if (stats.hasErrors() || stats.hasWarnings()) {
  204. process.exit(1);
  205. } else {
  206. process.exit(0);
  207. }
  208. });
  209. }
  210. return compiler;
  211. }
  212. function resolveLoopback(proxy) {
  213. const o = url.parse(proxy);
  214. o.host = undefined;
  215. if (o.hostname !== 'localhost') {
  216. return proxy;
  217. }
  218. // Unfortunately, many languages (unlike node) do not yet support IPv6.
  219. // This means even though localhost resolves to ::1, the application
  220. // must fall back to IPv4 (on 127.0.0.1).
  221. // We can re-enable this in a few years.
  222. /*try {
  223. o.hostname = address.ipv6() ? '::1' : '127.0.0.1';
  224. } catch (_ignored) {
  225. o.hostname = '127.0.0.1';
  226. }*/
  227. try {
  228. // Check if we're on a network; if we are, chances are we can resolve
  229. // localhost. Otherwise, we can just be safe and assume localhost is
  230. // IPv4 for maximum compatibility.
  231. if (!address.ip()) {
  232. o.hostname = '127.0.0.1';
  233. }
  234. } catch (_ignored) {
  235. o.hostname = '127.0.0.1';
  236. }
  237. return url.format(o);
  238. }
  239. // We need to provide a custom onError function for httpProxyMiddleware.
  240. // It allows us to log custom error messages on the console.
  241. function onProxyError(proxy) {
  242. return (err, req, res) => {
  243. const host = req.headers && req.headers.host;
  244. console.log(
  245. chalk.red('Proxy error:') +
  246. ' Could not proxy request ' +
  247. chalk.cyan(req.url) +
  248. ' from ' +
  249. chalk.cyan(host) +
  250. ' to ' +
  251. chalk.cyan(proxy) +
  252. '.'
  253. );
  254. console.log(
  255. 'See https://nodejs.org/api/errors.html#errors_common_system_errors for more information (' +
  256. chalk.cyan(err.code) +
  257. ').'
  258. );
  259. console.log();
  260. // And immediately send the proper error response to the client.
  261. // Otherwise, the request will eventually timeout with ERR_EMPTY_RESPONSE on the client side.
  262. if (res.writeHead && !res.headersSent) {
  263. res.writeHead(500);
  264. }
  265. res.end(
  266. 'Proxy error: Could not proxy request ' +
  267. req.url +
  268. ' from ' +
  269. host +
  270. ' to ' +
  271. proxy +
  272. ' (' +
  273. err.code +
  274. ').'
  275. );
  276. };
  277. }
  278. function prepareProxy(proxy, appPublicFolder, servedPathname) {
  279. // `proxy` lets you specify alternate servers for specific requests.
  280. if (!proxy) {
  281. return undefined;
  282. }
  283. if (typeof proxy !== 'string') {
  284. console.log(
  285. chalk.red('When specified, "proxy" in package.json must be a string.')
  286. );
  287. console.log(
  288. chalk.red('Instead, the type of "proxy" was "' + typeof proxy + '".')
  289. );
  290. console.log(
  291. chalk.red('Either remove "proxy" from package.json, or make it a string.')
  292. );
  293. process.exit(1);
  294. }
  295. // If proxy is specified, let it handle any request except for
  296. // files in the public folder and requests to the WebpackDevServer socket endpoint.
  297. // https://github.com/facebook/create-react-app/issues/6720
  298. const sockPath = process.env.WDS_SOCKET_PATH || '/ws';
  299. const isDefaultSockHost = !process.env.WDS_SOCKET_HOST;
  300. function mayProxy(pathname) {
  301. const maybePublicPath = path.resolve(
  302. appPublicFolder,
  303. pathname.replace(new RegExp('^' + servedPathname), '')
  304. );
  305. const isPublicFileRequest = fs.existsSync(maybePublicPath);
  306. // used by webpackHotDevClient
  307. const isWdsEndpointRequest =
  308. isDefaultSockHost && pathname.startsWith(sockPath);
  309. return !(isPublicFileRequest || isWdsEndpointRequest);
  310. }
  311. if (!/^http(s)?:\/\//.test(proxy)) {
  312. console.log(
  313. chalk.red(
  314. 'When "proxy" is specified in package.json it must start with either http:// or https://'
  315. )
  316. );
  317. process.exit(1);
  318. }
  319. let target;
  320. if (process.platform === 'win32') {
  321. target = resolveLoopback(proxy);
  322. } else {
  323. target = proxy;
  324. }
  325. return [
  326. {
  327. target,
  328. logLevel: 'silent',
  329. // For single page apps, we generally want to fallback to /index.html.
  330. // However we also want to respect `proxy` for API calls.
  331. // So if `proxy` is specified as a string, we need to decide which fallback to use.
  332. // We use a heuristic: We want to proxy all the requests that are not meant
  333. // for static assets and as all the requests for static assets will be using
  334. // `GET` method, we can proxy all non-`GET` requests.
  335. // For `GET` requests, if request `accept`s text/html, we pick /index.html.
  336. // Modern browsers include text/html into `accept` header when navigating.
  337. // However API calls like `fetch()` won’t generally accept text/html.
  338. // If this heuristic doesn’t work well for you, use `src/setupProxy.js`.
  339. context: function (pathname, req) {
  340. return (
  341. req.method !== 'GET' ||
  342. (mayProxy(pathname) &&
  343. req.headers.accept &&
  344. req.headers.accept.indexOf('text/html') === -1)
  345. );
  346. },
  347. onProxyReq: proxyReq => {
  348. // Browsers may send Origin headers even with same-origin
  349. // requests. To prevent CORS issues, we have to change
  350. // the Origin to match the target URL.
  351. if (proxyReq.getHeader('origin')) {
  352. proxyReq.setHeader('origin', target);
  353. }
  354. },
  355. onError: onProxyError(target),
  356. secure: false,
  357. changeOrigin: true,
  358. ws: true,
  359. xfwd: true,
  360. },
  361. ];
  362. }
  363. function choosePort(host, defaultPort) {
  364. return detect(defaultPort, host).then(
  365. port =>
  366. new Promise(resolve => {
  367. if (port === defaultPort) {
  368. return resolve(port);
  369. }
  370. const message =
  371. process.platform !== 'win32' && defaultPort < 1024 && !isRoot()
  372. ? `Admin permissions are required to run a server on a port below 1024.`
  373. : `Something is already running on port ${defaultPort}.`;
  374. if (isInteractive) {
  375. clearConsole();
  376. const existingProcess = getProcessForPort(defaultPort);
  377. const question = {
  378. type: 'confirm',
  379. name: 'shouldChangePort',
  380. message:
  381. chalk.yellow(
  382. message +
  383. `${existingProcess ? ` Probably:\n ${existingProcess}` : ''}`
  384. ) + '\n\nWould you like to run the app on another port instead?',
  385. initial: true,
  386. };
  387. prompts(question).then(answer => {
  388. if (answer.shouldChangePort) {
  389. resolve(port);
  390. } else {
  391. resolve(null);
  392. }
  393. });
  394. } else {
  395. console.log(chalk.red(message));
  396. resolve(null);
  397. }
  398. }),
  399. err => {
  400. throw new Error(
  401. chalk.red(`Could not find an open port at ${chalk.bold(host)}.`) +
  402. '\n' +
  403. ('Network error message: ' + err.message || err) +
  404. '\n'
  405. );
  406. }
  407. );
  408. }
  409. module.exports = {
  410. choosePort,
  411. createCompiler,
  412. prepareProxy,
  413. prepareUrls,
  414. };