Advanced
Web Applications


JavaScript, Vite

Get ready

What you need to know:

  • HTML, JavaScript, TypeScript
  • Hot Redeployment

Using your own computer

Download and install Node.js. Make sure you can execute following command:

npm create vite@latest

Objectives

  • Node.js, npm, Vite
  • HTML, JavaScript, SASS, Typescript
  • Multiple entry points
  • Configuration
  • Code quality, Prettier, ESLint
  • Hot Redeployment
  • Deployment

Vite

Vite is a (zero-configuration) build tool. It is opinionated and comes with sensible defaults out of the box. Vite can be installed using npm. npm is distributed with Node.js. We employ vite to create a new project using "npm create" command, which is similar to "composer create-project" command.


		npm create vite@latest
	

Select Vanilla JS project with TypeScript. See what was generated for us:

  • package.json
  • index.html
  • [optional] nesting with style.scss (npm install -D sass)
  • npm run dev
  • hot redeployment
  • npm run build

Take a look at file names in "dist" directory. Why are there some "random" suffixes for css and js files?

Typescript

Set initial counter value to "0" in counter.ts file. What should happen and what happened?


		setCounter("0");
	

Create article service, return mocked article list, and implement renderer.

articles-service.ts

interface Article {  identifier: string;  title: string;  }

export async function fetchArticles(): Promise<Article[]> { /* ... */ }
	

articles-main.ts

import { fetchArticles } from "./articles-service.ts";

async function renderArticles() {
	const articles = await fetchArticles();
	/* TODO: Render articles */
}

renderArticles();
	

Multiple entry points

Unless developing single-page-application we may need multiple entry files. It works just fine for "dev", but same is not true for "build".

Build tools often provide tool-specific way of configuration. In case of Vite, we can employ vite.config.js file to configure multiple entry points.


		// vite.config.js
		import { resolve } from 'path'
		import { defineConfig } from 'vite'

		export default defineConfig({
		  build: {
		  rollupOptions: {
		    input: {
		      main: resolve(__dirname, 'index.html'),
		      content: resolve(__dirname, 'articles.html'),
		    },
		  },
		}});
	

Include "articles-main.ts" from "articles.html".

Configuration

  • Runtime vs compile time configuration.
  • Environment variables.
  • .env file

Vite

Vite supports .env files and environment variables out of the box. Selected variables:

  • import.meta.env.BASE_URL
  • import.meta.env.PROD
To prevent accidentally leaking env variables to the client, only variables prefixed with VITE_ are exposed to your Vite-processed code

Introduce .env file with "VITE_TITLE" variable and use it in the "article-main.ts" file as a prefix to the article list.

Code quality

What, why, how?

Code quality and JavaScript

We utilize Prettier to take care of code formatting. While Prettier works with multiple source types, including PHP, we utilize it only in scope of Vite project. It may be useful to consider IDE integration.

Another step is to utilize ESLint which statically analyzes the code.

While it is possible to run both tools using npx, we integrate both tools into our Vite project.

Prettier


			npm install --save-dev prettier
		

We can employ .prettierrc.json file to customize Prettier's options.


			{ "semi": true }
		

This step is optional as we are setting the value to the default.

You can execute prettier manually using:


			npx prettier -w .
		

ESLint

ESLint can be executed on demand or during the development to provide instantaneous feedback. Besides ESLint we also need plugins, for different languages, and configurations.


			npm install -D eslint @eslint/js
			# Integration with Typescript
			npm install -D typescript typescript-eslint
			# Integration with Prettier
			npm install -D prettier eslint-plugin-prettier eslint-config-prettier
		

ESLint utilizes .eslintrc.cjs, or other file depending on your setup, for configuration and .eslintignore to ignore directories. Alternatives are JSON file, YAML file, part of package.json, eslint.config files, etc.. We use "eslint.config.mjs" file, see following slide.

Add following line to script section in your package.json file to execute ESLint in current directory.


			"lint": "eslint . --fix"
		

ESLint: eslint.config.mjs


			import eslint from "@eslint/js";
			import globals from "globals";
			import tseslint from "typescript-eslint";
			import { defineConfig } from "eslint/config";
			// https://github.com/prettier/eslint-plugin-prettier
			import prettier from "eslint-plugin-prettier/recommended";

			export default defineConfig([
			  {
			    // This is a special construct and must be in a separate section.
			    // https://github.com/eslint/eslint/discussions/18304
			    ignores: ["**/dist/*"],
			  },
			  eslint.configs.recommended,
			  tseslint.configs.recommended,
			  {
			    languageOptions: {
			      globals: {
			        ...globals.browser,
			        ...globals.node,
			      },
			    },
			  },
			  prettier,
			]);
		

Hot Redeployment

Hot Module Replacement is capable of replacing JS code without the need of a reload. You can integrate with HRM using build tool API. This integration is usually handled by a framework, but we can interact with it as well. It works on level of modules ~ individual files ~ HMR boundary.

  • Try to add console.log statements and observe the reload.
  • Create counter service in service.ts.
  • Add support for reload to consuming module.


service.ts


			export const createService = () => {
			  return {
			    data: { counter: 0 },
			    value() { return this.data.counter },
			    increase() { this.data.counter += 1 }
			  }
			}
		

Hot Redeployment

Use the new service in "main.ts".


			import { createService } from "./service";
			// ...
			let service = createService();
			const setupCounter = (element: HTMLButtonElement) => {
			  element.innerHTML = 'count is 0';
			  element!.addEventListener("click", () => {
			    service.increase();
			    element.innerHTML = `count is ${service.data.counter}`;
			  });
			};
		

Hot Redeployment

We need custom implementation of module reloading.


			if (import.meta.hot) {
			  import.meta.hot.accept(["./service"], ([serviceModule]) => {
			    // Get next service.
			    const nextService = serviceModule.createService();
			    // Move data from old to new.
			    nextService.data = service.data;
			    // Replace old with new.
			    service = nextService;
			  })
			}
		

Deployment

Run "build" command and check the output, the "./dist" directory. Would it work when deployed to you home directory at webik?

It is possible to use configuration (variables) in the vite.config.js.

Resources

Optional section about hot reloading.

Semestral / Team project

Be part of a registered team.

Questions, ideas, or any other feedback?

Please feel free to use the anonymous feedback form.