repo_id
stringlengths
22
103
file_path
stringlengths
41
147
content
stringlengths
181
193k
__index_level_0__
int64
0
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs
data/mdn-content/files/en-us/learn/server-side/express_nodejs/skeleton_website/index.md
--- title: "Express Tutorial Part 2: Creating a skeleton website" slug: Learn/Server-side/Express_Nodejs/skeleton_website page-type: learn-module-chapter --- {{LearnSidebar}} {{PreviousMenuNext("Learn/Server-side/Express_Nodejs/Tutorial_local_library_website", "Learn/Server-side/Express_Nodejs/mongoose", "Learn/Server-side/Express_Nodejs")}} This second article in our [Express Tutorial](/en-US/docs/Learn/Server-side/Express_Nodejs/Tutorial_local_library_website) shows how you can create a "skeleton" website project which you can then go on to populate with site-specific routes, templates/views, and database calls. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Server-side/Express_Nodejs/development_environment">Set up a Node development environment</a>. Review the Express Tutorial. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To be able to start your own new website projects using the <em>Express Application Generator</em>. </td> </tr> </tbody> </table> ## Overview This article shows how you can create a "skeleton" website using the [Express Application Generator](https://expressjs.com/en/starter/generator.html) tool, which you can then populate with site-specific routes, views/templates, and database calls. In this case, we'll use the tool to create the framework for our [Local Library website](/en-US/docs/Learn/Server-side/Express_Nodejs/Tutorial_local_library_website), to which we'll later add all the other code needed by the site. The process is extremely simple, requiring only that you invoke the generator on the command line with a new project name, optionally also specifying the site's template engine and CSS generator. The following sections show you how to call the application generator, and provides a little explanation about the different view/CSS options. We'll also explain how the skeleton website is structured. At the end, we'll show how you can run the website to verify that it works. > **Note:** > > - The _Express Application Generator_ is not the only generator for Express applications, and the generated project is not the only viable way to structure your files and directories. The generated site does however have a modular structure that is easy to extend and understand. For information about a _minimal_ Express application, see [Hello world example](https://expressjs.com/en/starter/hello-world.html) (Express docs). > - The _Express Application Generator_ declares most variables using `var`. > We have changed most of these to [`const`](/en-US/docs/Web/JavaScript/Reference/Statements/const) (and a few to [`let`](/en-US/docs/Web/JavaScript/Reference/Statements/let)) in the tutorial, because we want to demonstrate modern JavaScript practice. > - This tutorial uses the version of _Express_ and other dependencies that are defined in the **package.json** created by the _Express Application Generator_. > These are not (necessarily) the latest version, and you may want to update them when deploying a real application to production. ## Using the application generator You should already have installed the generator as part of [setting up a Node development environment](/en-US/docs/Learn/Server-side/Express_Nodejs/development_environment). As a quick reminder, you install the generator tool site-wide using the npm package manager, as shown: ```bash npm install express-generator -g ``` The generator has a number of options, which you can view on the command line using the `--help` (or `-h`) command: ```bash > express --help Usage: express [options] [dir] Options: --version output the version number -e, --ejs add ejs engine support --pug add pug engine support --hbs add handlebars engine support -H, --hogan add hogan.js engine support -v, --view <engine> add view <engine> support (dust|ejs|hbs|hjs|jade|pug|twig|vash) (defaults to jade) --no-view use static html instead of view engine -c, --css <engine> add stylesheet <engine> support (less|stylus|compass|sass) (defaults to plain CSS) --git add .gitignore -f, --force force on non-empty directory -h, --help output usage information ``` You can specify express to create a project inside the _current_ directory using the _Jade_ view engine and plain CSS (if you specify a directory name then the project will be created in a sub-folder with that name). ```bash express ``` You can also choose a view (template) engine using `--view` and/or a CSS generation engine using `--css`. > **Note:** The other options for choosing template engines (e.g. `--hogan`, `--ejs`, `--hbs` etc.) are deprecated. Use `--view` (or `-v`). ### What view engine should I use? The _Express Application Generator_ allows you to configure a number of popular view/templating engines, including [EJS](https://www.npmjs.com/package/ejs), [Hbs](https://github.com/pillarjs/hbs), [Pug](https://pugjs.org/api/getting-started.html) (Jade), [Twig](https://www.npmjs.com/package/twig), and [Vash](https://www.npmjs.com/package/vash), although it chooses Jade by default if you don't specify a view option. Express itself can also support a large number of other templating languages [out of the box](https://github.com/expressjs/express/wiki#template-engines). > **Note:** If you want to use a template engine that isn't supported by the generator then see [Using template engines with Express](https://expressjs.com/en/guide/using-template-engines.html) (Express docs) and the documentation for your target view engine. Generally speaking, you should select a templating engine that delivers all the functionality you need and allows you to be productive sooner β€” or in other words, in the same way that you choose any other component! Some of the things to consider when comparing template engines: - Time to productivity β€” If your team already has experience with a templating language then it is likely they will be productive faster using that language. If not, then you should consider the relative learning curve for candidate templating engines. - Popularity and activity β€” Review the popularity of the engine and whether it has an active community. It is important to be able to get support when problems arise throughout the lifetime of the website. - Style β€” Some template engines use specific markup to indicate inserted content within "ordinary" HTML, while others construct the HTML using a different syntax (for example, using indentation and block names). - Performance/rendering time. - Features β€” you should consider whether the engines you look at have the following features available: - Layout inheritance: Allows you to define a base template and then "inherit" just the parts of it that you want to be different for a particular page. This is typically a better approach than building templates by including a number of required components or building a template from scratch each time. - "Include" support: Allows you to build up templates by including other templates. - Concise variable and loop control syntax. - Ability to filter variable values at template level, such as making variables upper-case, or formatting a date value. - Ability to generate output formats other than HTML, such as JSON or XML. - Support for asynchronous operations and streaming. - Client-side features. If a templating engine can be used on the client this allows the possibility of having all or most of the rendering done client-side. > **Note:** There are many resources on the Internet to help you compare the different options! For this project, we'll use the [Pug](https://pugjs.org/api/getting-started.html) templating engine (this is the recently-renamed Jade engine), as this is one of the most popular Express/JavaScript templating languages and is supported out of the box by the generator. ### What CSS stylesheet engine should I use? The _Express Application Generator_ allows you to create a project that is configured to use the most common CSS stylesheet engines: [LESS](https://lesscss.org/), [SASS](https://sass-lang.com/), [Compass](http://compass-style.org/), [Stylus](https://stylus-lang.com/). > **Note:** CSS has some limitations that make certain tasks difficult. CSS stylesheet engines allow you to use more powerful syntax for defining your CSS and then compile the definition into plain-old CSS for browsers to use. As with templating engines, you should use the stylesheet engine that will allow your team to be most productive. For this project, we'll use vanilla CSS (the default) as our CSS requirements are not sufficiently complicated to justify using anything else. ### What database should I use? The generated code doesn't use/include any databases. _Express_ apps can use any [database mechanism](https://expressjs.com/en/guide/database-integration.html) supported by _Node_ (_Express_ itself doesn't define any specific additional behavior/requirements for database management). We'll discuss how to integrate with a database in a later article. ## Creating the project For the sample _Local Library_ app we're going to build, we'll create a project named _express-locallibrary-tutorial_ using the _Pug_ template library and no CSS engine. First, navigate to where you want to create the project and then run the _Express Application Generator_ in the command prompt as shown: ```bash express express-locallibrary-tutorial --view=pug ``` The generator will create (and list) the project's files. ```plain create : express-locallibrary-tutorial\ create : express-locallibrary-tutorial\public\ create : express-locallibrary-tutorial\public\javascripts\ create : express-locallibrary-tutorial\public\images\ create : express-locallibrary-tutorial\public\stylesheets\ create : express-locallibrary-tutorial\public\stylesheets\style.css create : express-locallibrary-tutorial\routes\ create : express-locallibrary-tutorial\routes\index.js create : express-locallibrary-tutorial\routes\users.js create : express-locallibrary-tutorial\views\ create : express-locallibrary-tutorial\views\error.pug create : express-locallibrary-tutorial\views\index.pug create : express-locallibrary-tutorial\views\layout.pug create : express-locallibrary-tutorial\app.js create : express-locallibrary-tutorial\package.json create : express-locallibrary-tutorial\bin\ create : express-locallibrary-tutorial\bin\www change directory: > cd express-locallibrary-tutorial install dependencies: > npm install run the app (Bash (Linux or macOS)) > DEBUG=express-locallibrary-tutorial:* npm start run the app (PowerShell (Windows)) > $ENV:DEBUG = "express-locallibrary-tutorial:*"; npm start run the app (Command Prompt (Windows)): > SET DEBUG=express-locallibrary-tutorial:* & npm start ``` At the end of the output, the generator provides instructions on how to install the dependencies (as listed in the **package.json** file) and how to run the application on different operating systems. > **Note:** The generator-created files define all variables as `var`. > Open all of the generated files and change the `var` declarations to `const` before you continue (the remainder of the tutorial assumes that you have done so). ## Running the skeleton website At this point, we have a complete skeleton project. The website doesn't actually _do_ very much yet, but it's worth running it to show that it works. 1. First, install the dependencies (the `install` command will fetch all the dependency packages listed in the project's **package.json** file). ```bash cd express-locallibrary-tutorial npm install ``` 2. Then run the application. - On the Windows CMD prompt, use this command: ```batch SET DEBUG=express-locallibrary-tutorial:* & npm start ``` - On Windows Powershell, use this command: ```powershell ENV:DEBUG = "express-locallibrary-tutorial:*"; npm start ``` > **Note:** Powershell commands are not covered in this tutorial (The provided "Windows" commands assume you're using the Windows CMD prompt.) - On macOS or Linux, use this command: ```bash DEBUG=express-locallibrary-tutorial:* npm start ``` 3. Then load `http://localhost:3000/` in your browser to access the app. You should see a browser page that looks like this: ![Browser for default Express app generator website](expressgeneratorskeletonwebsite.png) Congratulations! You now have a working Express application that can be accessed via port 3000. > **Note:** You could also start the app just using the `npm start` command. Specifying the DEBUG variable as shown enables console logging/debugging. For example, when you visit the above page you'll see debug output like this: > > ```bash > SET DEBUG=express-locallibrary-tutorial:* & npm start > ``` > > ```plain > > [email protected] start D:\github\mdn\test\exprgen\express-locallibrary-tutorial > > node ./bin/www > > express-locallibrary-tutorial:server Listening on port 3000 +0ms > GET / 304 490.296 ms - - > GET /stylesheets/style.css 200 4.886 ms - 111 > ``` ## Enable server restart on file changes Any changes you make to your Express website are currently not visible until you restart the server. It quickly becomes very irritating to have to stop and restart your server every time you make a change, so it is worth taking the time to automate restarting the server when needed. A convenient tool for this purpose is [nodemon](https://github.com/remy/nodemon). This is usually installed globally (as it is a "tool"), but here we'll install and use it locally as a _developer dependency_, so that any developers working with the project get it automatically when they install the application. Use the following command in the root directory for the skeleton project: ```bash npm install --save-dev nodemon ``` If you still choose to install [nodemon](https://github.com/remy/nodemon) globally to your machine, and not only to your project's **package.json** file: ```bash npm install -g nodemon ``` If you open your project's **package.json** file you'll now see a new section with this dependency: ```json "devDependencies": { "nodemon": "^2.0.4" } ``` Because the tool isn't installed globally we can't launch it from the command line (unless we add it to the path) but we can call it from an npm script because npm knows all about the installed packages. Find the `scripts` section of your package.json. Initially, it will contain one line, which begins with `"start"`. Update it by putting a comma at the end of that line, and adding the `"devstart"` and `"serverstart"` lines: - On Linux and macOS, the scripts section will look like this: ```json "scripts": { "start": "node ./bin/www", "devstart": "nodemon ./bin/www", "serverstart": "DEBUG=express-locallibrary-tutorial:* npm run devstart" }, ``` - On Windows, the "serverstart" value would instead look like this (if using the command prompt): ```bash "serverstart": "SET DEBUG=express-locallibrary-tutorial:* & npm run devstart" ``` We can now start the server in almost exactly the same way as previously, but using the `devstart` command. > **Note:** Now if you edit any file in the project the server will restart (or you can restart it by typing `rs` on the command prompt at any time). You will still need to reload the browser to refresh the page. > > We now have to call "`npm run <scriptname>`" rather than just `npm start`, because "start" is actually an npm command that is mapped to the named script. We could have replaced the command in the _start_ script but we only want to use _nodemon_ during development, so it makes sense to create a new script command. > > The `serverstart` command added to the scripts in the **package.json** above is a very good example. Using this approach means you no longer have to type a long command to start the server. Note that the particular command added to the script works for macOS or Linux only. ## The generated project Let's now take a look at the project we just created. ### Directory structure The generated project, now that you have installed dependencies, has the following file structure (files are the items **not** prefixed with "/"). The **package.json** file defines the application dependencies and other information. It also defines a startup script that will call the application entry point, the JavaScript file **/bin/www**. This sets up some of the application error handling and then loads **app.js** to do the rest of the work. The app routes are stored in separate modules under the **routes/** directory. The templates are stored under the /**views** directory. ```plain express-locallibrary-tutorial app.js /bin www package.json package-lock.json /node_modules [about 6700 subdirectories and files] /public /images /javascripts /stylesheets style.css /routes index.js users.js /views error.pug index.pug layout.pug ``` The following sections describe the files in a little more detail. ### package.json The **package.json** file defines the application dependencies and other information: ```json { "name": "express-locallibrary-tutorial", "version": "0.0.0", "private": true, "scripts": { "start": "node ./bin/www" }, "dependencies": { "cookie-parser": "~1.4.4", "debug": "~2.6.9", "express": "~4.16.1", "http-errors": "~1.6.3", "morgan": "~1.9.1", "pug": "2.0.0-beta11" }, "devDependencies": { "nodemon": "^2.0.4" } } ``` The dependencies include the _express_ package and the package for our selected view engine (_pug_). In addition, we have the following packages that are useful in many web applications: - [cookie-parser](https://www.npmjs.com/package/cookie-parser): Used to parse the cookie header and populate `req.cookies` (essentially provides a convenient method for accessing cookie information). - [debug](https://www.npmjs.com/package/debug): A tiny node debugging utility modeled after node core's debugging technique. - [morgan](https://www.npmjs.com/package/morgan): An HTTP request logger middleware for node. - [http-errors](https://www.npmjs.com/package/http-errors): Create HTTP errors where needed (for express error handling). The scripts section first defines a "_start_" script, which is what we are invoking when we call `npm start` to start the server (this script was added by the _Express Application Generator_). From the script definition, you can see that this actually starts the JavaScript file **./bin/www** with _node_. ```json "scripts": { "start": "node ./bin/www", "devstart": "nodemon ./bin/www", "serverstart": "DEBUG=express-locallibrary-tutorial:* npm run devstart" }, ``` The _devstart_ and _serverstart_ scripts can be used to start the same **./bin/www** file with _nodemon_ rather than _node_ (this example is for Linux and macOS, as discussed above in [Enable server restart on file changes](#enable_server_restart_on_file_changes)). ### www file The file **/bin/www** is the application entry point! The very first thing this does is `require()` the "real" application entry point (**app.js**, in the project root) that sets up and returns the [`express()`](https://expressjs.com/en/api.html) application object. ```js #!/usr/bin/env node /** * Module dependencies. */ const app = require("../app"); ``` > **Note:** `require()` is a global node function that is used to import modules into the current file. Here we specify **app.js** module using a relative path and omitting the optional (.**js**) file extension. The remainder of the code in this file sets up a node HTTP server with `app` set to a specific port (defined in an environment variable or 3000 if the variable isn't defined), and starts listening and reporting server errors and connections. For now you don't really need to know anything else about the code (everything in this file is "boilerplate"), but feel free to review it if you're interested. ### app.js This file creates an `express` application object (named `app`, by convention), sets up the application with various settings and middleware, and then exports the app from the module. The code below shows just the parts of the file that create and export the app object: ```js const express = require("express"); const app = express(); // … module.exports = app; ``` Back in the **www** entry point file above, it is this `module.exports` object that is supplied to the caller when this file is imported. Let's work through the **app.js** file in detail. First, we import some useful node libraries into the file using `require()`, including _http-errors_, _express_, _morgan_ and _cookie-parser_ that we previously downloaded for our application using npm; and _path_, which is a core Node library for parsing file and directory paths. ```js const createError = require("http-errors"); const express = require("express"); const path = require("path"); const cookieParser = require("cookie-parser"); const logger = require("morgan"); ``` Then we `require()` modules from our routes directory. These modules/files contain code for handling particular sets of related "routes" (URL paths). When we extend the skeleton application, for example to list all books in the library, we will add a new file for dealing with book-related routes. ```js const indexRouter = require("./routes/index"); const usersRouter = require("./routes/users"); ``` > **Note:** At this point, we have just _imported_ the module; we haven't actually used its routes yet (this happens just a little bit further down the file). Next, we create the `app` object using our imported _express_ module, and then use it to set up the view (template) engine. There are two parts to setting up the engine. First, we set the '`views`' value to specify the folder where the templates will be stored (in this case the subfolder **/views**). Then we set the '`view engine`' value to specify the template library (in this case "pug"). ```js const app = express(); // view engine setup app.set("views", path.join(__dirname, "views")); app.set("view engine", "pug"); ``` The next set of functions call `app.use()` to add the _middleware_ libraries that we imported above into the request handling chain. For example, `express.json()` and `express.urlencoded()` are needed to populate [`req.body`](https://expressjs.com/en/api.html#req.body) with the form fields. After these libraries we also use the `express.static` middleware, which makes _Express_ serve all the static files in the **/public** directory in the project root. ```js app.use(logger("dev")); app.use(express.json()); app.use(express.urlencoded({ extended: false })); app.use(cookieParser()); app.use(express.static(path.join(__dirname, "public"))); ``` Now that all the other middleware is set up, we add our (previously imported) route-handling code to the request handling chain. The imported code will define particular routes for the different _parts_ of the site: ```js app.use("/", indexRouter); app.use("/users", usersRouter); ``` > **Note:** The paths specified above (`'/'` and '`/users'`) are treated as a prefix to routes defined in the imported files. > So for example, if the imported **users** module defines a route for `/profile`, you would access that route at `/users/profile`. We'll talk more about routes in a later article. The last middleware in the file adds handler methods for errors and HTTP 404 responses. ```js // catch 404 and forward to error handler app.use((req, res, next) => { next(createError(404)); }); // error handler app.use((err, req, res, next) => { // set locals, only providing error in development res.locals.message = err.message; res.locals.error = req.app.get("env") === "development" ? err : {}; // render the error page res.status(err.status || 500); res.render("error"); }); ``` The Express application object (app) is now fully configured. The last step is to add it to the module exports (this is what allows it to be imported by **/bin/www**). ```js module.exports = app; ``` ### Routes The route file **/routes/users.js** is shown below (route files share a similar structure, so we don't need to also show **index.js**). First, it loads the _express_ module and uses it to get an `express.Router` object. Then it specifies a route on that object and lastly exports the router from the module (this is what allows the file to be imported into **app.js**). ```js const express = require("express"); const router = express.Router(); /* GET users listing. */ router.get("/", (req, res, next) => { res.send("respond with a resource"); }); module.exports = router; ``` The route defines a callback that will be invoked whenever an HTTP `GET` request with the correct pattern is detected. The matching pattern is the route specified when the module is imported ('`/users`') plus whatever is defined in this file ('`/`'). In other words, this route will be used when a URL of `/users/` is received. > **Note:** Try this out by running the server with node and visiting the URL in your browser: `http://localhost:3000/users/`. You should see a message: 'respond with a resource'. One thing of interest above is that the callback function has the third argument '`next`', and is hence a middleware function rather than a simple route callback. While the code doesn't currently use the `next` argument, it may be useful in the future if you want to add multiple route handlers to the `'/'` route path. ### Views (templates) The views (templates) are stored in the **/views** directory (as specified in **app.js**) and are given the file extension **.pug**. The method [`Response.render()`](https://expressjs.com/en/4x/api.html#res.render) is used to render a specified template along with the values of named variables passed in an object, and then send the result as a response. In the code below from **/routes/index.js** you can see how that route renders a response using the template "index" passing the template variable "title". ```js /* GET home page. */ router.get("/", (req, res, next) => { res.render("index", { title: "Express" }); }); ``` The corresponding template for the above route is given below (**index.pug**). We'll talk more about the syntax later. All you need to know for now is that the `title` variable (with value `'Express'`) is inserted where specified in the template. ```pug extends layout block content h1= title p Welcome to #{title} ``` ## Challenge yourself Create a new route in **/routes/users.js** that will display the text "_You're so cool"_ at URL `/users/cool/`. Test it by running the server and visiting `http://localhost:3000/users/cool/` in your browser ## Summary You have now created a skeleton website project for the [Local Library](/en-US/docs/Learn/Server-side/Express_Nodejs/Tutorial_local_library_website) and verified that it runs using _node_. Most importantly, you also understand how the project is structured, so you have a good idea where we need to make changes to add routes and views for our local library. Next, we'll start modifying the skeleton so that it works as a library website. ## See also - [Express application generator](https://expressjs.com/en/starter/generator.html) (Express docs) - [Using template engines with Express](https://expressjs.com/en/guide/using-template-engines.html) (Express docs) {{PreviousMenuNext("Learn/Server-side/Express_Nodejs/Tutorial_local_library_website", "Learn/Server-side/Express_Nodejs/mongoose", "Learn/Server-side/Express_Nodejs")}}
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs
data/mdn-content/files/en-us/learn/server-side/express_nodejs/tutorial_local_library_website/index.md
--- title: "Express Tutorial: The Local Library website" slug: Learn/Server-side/Express_Nodejs/Tutorial_local_library_website page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/Server-side/Express_Nodejs/development_environment", "Learn/Server-side/Express_Nodejs/skeleton_website", "Learn/Server-side/Express_Nodejs")}} The first article in our practical tutorial series explains what you'll learn, and provides an overview of the "local library" example website we'll be working through and evolving in subsequent articles. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Read the <a href="/en-US/docs/Learn/Server-side/Express_Nodejs/Introduction">Express Introduction</a>. For the following articles you'll also need to have <a href="/en-US/docs/Learn/Server-side/Express_Nodejs/development_environment">set up a Node development environment</a>. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To introduce the example application used in this tutorial, and allow readers to understand what topics will be covered. </td> </tr> </tbody> </table> ## Overview Welcome to the MDN "Local Library" Express (Node) tutorial, in which we develop a website that might be used to manage the catalog for a local library. In this series of tutorial articles you will: - Use the _Express Application Generator_ tool to create a skeleton website and application. - Start and stop the Node web server. - Use a database to store your application's data. - Create routes for requesting different information, and templates ("views") to render the data as HTML to be displayed in the browser. - Work with forms. - Deploy your application to production. You have learnt about some of these topics already, and touched briefly on others. By the end of the tutorial series you should know enough to develop simple Express apps by yourself. ## The LocalLibrary website _LocalLibrary_ is the name of the website that we'll create and evolve over the course of this series of tutorials. As you'd expect, the purpose of the website is to provide an online catalog for a small local library, where users can browse available books and manage their accounts. This example has been carefully chosen because it can scale to show as much or little detail as we need, and can be used to show off almost any Express feature. More importantly, it allows us to provide a _guided_ path through the functionality you'll need in any website: - In the first few tutorial articles we will define a simple _browse-only_ library that library members can use to find out what books are available. This allows us to explore the operations that are common to almost every website: reading and displaying content from a database. - As we progress, the library example naturally extends to demonstrate more advanced website features. For example we can extend the library to allow new books to be created, and use this to demonstrate how to use forms and support user authentication. Even though this is a very extensible example, it's called _**Local**Library_ for a reason β€” we're hoping to show the minimum information that will help you get up and running with Express quickly. As a result we'll store information about books, copies of books, authors and other key information. We won't however be storing information about other items a library might lend, or provide the infrastructure needed to support multiple library sites or other "big library" features. ## I'm stuck, where can I get the source? As you work through the tutorial we'll provide the appropriate code snippets for you to copy and paste at each point, and there will be other code that we hope you'll extend yourself (with some guidance). Instead of copying and pasting all the code snippets, try typing them out, It'll benefit you in the long run as you'll be more familiar with the code next time you come to write something similar. If you get stuck, you can find the fully developed version of the website [on GitHub here](https://github.com/mdn/express-locallibrary-tutorial). > **Note:** The specific versions of node, Express, and the other modules that this documentation was tested against are listed in the project [package.json](https://github.com/mdn/express-locallibrary-tutorial/blob/main/package.json). ## Summary Now that you know a bit more about the _LocalLibrary_ website and what you're going to learn, it's time to start creating a [skeleton project](/en-US/docs/Learn/Server-side/Express_Nodejs/skeleton_website) to contain our example. {{PreviousMenuNext("Learn/Server-side/Express_Nodejs/development_environment", "Learn/Server-side/Express_Nodejs/skeleton_website", "Learn/Server-side/Express_Nodejs")}}
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms/index.md
--- title: "Express Tutorial Part 6: Working with forms" slug: Learn/Server-side/Express_Nodejs/forms page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/Server-side/Express_Nodejs/Displaying_data", "Learn/Server-side/Express_Nodejs/deployment", "Learn/Server-side/Express_Nodejs")}} In this tutorial we'll show you how to work with HTML Forms in Express using Pug. In particular, we'll discuss how to write forms to create, update, and delete documents from the site's database. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Complete all previous tutorial topics, including <a href="/en-US/docs/Learn/Server-side/Express_Nodejs/Displaying_data">Express Tutorial Part 5: Displaying library data</a> </td> </tr> <tr> <th scope="row">Objective:</th> <td> To understand how to write forms to get data from users, and update the database with this data. </td> </tr> </tbody> </table> ## Overview An [HTML Form](/en-US/docs/Learn/Forms) is a group of one or more fields/widgets on a web page that can be used to collect information from users for submission to a server. Forms are a flexible mechanism for collecting user input because there are suitable form inputs available for entering many different types of dataβ€”text boxes, checkboxes, radio buttons, date pickers, etc. Forms are also a relatively secure way of sharing data with the server, as they allow us to send data in `POST` requests with cross-site request forgery protection. Working with forms can be complicated! Developers need to write HTML for the form, validate and properly sanitize entered data on the server (and possibly also in the browser), repost the form with error messages to inform users of any invalid fields, handle the data when it has successfully been submitted, and finally respond to the user in some way to indicate success. In this tutorial, we're going to show you how the above operations may be performed in _Express_. Along the way, we'll extend the _LocalLibrary_ website to allow users to create, edit and delete items from the library. > **Note:** We haven't looked at how to restrict particular routes to authenticated or authorized users, so at this point, any user will be able to make changes to the database. ### HTML Forms First a brief overview of [HTML Forms](/en-US/docs/Learn/Forms). Consider a simple HTML form, with a single text field for entering the name of some "team", and its associated label: ![Simple name field example in HTML form](form_example_name_field.png) The form is defined in HTML as a collection of elements inside `<form>…</form>` tags, containing at least one `input` element of `type="submit"`. ```html <form action="/team_name_url/" method="post"> <label for="team_name">Enter name: </label> <input id="team_name" type="text" name="name_field" value="Default name for team." /> <input type="submit" value="OK" /> </form> ``` While here we have included just one (text) field for entering the team name, a form _may_ contain any number of other input elements and their associated labels. The field's `type` attribute defines what sort of widget will be displayed. The `name` and `id` of the field are used to identify the field in JavaScript/CSS/HTML, while `value` defines the initial value for the field when it is first displayed. The matching team label is specified using the `label` tag (see "Enter name" above), with a `for` field containing the `id` value of the associated `input`. The `submit` input will be displayed as a button (by default)β€”this can be pressed by the user to upload the data contained by the other input elements to the server (in this case, just the `team_name`). The form attributes define the HTTP `method` used to send the data and the destination of the data on the server (`action`): - `action`: The resource/URL where data is to be sent for processing when the form is submitted. If this is not set (or set to an empty string), then the form will be submitted back to the current page URL. - `method`: The HTTP method used to send the data: `POST` or `GET`. - The `POST` method should always be used if the data is going to result in a change to the server's database, because this can be made more resistant to cross-site forgery request attacks. - The `GET` method should only be used for forms that don't change user data (e.g. a search form). It is recommended for when you want to be able to bookmark or share the URL. ### Form handling process Form handling uses all of the same techniques that we learned for displaying information about our models: the route sends our request to a controller function which performs any database actions required, including reading data from the models, then generates and returns an HTML page. What makes things more complicated is that the server also needs to be able to process the data provided by the user, and redisplay the form with error information if there are any problems. A process flowchart for processing form requests is shown below, starting with a request for a page containing a form (shown in green): ![Web server form request processing flowchart. Browser requests for the page containing the form by sending an HTTP GET request. The server creates an empty default form and returns it to the user. The user populates or updates the form, submitting it via HTTP POST with form data. The server validates the received form data. If the user-provided data is invalid, the server recreates the form with the user-entered data and error messages and sends it back to the user for the user to update and resubmits via HTTP Post, and it validates again. If the data is valid, the server performs actions on the valid data and redirects the user to the success URL.](web_server_form_handling.png) As shown in the diagram above, the main things that form handling code needs to do are: 1. Display the default form the first time it is requested by the user. - The form may contain blank fields (e.g. if you're creating a new record), or it may be pre-populated with initial values (e.g. if you are changing a record, or have useful default initial values). 2. Receive data submitted by the user, usually in an HTTP `POST` request. 3. Validate and sanitize the data. 4. If any data is invalid, re-display the formβ€”this time with any user populated values and error messages for the problem fields. 5. If all data is valid, perform required actions (e.g. save the data in the database, send a notification email, return the result of a search, upload a file, etc.) 6. Once all actions are complete, redirect the user to another page. Often form handling code is implemented using a `GET` route for the initial display of the form and a `POST` route to the same path for handling validation and processing of form data. This is the approach that will be used in this tutorial. Express itself doesn't provide any specific support for form handling operations, but it can use middleware to process `POST` and `GET` parameters from the form, and to validate/sanitize their values. ### Validation and sanitization Before the data from a form is stored it must be validated and sanitized: - Validation checks that entered values are appropriate for each field (are in the right range, format, etc.) and that values have been supplied for all required fields. - Sanitization removes/replaces characters in the data that might potentially be used to send malicious content to the server. For this tutorial, we'll be using the popular [express-validator](https://www.npmjs.com/package/express-validator) module to perform both validation and sanitization of our form data. #### Installation Install the module by running the following command in the root of the project. ```bash npm install express-validator ``` #### Using express-validator > **Note:** The [express-validator](https://express-validator.github.io/docs/#basic-guide) guide on GitHub provides a good overview of the API. We recommend you read that to get an idea of all its capabilities (including using [schema validation](https://express-validator.github.io/docs/guides/schema-validation) and [creating custom validators](https://express-validator.github.io/docs/guides/customizing#custom-validators-and-sanitizers)). Below we cover just a subset that is useful for the _LocalLibrary_. To use the validator in our controllers, we specify the particular functions we want to import from the [express-validator](https://www.npmjs.com/package/express-validator) module, as shown below: ```js const { body, validationResult } = require("express-validator"); ``` There are many functions available, allowing you to check and sanitize data from request parameters, body, headers, cookies, etc., or all of them at once. For this tutorial, we'll primarily be using `body` and `validationResult` (as "required" above). The functions are defined as below: - [`body([fields, message])`](https://express-validator.github.io/docs/api/check#body): Specifies a set of fields in the request body (a `POST` parameter) to validate and/or sanitize along with an optional error message that can be displayed if it fails the tests. The validation and sanitize criteria are daisy-chained to the `body()` method. For example, the line below first defines that we're checking the "name" field and that a validation error will set an error message "Empty name". We then call the sanitization method `trim()` to remove whitespace from the start and end of the string, and then `isLength()` to check the resulting string isn't empty. Finally, we call `escape()` to remove HTML characters from the variable that might be used in JavaScript cross-site scripting attacks. ```js [ // … body("name", "Empty name").trim().isLength({ min: 1 }).escape(), // … ]; ``` This test checks that the age field is a valid date and uses `optional()` to specify that null and empty strings will not fail validation. ```js [ // … body("age", "Invalid age") .optional({ values: "falsy" }) .isISO8601() .toDate(), // … ]; ``` You can also daisy chain different validators, and add messages that are displayed if the preceding validators are false. ```js [ // … body("name") .trim() .isLength({ min: 1 }) .withMessage("Name empty.") .isAlpha() .withMessage("Name must be alphabet letters."), // … ]; ``` - [`validationResult(req)`](https://express-validator.github.io/docs/api/validation-result/#validationresult): Runs the validation, making errors available in the form of a `validation` result object. This is invoked in a separate callback, as shown below: ```js asyncHandler(async (req, res, next) => { // Extract the validation errors from a request. const errors = validationResult(req); if (!errors.isEmpty()) { // There are errors. Render form again with sanitized values/errors messages. // Error messages can be returned in an array using `errors.array()`. } else { // Data from form is valid. } }); ``` We use the validation result's `isEmpty()` method to check if there were errors, and its `array()` method to get the set of error messages. See the [Handling validation section](https://express-validator.github.io/docs/guides/getting-started#handling-validation-errors) for more information. The validation and sanitization chains are middleware that should be passed to the Express route handler (we do this indirectly, via the controller). When the middleware runs, each validator/sanitizer is run in the order specified. We'll cover some real examples when we implement the _LocalLibrary_ forms below. ### Form design Many of the models in the library are related/dependentβ€”for example, a `Book` _requires_ an `Author`, and _may_ also have one or more `Genres`. This raises the question of how we should handle the case where a user wishes to: - Create an object when its related objects do not yet exist (for example, a book where the author object hasn't been defined). - Delete an object that is still being used by another object (so for example, deleting a `Genre` that is still being used by a `Book`). For this project we will simplify the implementation by stating that a form can only: - Create an object using objects that already exist (so users will have to create any required `Author` and `Genre` instances before attempting to create any `Book` objects). - Delete an object if it is not referenced by other objects (so for example, you won't be able to delete a `Book` until all associated `BookInstance` objects have been deleted). > **Note:** A more flexible implementation might allow you to create the dependent objects when creating a new object, and delete any object at any time (for example, by deleting dependent objects, or by removing references to the deleted object from the database). ### Routes In order to implement our form handling code, we will need two routes that have the same URL pattern. The first (`GET`) route is used to display a new empty form for creating the object. The second route (`POST`) is used for validating data entered by the user, and then saving the information and redirecting to the detail page (if the data is valid) or redisplaying the form with errors (if the data is invalid). We have already created the routes for all our model's create pages in **/routes/catalog.js** (in a [previous tutorial](/en-US/docs/Learn/Server-side/Express_Nodejs/routes)). For example, the genre routes are shown below: ```js // GET request for creating a Genre. NOTE This must come before route that displays Genre (uses id). router.get("/genre/create", genre_controller.genre_create_get); // POST request for creating Genre. router.post("/genre/create", genre_controller.genre_create_post); ``` ## Express forms subarticles The following sub articles will take us through the process of adding the required forms to our example application. You need to read and work through each one in turn, before moving on to the next one. 1. [Create Genre form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_genre_form) β€” Defining a page to create `Genre` objects. 2. [Create Author form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_author_form) β€” Defining a page to create `Author` objects. 3. [Create Book form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_book_form) β€” Defining a page/form to create `Book` objects. 4. [Create BookInstance form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_BookInstance_form) β€” Defining a page/form to create `BookInstance` objects. 5. [Delete Author form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Delete_author_form) β€” Defining a page to delete `Author` objects. 6. [Update Book form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Update_Book_form) β€” Defining page to update `Book` objects. ## Challenge yourself Implement the delete pages for the `Book`, `BookInstance`, and `Genre` models, linking them from the associated detail pages in the same way as our _Author delete_ page. The pages should follow the same design approach: - If there are references to the object from other objects, then these other objects should be displayed along with a note that this record can't be deleted until the listed objects have been deleted. - If there are no other references to the object then the view should prompt to delete it. If the user presses the **Delete** button, the record should then be deleted. A few tips: - Deleting a `Genre` is just like deleting an `Author`, as both objects are dependencies of `Book` (so in both cases you can delete the object only when the associated books are deleted). - Deleting a `Book` is also similar as you need to first check that there are no associated `BookInstances`. - Deleting a `BookInstance` is the easiest of all because there are no dependent objects. In this case, you can just find the associated record and delete it. Implement the update pages for the `BookInstance`, `Author`, and `Genre` models, linking them from the associated detail pages in the same way as our _Book update_ page. A few tips: - The _Book update page_ we just implemented is the hardest! The same patterns can be used for the update pages for the other objects. - The `Author` date of death and date of birth fields and the `BookInstance` due_date field are the wrong format to input into the date input field on the form (it requires data in form "YYYY-MM-DD"). The easiest way to get around this is to define a new virtual property for the dates that formats the dates appropriately, and then use this field in the associated view templates. - If you get stuck, there are examples of the update pages in [the example here](https://github.com/mdn/express-locallibrary-tutorial). ## Summary _Express_, node, and third-party packages on npm provide everything you need to add forms to your website. In this article, you've learned how to create forms using _Pug_, validate and sanitize input using _express-validator_, and add, delete, and modify records in the database. You should now understand how to add basic forms and form-handling code to your own node websites! ## See also - [express-validator](https://www.npmjs.com/package/express-validator) (npm docs). {{PreviousMenuNext("Learn/Server-side/Express_Nodejs/Displaying_data", "Learn/Server-side/Express_Nodejs/deployment", "Learn/Server-side/Express_Nodejs")}}
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms/create_book_form/index.md
--- title: Create Book form slug: Learn/Server-side/Express_Nodejs/forms/Create_book_form page-type: learn-module-chapter --- This subarticle shows how to define a page/form to create `Book` objects. This is a little more complicated than the equivalent `Author` or `Genre` pages because we need to get and display available `Author` and `Genre` records in our `Book` form. ## Import validation and sanitization methods Open **/controllers/bookController.js**, and add the following line at the top of the file (before the route functions): ```js const { body, validationResult } = require("express-validator"); ``` ## Controllerβ€”get route Find the exported `book_create_get()` controller method and replace it with the following code: ```js // Display book create form on GET. exports.book_create_get = asyncHandler(async (req, res, next) => { // Get all authors and genres, which we can use for adding to our book. const [allAuthors, allGenres] = await Promise.all([ Author.find().sort({ family_name: 1 }).exec(), Genre.find().sort({ name: 1 }).exec(), ]); res.render("book_form", { title: "Create Book", authors: allAuthors, genres: allGenres, }); }); ``` This uses `await` on the result of `Promise.all()` to get all `Author` and `Genre` objects in parallel (the same approach used in [Express Tutorial Part 5: Displaying library data](/en-US/docs/Learn/Server-side/Express_Nodejs/Displaying_data)). These are then passed to the view **`book_form.pug`** as variables named `authors` and `genres` (along with the page `title`). ## Controllerβ€”post route Find the exported `book_create_post()` controller method and replace it with the following code. ```js // Handle book create on POST. exports.book_create_post = [ // Convert the genre to an array. (req, res, next) => { if (!Array.isArray(req.body.genre)) { req.body.genre = typeof req.body.genre === "undefined" ? [] : [req.body.genre]; } next(); }, // Validate and sanitize fields. body("title", "Title must not be empty.") .trim() .isLength({ min: 1 }) .escape(), body("author", "Author must not be empty.") .trim() .isLength({ min: 1 }) .escape(), body("summary", "Summary must not be empty.") .trim() .isLength({ min: 1 }) .escape(), body("isbn", "ISBN must not be empty").trim().isLength({ min: 1 }).escape(), body("genre.*").escape(), // Process request after validation and sanitization. asyncHandler(async (req, res, next) => { // Extract the validation errors from a request. const errors = validationResult(req); // Create a Book object with escaped and trimmed data. const book = new Book({ title: req.body.title, author: req.body.author, summary: req.body.summary, isbn: req.body.isbn, genre: req.body.genre, }); if (!errors.isEmpty()) { // There are errors. Render form again with sanitized values/error messages. // Get all authors and genres for form. const [allAuthors, allGenres] = await Promise.all([ Author.find().sort({ family_name: 1 }).exec(), Genre.find().sort({ name: 1 }).exec(), ]); // Mark our selected genres as checked. for (const genre of allGenres) { if (book.genre.includes(genre._id)) { genre.checked = "true"; } } res.render("book_form", { title: "Create Book", authors: allAuthors, genres: allGenres, book: book, errors: errors.array(), }); } else { // Data from form is valid. Save book. await book.save(); res.redirect(book.url); } }), ]; ``` The structure and behavior of this code is almost exactly the same as the post route functions for the [`Genre`](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_genre_form) and [`Author`](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_author_form) forms. First we validate and sanitize the data. If the data is invalid then we re-display the form along with the data that was originally entered by the user and a list of error messages. If the data is valid, we then save the new `Book` record and redirect the user to the book detail page. The main difference with respect to the other form handling code is how we sanitize the genre information. The form returns an array of `Genre` items (while for other fields it returns a string). In order to validate the information we first convert the request to an array (required for the next step). ```js [ // Convert the genre to an array. (req, res, next) => { if (!Array.isArray(req.body.genre)) { req.body.genre = typeof req.body.genre === "undefined" ? [] : [req.body.genre]; } next(); }, // … ]; ``` We then use a wildcard (`*`) in the sanitizer to individually validate each of the genre array entries. The code below shows how - this translates to "sanitize every item below key `genre`". ```js [ // … body("genre.*").escape(), // … ]; ``` The final difference with respect to the other form handling code is that we need to pass in all existing genres and authors to the form. In order to mark the genres that were checked by the user we iterate through all the genres and add the `checked="true"` parameter to those that were in our post data (as reproduced in the code fragment below). ```js // Mark our selected genres as checked. for (const genre of allGenres) { if (book.genre.includes(genre._id)) { genre.checked = "true"; } } ``` ## View Create **/views/book_form.pug** and copy in the text below. ```pug extends layout block content h1= title form(method='POST') div.form-group label(for='title') Title: input#title.form-control(type='text', placeholder='Name of book' name='title' required value=(undefined===book ? '' : book.title) ) div.form-group label(for='author') Author: select#author.form-control(name='author' required) option(value='') --Please select an author-- for author in authors if book if author._id.toString()===book.author._id.toString() option(value=author._id selected) #{author.name} else option(value=author._id) #{author.name} else option(value=author._id) #{author.name} div.form-group label(for='summary') Summary: textarea#summary.form-control(placeholder='Summary' name='summary' required)= undefined===book ? '' : book.summary div.form-group label(for='isbn') ISBN: input#isbn.form-control(type='text', placeholder='ISBN13' name='isbn' value=(undefined===book ? '' : book.isbn) required) div.form-group label Genre: div for genre in genres div(style='display: inline; padding-right:10px;') if genre.checked input.checkbox-input(type='checkbox', name='genre', id=genre._id, value=genre._id, checked) else input.checkbox-input(type='checkbox', name='genre', id=genre._id, value=genre._id) label(for=genre._id) &nbsp;#{genre.name} button.btn.btn-primary(type='submit') Submit if errors ul for error in errors li!= error.msg ``` The view structure and behavior is almost the same as for the **genre_form.pug** template. The main differences are in how we implement the selection-type fields: `Author` and `Genre`. - The set of genres are displayed as checkboxes, and use the `checked` value we set in the controller to determine whether or not the box should be selected. - The set of authors are displayed as a single-selection alphabetically ordered drop-down list (the list passed to the template is already sorted, so we don't need to do that in the template). If the user has previously selected a book author (i.e. when fixing invalid field values after initial form submission, or when updating book details) the author will be re-selected when the form is displayed. Here we determine what author to select by comparing the id of the current author option with the value previously entered by the user (passed in via the `book` variable). > **Note:** If there is an error in the submitted form, then, when the form is to be re-rendered, the new book author's id and the existing books's authors ids are of type `Schema.Types.ObjectId`. So to compare them we must convert them to strings first. ## What does it look like? Run the application, open your browser to `http://localhost:3000/`, then select the _Create new book_ link. If everything is set up correctly, your site should look something like the following screenshot. After you submit a valid book, it should be saved and you'll be taken to the book detail page. ![Screenshot of empty Local library Create Book form on localhost:3000. The page is divided into two columns. The narrow left column has a vertical navigation bar with 10 links separated into two sections by a light-colored horizontal line. The top section link to already created data. The bottom links go to create new data forms. The wide right column has the create book form with a 'Create Book' heading and four input fields labeled 'Title', 'Author', 'Summary', 'ISBN' and 'Genre' followed by four genre checkboxes: fantasy, science fiction, french poetry and action. There is a 'Submit' button at the bottom of the form.](locallibary_express_book_create_empty.png) ## Next steps Return to [Express Tutorial Part 6: Working with forms](/en-US/docs/Learn/Server-side/Express_Nodejs/forms). Proceed to the next subarticle of part 6: [Create BookInstance form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_BookInstance_form).
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms/create_genre_form/index.md
--- title: Create genre form slug: Learn/Server-side/Express_Nodejs/forms/Create_genre_form page-type: learn-module-chapter --- This sub article shows how we define our page to create `Genre` objects (this is a good place to start because the `Genre` has only one field, its `name`, and no dependencies). Like any other pages, we need to set up routes, controllers, and views. ## Import validation and sanitization methods To use the _express-validator_ in our controllers we have to _require_ the functions we want to use from the `'express-validator'` module. Open **/controllers/genreController.js**, and add the following line at the top of the file, before any route handler functions: ```js const { body, validationResult } = require("express-validator"); ``` > **Note:** This syntax allows us to use `body` and `validationResult` as the associated middleware functions, as you will see in the post route section below. It is equivalent to: > > ```js > const validator = require("express-validator"); > const body = validator.body; > const validationResult = validator.validationResult; > ``` ## Controllerβ€”get route Find the exported `genre_create_get()` controller method and replace it with the following code. This renders the **genre_form.pug** view, passing a title variable. ```js // Display Genre create form on GET. exports.genre_create_get = (req, res, next) => { res.render("genre_form", { title: "Create Genre" }); }; ``` Note that this replaces the placeholder asynchronous handler that we added in the [Express Tutorial Part 4: Routes and controllers](/en-US/docs/Learn/Server-side/Express_Nodejs/routes#genre_controller) with a "normal" express route handler function. We don't need the `asyncHandler()` wrapper for this route, because it doesn't contain any code that can throw an exception. ## Controllerβ€”post route Find the exported `genre_create_post()` controller method and replace it with the following code. ```js // Handle Genre create on POST. exports.genre_create_post = [ // Validate and sanitize the name field. body("name", "Genre name must contain at least 3 characters") .trim() .isLength({ min: 3 }) .escape(), // Process request after validation and sanitization. asyncHandler(async (req, res, next) => { // Extract the validation errors from a request. const errors = validationResult(req); // Create a genre object with escaped and trimmed data. const genre = new Genre({ name: req.body.name }); if (!errors.isEmpty()) { // There are errors. Render the form again with sanitized values/error messages. res.render("genre_form", { title: "Create Genre", genre: genre, errors: errors.array(), }); return; } else { // Data from form is valid. // Check if Genre with same name already exists. const genreExists = await Genre.findOne({ name: req.body.name }).exec(); if (genreExists) { // Genre exists, redirect to its detail page. res.redirect(genreExists.url); } else { await genre.save(); // New genre saved. Redirect to genre detail page. res.redirect(genre.url); } } }), ]; ``` The first thing to note is that instead of being a single middleware function (with arguments `(req, res, next)`) the controller specifies an _array_ of middleware functions. The array is passed to the router function and each method is called in order. > **Note:** This approach is needed, because the validators are middleware functions. The first method in the array defines a body validator (`body()`) that validates and sanitizes the field. This uses `trim()` to remove any trailing/leading whitespace, checks that the _name_ field is not empty, and then uses `escape()` to remove any dangerous HTML characters). ```js [ // Validate that the name field is not empty. body("name", "Genre name must contain at least 3 characters") .trim() .isLength({ min: 3 }) .escape(), // … ]; ``` After specifying the validators we create a middleware function to extract any validation errors. We use `isEmpty()` to check whether there are any errors in the validation result. If there are then we render the form again, passing in our sanitized genre object and the array of error messages (`errors.array()`). ```js // Process request after validation and sanitization. asyncHandler(async (req, res, next) => { // Extract the validation errors from a request. const errors = validationResult(req); // Create a genre object with escaped and trimmed data. const genre = new Genre({ name: req.body.name }); if (!errors.isEmpty()) { // There are errors. Render the form again with sanitized values/error messages. res.render("genre_form", { title: "Create Genre", genre: genre, errors: errors.array(), }); return; } else { // Data from form is valid. // … } }); ``` If the genre name data is valid then we perform a case-insensitive search to see if a `Genre` with the same name already exists (as we don't want to create duplicate or near duplicate records that vary only in letter case, such as: "Fantasy", "fantasy", "FaNtAsY", and so on). To ignore letter case and accents when searching we chain the [`collation()`](<https://mongoosejs.com/docs/api/query.html#Query.prototype.collation()>) method, specifying the locale of 'en' and strength of 2 (for more information see the MongoDB [Collation](https://www.mongodb.com/docs/manual/reference/collation/) topic). If a `Genre` with a matching name already exists we redirect to its detail page. If not, we save the new `Genre` and redirect to its detail page. Note that here we `await` on the result of the database query, following the same pattern as in other route handlers. ```js // Check if Genre with same name already exists. const genreExists = await Genre.findOne({ name: req.body.name }) .collation({ locale: "en", strength: 2 }) .exec(); if (genreExists) { // Genre exists, redirect to its detail page. res.redirect(genreExists.url); } else { await genre.save(); // New genre saved. Redirect to genre detail page. res.redirect(genre.url); } ``` This same pattern is used in all our post controllers: we run validators (with sanitizers), then check for errors and either re-render the form with error information or save the data. ## View The same view is rendered in both the `GET` and `POST` controllers/routes when we create a new `Genre` (and later on it is also used when we _update_ a `Genre`). In the `GET` case the form is empty, and we just pass a title variable. In the `POST` case the user has previously entered invalid dataβ€”in the `genre` variable we pass back a sanitized version of the entered data and in the `errors` variable we pass back an array of error messages. The code below shows the controller code for rendering the template in both cases. ```js // Render the GET route res.render("genre_form", { title: "Create Genre" }); // Render the POST route res.render("genre_form", { title: "Create Genre", genre, errors: errors.array(), }); ``` Create **/views/genre_form.pug** and copy in the text below. ```pug extends layout block content h1 #{title} form(method='POST') div.form-group label(for='name') Genre: input#name.form-control(type='text', placeholder='Fantasy, Poetry etc.' name='name' required value=(undefined===genre ? '' : genre.name) ) button.btn.btn-primary(type='submit') Submit if errors ul for error in errors li!= error.msg ``` Much of this template will be familiar from our previous tutorials. First, we extend the **layout.pug** base template and override the `block` named '**content**'. We then have a heading with the `title` we passed in from the controller (via the `render()` method). Next, we have the pug code for our HTML form that uses `method="POST"` to send the data to the server, and because the `action` is an empty string, will send the data to the same URL as the page. The form defines a single required field of type "text" called "name". The default _value_ of the field depends on whether the `genre` variable is defined. If called from the `GET` route it will be empty as this is a new form. If called from a `POST` route it will contain the (invalid) value originally entered by the user. The last part of the page is the error code. This prints a list of errors, if the error variable has been defined (in other words, this section will not appear when the template is rendered on the `GET` route). > **Note:** This is just one way to render the errors. You can also get the names of the affected fields from the error variable, and use these to control where the error messages are rendered, whether to apply custom CSS, etc. ## What does it look like? Run the application, open your browser to `http://localhost:3000/`, then select the _Create new genre_ link. If everything is set up correctly, your site should look something like the following screenshot. After you enter a value, it should be saved and you'll be taken to the genre detail page. ![Genre Create Page - Express Local Library site](locallibary_express_genre_create_empty.png) The only error we validate against server-side is that the genre field must have at least three characters. The screenshot below shows what the error list would look like if you supply a genre with only one or two characters (highlighted in yellow). ![The Create Genre section of the Local library application. The left column has a vertical navigation bar. The right section is the create a new Genre from with a heading that reads 'Create Genre'. There is one input field labeled 'Genre'. There is a submit button at the bottom. There is an error message that reads 'Genre name required' directly below the Submit button. The error message was highlighted by the author of this article. There is no visual indication in the form that the genre is required nor that the error message only appears on error.](locallibary_express_genre_create_error.png) > **Note:** Our validation uses `trim()` to ensure that whitespace is not accepted as a genre name. We also validate that the field is not empty on the client side by adding the [boolean attribute](/en-US/docs/Glossary/Boolean/HTML) `required` to the field definition in the form: > > ```pug > input#name.form-control(type='text', placeholder='Fantasy, Poetry etc.' name='name' required value=(undefined===genre ? '' : genre.name) ) > ``` ## Next steps 1. Return to [Express Tutorial Part 6: Working with forms.](/en-US/docs/Learn/Server-side/Express_Nodejs/forms) 2. Proceed to the next sub article of part 6: [Create Author form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_author_form).
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms/create_bookinstance_form/index.md
--- title: Create BookInstance form slug: Learn/Server-side/Express_Nodejs/forms/Create_BookInstance_form page-type: learn-module-chapter --- This subarticle shows how to define a page/form to create `BookInstance` objects. This is very much like the form we used to [create `Book` objects](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_book_form). ## Import validation and sanitization methods Open **/controllers/bookinstanceController.js**, and add the following lines at the top of the file: ```js const { body, validationResult } = require("express-validator"); ``` ## Controllerβ€”get route At the top of the file, require the _Book_ module (needed because each `BookInstance` is associated with a particular `Book`). ```js const Book = require("../models/book"); ``` Find the exported `bookinstance_create_get()` controller method and replace it with the following code. ```js // Display BookInstance create form on GET. exports.bookinstance_create_get = asyncHandler(async (req, res, next) => { const allBooks = await Book.find({}, "title").sort({ title: 1 }).exec(); res.render("bookinstance_form", { title: "Create BookInstance", book_list: allBooks, }); }); ``` The controller gets a sorted list of all books (`allBooks`) and passes it via `book_list` to the view **`bookinstance_form.pug`** (along with a `title`). Note that no book has been selected when we first display this form, so we don't pass the `selected_book` variable to `render()`. Because of this, `selected_book` will have a value of `undefined` in the template. ## Controllerβ€”post route Find the exported `bookinstance_create_post()` controller method and replace it with the following code. ```js // Handle BookInstance create on POST. exports.bookinstance_create_post = [ // Validate and sanitize fields. body("book", "Book must be specified").trim().isLength({ min: 1 }).escape(), body("imprint", "Imprint must be specified") .trim() .isLength({ min: 1 }) .escape(), body("status").escape(), body("due_back", "Invalid date") .optional({ values: "falsy" }) .isISO8601() .toDate(), // Process request after validation and sanitization. asyncHandler(async (req, res, next) => { // Extract the validation errors from a request. const errors = validationResult(req); // Create a BookInstance object with escaped and trimmed data. const bookInstance = new BookInstance({ book: req.body.book, imprint: req.body.imprint, status: req.body.status, due_back: req.body.due_back, }); if (!errors.isEmpty()) { // There are errors. // Render form again with sanitized values and error messages. const allBooks = await Book.find({}, "title").sort({ title: 1 }).exec(); res.render("bookinstance_form", { title: "Create BookInstance", book_list: allBooks, selected_book: bookInstance.book._id, errors: errors.array(), bookinstance: bookInstance, }); return; } else { // Data from form is valid await bookInstance.save(); res.redirect(bookInstance.url); } }), ]; ``` The structure and behavior of this code is the same as for creating our other objects. First we validate and sanitize the data. If the data is invalid, we then re-display the form along with the data that was originally entered by the user and a list of error messages. If the data is valid, we save the new `BookInstance` record and redirect the user to the detail page. ## View Create **/views/bookinstance_form.pug** and copy in the text below. ```pug extends layout block content h1=title form(method='POST') div.form-group label(for='book') Book: select#book.form-control(name='book' required) option(value='') --Please select a book-- for book in book_list if selected_book==book._id.toString() option(value=book._id, selected) #{book.title} else option(value=book._id) #{book.title} div.form-group label(for='imprint') Imprint: input#imprint.form-control(type='text' placeholder='Publisher and date information' name='imprint' required value=(undefined===bookinstance ? '' : bookinstance.imprint) ) div.form-group label(for='due_back') Date when book available: input#due_back.form-control(type='date' name='due_back' value=(undefined===bookinstance ? '' : bookinstance.due_back_yyyy_mm_dd)) div.form-group label(for='status') Status: select#status.form-control(name='status' required) option(value='') --Please select a status-- each val in ['Maintenance', 'Available', 'Loaned', 'Reserved'] if undefined===bookinstance || bookinstance.status!=val option(value=val)= val else option(value=val selected)= val button.btn.btn-primary(type='submit') Submit if errors ul for error in errors li!= error.msg ``` > **Note:** The above template hard-codes the _Status_ values (Maintenance, Available, etc.) and does not "remember" the user's entered values. > Should you so wish, consider reimplementing the list, passing in option data from the controller and setting the selected value when the form is re-displayed. The view structure and behavior is almost the same as for the **book_form.pug** template, so we won't go over it in detail. The one thing to note is the line where we set the "due back" date to `bookinstance.due_back_yyyy_mm_dd` if we are populating the date input for an existing instance. ```pug input#due_back.form-control(type='date', name='due_back' value=(undefined===bookinstance ? '' : bookinstance.due_back_yyyy_mm_dd)) ``` The date value has to be set in the format `YYYY-MM-DD` because this is expected by [`<input>` elements with `type="date"`](/en-US/docs/Web/HTML/Element/input/date), however the date is not stored in this format so we have to convert it before setting the value in the control. The `due_back_yyyy_mm_dd()` method is added to the `BookInstance` model in the next section. ## Modelβ€”virtual `due_back_yyyy_mm_dd()` method Open the file where you defined the `BookInstanceSchema` model (**models/bookinstance.js**). Add the `due_back_yyyy_mm_dd()` virtual function shown below (after the `due_back_formatted()` virtual function): ```js BookInstanceSchema.virtual("due_back_yyyy_mm_dd").get(function () { return DateTime.fromJSDate(this.due_back).toISODate(); // format 'YYYY-MM-DD' }); ``` ## What does it look like? Run the application and open your browser to `http://localhost:3000/`. Then select the _Create new book instance (copy)_ link. If everything is set up correctly, your site should look something like the following screenshot. After you submit a valid `BookInstance`, it should be saved and you'll be taken to the detail page. ![Create BookInstance of the Local library application screenshot from localhost:3000. The page is divided into two columns. The narrow left column has a vertical navigation bar with 10 links separated into two sections by a light-colored horizontal line. The top section link to already created data. The bottom links go to create new data forms. The wide right column has the create book instance form with a 'Create BookInstance' heading and four input fields labeled 'Book', 'Imprint', 'Date when book available' and 'Status'. The form is filled. There is a 'Submit' button at the bottom of the form.](locallibary_express_bookinstance_create_empty.png) ## Next steps - Return to [Express Tutorial Part 6: Working with forms](/en-US/docs/Learn/Server-side/Express_Nodejs/forms). - Proceed to the next subarticle of part 6: [Delete Author form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Delete_author_form).
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms/delete_author_form/index.md
--- title: Delete Author form slug: Learn/Server-side/Express_Nodejs/forms/Delete_author_form page-type: learn-module-chapter --- This subarticle shows how to define a page to delete `Author` objects. As discussed in the [form design](/en-US/docs/Learn/Server-side/Express_Nodejs/forms#form_design) section, our strategy will be to only allow deletion of objects that are not referenced by other objects (in this case that means we won't allow an `Author` to be deleted if it is referenced by a `Book`). In terms of implementation this means that the form needs to confirm that there are no associated books before the author is deleted. If there are associated books, it should display them, and state that they must be deleted before the `Author` object can be deleted. ## Controllerβ€”get route Open **/controllers/authorController.js**. Find the exported `author_delete_get()` controller method and replace it with the following code. ```js // Display Author delete form on GET. exports.author_delete_get = asyncHandler(async (req, res, next) => { // Get details of author and all their books (in parallel) const [author, allBooksByAuthor] = await Promise.all([ Author.findById(req.params.id).exec(), Book.find({ author: req.params.id }, "title summary").exec(), ]); if (author === null) { // No results. res.redirect("/catalog/authors"); } res.render("author_delete", { title: "Delete Author", author: author, author_books: allBooksByAuthor, }); }); ``` The controller gets the id of the `Author` instance to be deleted from the URL parameter (`req.params.id`). It uses `await` on the promise returned by `Promise.all()` to asynchronously wait on the specified author record and all associated books (in parallel). When both operations have completed it renders the **author_delete.pug** view, passing variables for the `title`, `author`, and `author_books`. > **Note:** If `findById()` returns no results the author is not in the database. > In this case there is nothing to delete, so we immediately redirect to the list of all authors. > > ```js > if (author === null) { > // No results. > res.redirect("/catalog/authors"); > } > ``` ## Controllerβ€”post route Find the exported `author_delete_post()` controller method, and replace it with the following code. ```js // Handle Author delete on POST. exports.author_delete_post = asyncHandler(async (req, res, next) => { // Get details of author and all their books (in parallel) const [author, allBooksByAuthor] = await Promise.all([ Author.findById(req.params.id).exec(), Book.find({ author: req.params.id }, "title summary").exec(), ]); if (allBooksByAuthor.length > 0) { // Author has books. Render in same way as for GET route. res.render("author_delete", { title: "Delete Author", author: author, author_books: allBooksByAuthor, }); return; } else { // Author has no books. Delete object and redirect to the list of authors. await Author.findByIdAndDelete(req.body.authorid); res.redirect("/catalog/authors"); } }); ``` First we validate that an id has been provided (this is sent via the form body parameters, rather than using the version in the URL). Then we get the author and their associated books in the same way as for the `GET` route. If there are no books then we delete the author object and redirect to the list of all authors. If there are still books then we just re-render the form, passing in the author and list of books to be deleted. > **Note:** We could check if the call to `findById()` returns any result, and if not, immediately render the list of all authors. > We've left the code as it is above for brevity (it will still return the list of authors if the id is not found, but this will happen after `findByIdAndDelete()`). ## View Create **/views/author_delete.pug** and copy in the text below. ```pug extends layout block content h1 #{title}: #{author.name} p= author.lifespan if author_books.length p #[strong Delete the following books before attempting to delete this author.] div(style='margin-left:20px;margin-top:20px') h4 Books dl each book in author_books dt a(href=book.url) #{book.title} dd #{book.summary} else p Do you really want to delete this Author? form(method='POST') div.form-group input#authorid.form-control(type='hidden', name='authorid', value=author._id ) button.btn.btn-primary(type='submit') Delete ``` The view extends the layout template, overriding the block named `content`. At the top it displays the author details. It then includes a conditional statement based on the number of **`author_books`** (the `if` and `else` clauses). - If there _are_ books associated with the author then the page lists the books and states that these must be deleted before this `Author` may be deleted. - If there _are no_ books then the page displays a confirmation prompt. - If the **Delete** button is clicked then the author id is sent to the server in a `POST` request and that author's record will be deleted. ## Add a delete control Next we will add a **Delete** control to the _Author detail_ view (the detail page is a good place from which to delete a record). > **Note:** In a full implementation the control would be made visible only to authorized users. > However at this point we haven't got an authorization system in place! Open the **author_detail.pug** view and add the following lines at the bottom. ```pug hr p a(href=author.url+'/delete') Delete author ``` The control should now appear as a link, as shown below on the _Author detail_ page. ![The Author details section of the Local library application. The left column has a vertical navigation bar. The right section contains the author details with a heading that has the Author's name followed by the life dates of the author and lists the books written by the author below it. There is a button labelled 'Delete Author' at the bottom.](locallibary_express_author_detail_delete.png) ## What does it look like? Run the application and open your browser to `http://localhost:3000/`. Then select the _All authors_ link, and then select a particular author. Finally select the _Delete author_ link. If the author has no books, you'll be presented with a page like this. After pressing delete, the server will delete the author and redirect to the author list. ![The Delete Author section of the Local library application of an author who does not have any books. The left column has a vertical navigation bar. The right section contains the author's name and life dates. There is the question "Do you really want to delete this author" with a button labeled 'Delete'.](locallibary_express_author_delete_nobooks.png) If the author does have books, then you'll be presented with a view like the following. You can then delete the books from their detail pages (once that code is implemented!). ![The Delete Author section of the Local library application of an author who does have books under his name. The section contains the author's name and life dates of the author. There is a statement that reads "Delete the following books before attempting to delete this author" followed by the author's books. The list includes the titles of each book, as links, followed by a brief description in plain text.](locallibary_express_author_delete_withbooks.png) > **Note:** The other pages for deleting objects can be implemented in much the same way. > We've left that as a challenge. ## Next steps - Return to [Express Tutorial Part 6: Working with forms](/en-US/docs/Learn/Server-side/Express_Nodejs/forms). - Proceed to the final subarticle of part 6: [Update Book form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Update_Book_form).
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms/update_book_form/index.md
--- title: Update Book form slug: Learn/Server-side/Express_Nodejs/forms/Update_Book_form page-type: learn-module-chapter --- This final subarticle shows how to define a page to update `Book` objects. Form handling when updating a book is much like that for creating a book, except that you must populate the form in the `GET` route with values from the database. ## Controllerβ€”get route Open **/controllers/bookController.js**. Find the exported `book_update_get()` controller method and replace it with the following code. ```js // Display book update form on GET. exports.book_update_get = asyncHandler(async (req, res, next) => { // Get book, authors and genres for form. const [book, allAuthors, allGenres] = await Promise.all([ Book.findById(req.params.id).populate("author").exec(), Author.find().sort({ family_name: 1 }).exec(), Genre.find().sort({ name: 1 }).exec(), ]); if (book === null) { // No results. const err = new Error("Book not found"); err.status = 404; return next(err); } // Mark our selected genres as checked. allGenres.forEach((genre) => { if (book.genre.includes(genre._id)) genre.checked = "true"; }); res.render("book_form", { title: "Update Book", authors: allAuthors, genres: allGenres, book: book, }); }); ``` The controller gets the id of the `Book` to be updated from the URL parameter (`req.params.id`). It `awaits` on the promise returned by `Promise.all()` to get the specified `Book` record (populating its genre and author fields) and all the `Author` and `Genre` records. When the operations complete the function checks whether any books were found, and if none were found sends an error "Book not found" to the error handling middleware. > **Note:** Not finding any book results is **not an error** for a search β€” but it is for this application because we know there must be a matching book record! The code above compares for (`book===null`) in the callback, but it could equally well have daisy chained the method [orFail()](<https://mongoosejs.com/docs/api/query.html#Query.prototype.orFail()>) to the query. We then mark the currently selected genres as checked and then render the **book_form.pug** view, passing variables for `title`, book, all `authors`, and all `genres`. ## Controllerβ€”post route Find the exported `book_update_post()` controller method, and replace it with the following code. ```js // Handle book update on POST. exports.book_update_post = [ // Convert the genre to an array. (req, res, next) => { if (!Array.isArray(req.body.genre)) { req.body.genre = typeof req.body.genre === "undefined" ? [] : [req.body.genre]; } next(); }, // Validate and sanitize fields. body("title", "Title must not be empty.") .trim() .isLength({ min: 1 }) .escape(), body("author", "Author must not be empty.") .trim() .isLength({ min: 1 }) .escape(), body("summary", "Summary must not be empty.") .trim() .isLength({ min: 1 }) .escape(), body("isbn", "ISBN must not be empty").trim().isLength({ min: 1 }).escape(), body("genre.*").escape(), // Process request after validation and sanitization. asyncHandler(async (req, res, next) => { // Extract the validation errors from a request. const errors = validationResult(req); // Create a Book object with escaped/trimmed data and old id. const book = new Book({ title: req.body.title, author: req.body.author, summary: req.body.summary, isbn: req.body.isbn, genre: typeof req.body.genre === "undefined" ? [] : req.body.genre, _id: req.params.id, // This is required, or a new ID will be assigned! }); if (!errors.isEmpty()) { // There are errors. Render form again with sanitized values/error messages. // Get all authors and genres for form const [allAuthors, allGenres] = await Promise.all([ Author.find().sort({ family_name: 1 }).exec(), Genre.find().sort({ name: 1 }).exec(), ]); // Mark our selected genres as checked. for (const genre of allGenres) { if (book.genre.indexOf(genre._id) > -1) { genre.checked = "true"; } } res.render("book_form", { title: "Update Book", authors: allAuthors, genres: allGenres, book: book, errors: errors.array(), }); return; } else { // Data from form is valid. Update the record. const updatedBook = await Book.findByIdAndUpdate(req.params.id, book, {}); // Redirect to book detail page. res.redirect(updatedBook.url); } }), ]; ``` This is very similar to the post route used when creating a `Book`. First we validate and sanitize the book data from the form and use it to create a new `Book` object (setting its `_id` value to the id of the object to update). If there are errors when we validate the data then we re-render the form, additionally displaying the data entered by the user, the errors, and lists of genres and authors. If there are no errors then we call `Book.findByIdAndUpdate()` to update the `Book` document, and then redirect to its detail page. ## View There is no need to change the view for the form (**/views/book_form.pug**) as the same template works for both creating and updating the book. ## Add an update button Open the **book_detail.pug** view and make sure there are links for both deleting and updating books at the bottom of the page, as shown below. ```pug hr p a(href=book.url+'/delete') Delete Book p a(href=book.url+'/update') Update Book ``` You should now be able to update books from the _Book detail_ page. ## What does it look like? Run the application, open your browser to `http://localhost:3000/`, select the _All books_ link, then select a particular book. Finally select the _Update Book_ link. The form should look just like the _Create book_ page, only with a title of 'Update book', and pre-populated with record values. ![The update book section of the Local library application. The left column has a vertical navigation bar. The right column has a form to update the book with an heading that reads 'Update book'. There are five input fields labelled Title, Author, Summary, ISBN, Genre. Genre is a checkbox option field. There is a button labelled 'Submit' at the end.](locallibary_express_book_update_noerrors.png) > **Note:** The other pages for updating objects can be implemented in much the same way. We've left that as a challenge. ## Next steps - Return to [Express Tutorial Part 6: Working with forms](/en-US/docs/Learn/Server-side/Express_Nodejs/forms).
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms
data/mdn-content/files/en-us/learn/server-side/express_nodejs/forms/create_author_form/index.md
--- title: Create Author form slug: Learn/Server-side/Express_Nodejs/forms/Create_author_form page-type: learn-module-chapter --- This subarticle shows how to define a page for creating `Author` objects. ## Import validation and sanitization methods As with the [genre form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_genre_form), to use _express-validator_ we have to _require_ the functions we want to use. Open **/controllers/authorController.js**, and add the following line at the top of the file (above the route functions): ```js const { body, validationResult } = require("express-validator"); ``` ## Controllerβ€”get route Find the exported `author_create_get()` controller method and replace it with the following code. This renders the **author_form.pug** view, passing a `title` variable. ```js // Display Author create form on GET. exports.author_create_get = (req, res, next) => { res.render("author_form", { title: "Create Author" }); }; ``` ## Controllerβ€”post route Find the exported `author_create_post()` controller method, and replace it with the following code. ```js // Handle Author create on POST. exports.author_create_post = [ // Validate and sanitize fields. body("first_name") .trim() .isLength({ min: 1 }) .escape() .withMessage("First name must be specified.") .isAlphanumeric() .withMessage("First name has non-alphanumeric characters."), body("family_name") .trim() .isLength({ min: 1 }) .escape() .withMessage("Family name must be specified.") .isAlphanumeric() .withMessage("Family name has non-alphanumeric characters."), body("date_of_birth", "Invalid date of birth") .optional({ values: "falsy" }) .isISO8601() .toDate(), body("date_of_death", "Invalid date of death") .optional({ values: "falsy" }) .isISO8601() .toDate(), // Process request after validation and sanitization. asyncHandler(async (req, res, next) => { // Extract the validation errors from a request. const errors = validationResult(req); // Create Author object with escaped and trimmed data const author = new Author({ first_name: req.body.first_name, family_name: req.body.family_name, date_of_birth: req.body.date_of_birth, date_of_death: req.body.date_of_death, }); if (!errors.isEmpty()) { // There are errors. Render form again with sanitized values/errors messages. res.render("author_form", { title: "Create Author", author: author, errors: errors.array(), }); return; } else { // Data from form is valid. // Save author. await author.save(); // Redirect to new author record. res.redirect(author.url); } }), ]; ``` > **Warning:** Never validate _names_ using `isAlphanumeric()` (as we have done above) as there are many names that use other character sets. > We do it here in order to demonstrate how the validator is used, and how it can be daisy-chained with other validators and error reporting. The structure and behavior of this code is almost exactly the same as for creating a `Genre` object. First we validate and sanitize the data. If the data is invalid then we re-display the form along with the data that was originally entered by the user and a list of error messages. If the data is valid then we save the new author record and redirect the user to the author detail page. Unlike with the `Genre` post handler, we don't check whether the `Author` object already exists before saving it. Arguably we should, though as it is now we can have multiple authors with the same name. The validation code demonstrates several new features: - We can daisy chain validators, using `withMessage()` to specify the error message to display if the previous validation method fails. This makes it very easy to provide specific error messages without lots of code duplication. ```js [ // Validate and sanitize fields. body("first_name") .trim() .isLength({ min: 1 }) .escape() .withMessage("First name must be specified.") .isAlphanumeric() .withMessage("First name has non-alphanumeric characters."), // … ]; ``` - We can use the `optional()` function to run a subsequent validation only if a field has been entered (this allows us to validate optional fields). For example, below we check that the optional date of birth is an ISO8601-compliant date (the `{ values: "falsy" }` object passed means that we'll accept either an empty string or `null` as an empty value). ```js [ body("date_of_birth", "Invalid date of birth") .optional({ values: "falsy" }) .isISO8601() .toDate(), ]; ``` - Parameters are received from the request as strings. We can use `toDate()` (or `toBoolean()`) to cast these to the proper JavaScript types (as shown at the end of the validator chain above). ## View Create **/views/author_form.pug** and copy in the text below. ```pug extends layout block content h1=title form(method='POST') div.form-group label(for='first_name') First Name: input#first_name.form-control(type='text', placeholder='First name (Christian)' name='first_name' required value=(undefined===author ? '' : author.first_name) ) label(for='family_name') Family Name: input#family_name.form-control(type='text', placeholder='Family name (Surname)' name='family_name' required value=(undefined===author ? '' : author.family_name)) div.form-group label(for='date_of_birth') Date of birth: input#date_of_birth.form-control(type='date' name='date_of_birth' value=(undefined===author ? '' : author.date_of_birth) ) button.btn.btn-primary(type='submit') Submit if errors ul for error in errors li!= error.msg ``` The structure and behavior for this view is exactly the same as for the **genre_form.pug** template, so we won't describe it again. > **Note:** Some browsers don't support the input `type="date"`, so you won't get the datepicker widget or the default `dd/mm/yyyy` placeholder, but will instead get an empty plain text field. One workaround is to explicitly add the attribute `placeholder='dd/mm/yyyy'` so that on less capable browsers you will still get information about the desired text format. ### Challenge: Adding the date of death The template above is missing a field for entering the `date_of_death`. Create the field following the same pattern as the date of birth form group! ## What does it look like? Run the application, open your browser to `http://localhost:3000/`, then select the _Create new author_ link. If everything is set up correctly, your site should look something like the following screenshot. After you enter a value, it should be saved and you'll be taken to the author detail page. ![Author Create Page - Express Local Library site](locallibary_express_author_create_empty.png) > **Note:** If you experiment with various input formats for the dates, you may find that the format `yyyy-mm-dd` misbehaves. This is because JavaScript treats date strings as including the time of 0 hours, but additionally treats date strings in that format (the ISO 8601 standard) as including the time 0 hours UTC, rather than the local time. If your time zone is west of UTC, the date display, being local, will be one day before the date you entered. This is one of several complexities (such as multi-word family names and multi-author books) that we are not addressing here. ## Next steps - Return to [Express Tutorial Part 6: Working with forms](/en-US/docs/Learn/Server-side/Express_Nodejs/forms). - Proceed to the next subarticle of part 6: [Create Book form](/en-US/docs/Learn/Server-side/Express_Nodejs/forms/Create_book_form).
0
data/mdn-content/files/en-us/learn/server-side/express_nodejs
data/mdn-content/files/en-us/learn/server-side/express_nodejs/introduction/index.md
--- title: Express/Node introduction slug: Learn/Server-side/Express_Nodejs/Introduction page-type: learn-module-chapter --- {{LearnSidebar}}{{NextMenu("Learn/Server-side/Express_Nodejs/development_environment", "Learn/Server-side/Express_Nodejs")}} In this first Express article we answer the questions "What is Node?" and "What is Express?", and give you an overview of what makes the Express web framework special. We'll outline the main features, and show you some of the main building blocks of an Express application (although at this point you won't yet have a development environment in which to test it). <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> A general understanding of <a href="/en-US/docs/Learn/Server-side/First_steps">server-side website programming</a>, and in particular the mechanics of <a href="/en-US/docs/Learn/Server-side/First_steps/Client-Server_overview">client-server interactions in websites</a>. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To gain familiarity with what Express is and how it fits in with Node, what functionality it provides, and the main building blocks of an Express application. </td> </tr> </tbody> </table> ## Introducing Node [Node](https://nodejs.org/) (or more formally _Node.js_) is an open-source, cross-platform runtime environment that allows developers to create all kinds of server-side tools and applications in [JavaScript](/en-US/docs/Glossary/JavaScript). The runtime is intended for use outside of a browser context (i.e. running directly on a computer or server OS). As such, the environment omits browser-specific JavaScript APIs and adds support for more traditional OS APIs including HTTP and file system libraries. From a web server development perspective Node has a number of benefits: - Great performance! Node was designed to optimize throughput and scalability in web applications and is a good solution for many common web-development problems (e.g. real-time web applications). - Code is written in "plain old JavaScript", which means that less time is spent dealing with "context shift" between languages when you're writing both client-side and server-side code. - JavaScript is a relatively new programming language and benefits from improvements in language design when compared to other traditional web-server languages (e.g. Python, PHP, etc.) Many other new and popular languages compile/convert into JavaScript so you can also use TypeScript, CoffeeScript, ClojureScript, Scala, LiveScript, etc. - The node package manager (npm) provides access to hundreds of thousands of reusable packages. It also has best-in-class dependency resolution and can also be used to automate most of the build toolchain. - Node.js is portable. It is available on Microsoft Windows, macOS, Linux, Solaris, FreeBSD, OpenBSD, WebOS, and NonStop OS. Furthermore, it is well-supported by many web hosting providers, that often provide specific infrastructure and documentation for hosting Node sites. - It has a very active third party ecosystem and developer community, with lots of people who are willing to help. You can use Node.js to create a simple web server using the Node HTTP package. ### Hello Node.js The following example creates a web server that listens for any kind of HTTP request on the URL `http://127.0.0.1:8000/` β€” when a request is received, the script will respond with the string: "Hello World". If you have already installed node, you can follow these steps to try out the example: 1. Open Terminal (on Windows, open the command line utility) 2. Create the folder where you want to save the program, for example, `test-node` and then enter it by entering the following command into your terminal: ```bash cd test-node ``` 3. Using your favorite text editor, create a file called `hello.js` and paste the following code into it: ```js // Load HTTP module const http = require("http"); const hostname = "127.0.0.1"; const port = 8000; // Create HTTP server const server = http.createServer(function (req, res) { // Set the response HTTP header with HTTP status and Content type res.writeHead(200, { "Content-Type": "text/plain" }); // Send the response body "Hello World" res.end("Hello World\n"); }); // Prints a log once the server starts listening server.listen(port, hostname, function () { console.log(`Server running at http://${hostname}:${port}/`); }); ``` 4. Save the file in the folder you created above. 5. Go back to the terminal and type the following command: ```bash node hello.js ``` Finally, navigate to `http://localhost:8000` in your web browser; you should see the text "**Hello World**" in the upper left of an otherwise empty web page. ## Web Frameworks Other common web-development tasks are not directly supported by Node itself. If you want to add specific handling for different HTTP verbs (e.g. `GET`, `POST`, `DELETE`, etc.), separately handle requests at different URL paths ("routes"), serve static files, or use templates to dynamically create the response, Node won't be of much use on its own. You will either need to write the code yourself, or you can avoid reinventing the wheel and use a web framework! ## Introducing Express [Express](https://expressjs.com/) is the most popular _Node_ web framework, and is the underlying library for a number of other popular [Node web frameworks](https://expressjs.com/en/resources/frameworks.html). It provides mechanisms to: - Write handlers for requests with different HTTP verbs at different URL paths (routes). - Integrate with "view" rendering engines in order to generate responses by inserting data into templates. - Set common web application settings like the port to use for connecting, and the location of templates that are used for rendering the response. - Add additional request processing "middleware" at any point within the request handling pipeline. While _Express_ itself is fairly minimalist, developers have created compatible middleware packages to address almost any web development problem. There are libraries to work with cookies, sessions, user logins, URL parameters, `POST` data, security headers, and _many_ more. You can find a list of middleware packages maintained by the Express team at [Express Middleware](https://expressjs.com/en/resources/middleware.html) (along with a list of some popular 3rd party packages). > **Note:** This flexibility is a double edged sword. There are middleware packages to address almost any problem or requirement, but working out the right packages to use can sometimes be a challenge. There is also no "right way" to structure an application, and many examples you might find on the Internet are not optimal, or only show a small part of what you need to do in order to develop a web application. ## Where did Node and Express come from? Node was initially released, for Linux only, in 2009. The npm package manager was released in 2010, and native Windows support was added in 2012. Delve into [Wikipedia](https://en.wikipedia.org/wiki/Node.js#History) if you want to know more. Express was initially released in November 2010 and is currently on major version 4 of the API. You can check out the [changelog](https://expressjs.com/en/changelog/4x.html) for information about changes in the current release, and [GitHub](https://github.com/expressjs/express/blob/master/History.md) for more detailed historical release notes. ## How popular are Node and Express? The popularity of a web framework is important because it is an indicator of whether it will continue to be maintained, and what resources are likely to be available in terms of documentation, add-on libraries, and technical support. There isn't any readily-available and definitive measure of the popularity of server-side frameworks (although you can estimate popularity using mechanisms like counting the number of GitHub projects and StackOverflow questions for each platform). A better question is whether Node and Express are "popular enough" to avoid the problems of unpopular platforms. Are they continuing to evolve? Can you get help if you need it? Is there an opportunity for you to get paid work if you learn Express? Based on the number of [high profile companies](https://expressjs.com/en/resources/companies-using-express.html) that use Express, the number of people contributing to the codebase, and the number of people providing both free and paid for support, then yes, _Express_ is a popular framework! ## Is Express opinionated? Web frameworks often refer to themselves as "opinionated" or "unopinionated". Opinionated frameworks are those with opinions about the "right way" to handle any particular task. They often support rapid development _in a particular domain_ (solving problems of a particular type) because the right way to do anything is usually well-understood and well-documented. However they can be less flexible at solving problems outside their main domain, and tend to offer fewer choices for what components and approaches they can use. Unopinionated frameworks, by contrast, have far fewer restrictions on the best way to glue components together to achieve a goal, or even what components should be used. They make it easier for developers to use the most suitable tools to complete a particular task, albeit at the cost that you need to find those components yourself. Express is unopinionated. You can insert almost any compatible middleware you like into the request handling chain, in almost any order you like. You can structure the app in one file or multiple files, and using any directory structure. You may sometimes feel that you have too many choices! ## What does Express code look like? In a traditional data-driven website, a web application waits for HTTP requests from the web browser (or other client). When a request is received the application works out what action is needed based on the URL pattern and possibly associated information contained in `POST` data or `GET` data. Depending on what is required it may then read or write information from a database or perform other tasks required to satisfy the request. The application will then return a response to the web browser, often dynamically creating an HTML page for the browser to display by inserting the retrieved data into placeholders in an HTML template. Express provides methods to specify what function is called for a particular HTTP verb (`GET`, `POST`, `PUT`, etc.) and URL pattern ("Route"), and methods to specify what template ("view") engine is used, where template files are located, and what template to use to render a response. You can use Express middleware to add support for cookies, sessions, and users, getting `POST`/`GET` parameters, etc. You can use any database mechanism supported by Node (Express does not define any database-related behavior). The following sections explain some of the common things you'll see when working with _Express_ and _Node_ code. ### Helloworld Express First lets consider the standard Express [Hello World](https://expressjs.com/en/starter/hello-world.html) example (we discuss each part of this below, and in the following sections). > **Note:** If you have Node and Express already installed (or if you install them as shown in the [next article](/en-US/docs/Learn/Server-side/Express_Nodejs/development_environment)), you can save this code in a text file called **app.js** and run it in a bash command prompt by calling: > > **`node ./app.js`** ```js const express = require("express"); const app = express(); const port = 3000; app.get("/", function (req, res) { res.send("Hello World!"); }); app.listen(port, function () { console.log(`Example app listening on port ${port}!`); }); ``` The first two lines `require()` (import) the express module and create an [Express application](https://expressjs.com/en/4x/api.html#app). This object, which is traditionally named `app`, has methods for routing HTTP requests, configuring middleware, rendering HTML views, registering a template engine, and modifying [application settings](https://expressjs.com/en/4x/api.html#app.settings.table) that control how the application behaves (e.g. the environment mode, whether route definitions are case sensitive, etc.) The middle part of the code (the three lines starting with `app.get`) shows a _route definition_. The `app.get()` method specifies a callback function that will be invoked whenever there is an HTTP `GET` request with a path (`'/'`) relative to the site root. The callback function takes a request and a response object as arguments, and calls [`send()`](https://expressjs.com/en/4x/api.html#res.send) on the response to return the string "Hello World!" The final block starts up the server on a specified port ('3000') and prints a log comment to the console. With the server running, you could go to `localhost:3000` in your browser to see the example response returned. ### Importing and creating modules A module is a JavaScript library/file that you can import into other code using Node's `require()` function. _Express_ itself is a module, as are the middleware and database libraries that we use in our _Express_ applications. The code below shows how we import a module by name, using the _Express_ framework as an example. First we invoke the `require()` function, specifying the name of the module as a string (`'express'`), and calling the returned object to create an [Express application](https://expressjs.com/en/4x/api.html#app). We can then access the properties and functions of the application object. ```js const express = require("express"); const app = express(); ``` You can also create your own modules that can be imported in the same way. > **Note:** You will _want_ to create your own modules, because this allows you to organize your code into manageable parts β€” a monolithic single-file application is hard to understand and maintain. Using modules also helps you manage your namespace, because only the variables you explicitly export are imported when you use a module. To make objects available outside of a module you just need to expose them as additional properties on the `exports` object. For example, the **square.js** module below is a file that exports `area()` and `perimeter()` methods: ```js exports.area = function (width) { return width * width; }; exports.perimeter = function (width) { return 4 * width; }; ``` We can import this module using `require()`, and then call the exported method(s) as shown: ```js const square = require("./square"); // Here we require() the name of the file without the (optional) .js file extension console.log(`The area of a square with a width of 4 is ${square.area(4)}`); ``` > **Note:** You can also specify an absolute path to the module (or a name, as we did initially). If you want to export a complete object in one assignment instead of building it one property at a time, assign it to `module.exports` as shown below (you can also do this to make the root of the exports object a constructor or other function): ```js module.exports = { area(width) { return width * width; }, perimeter(width) { return 4 * width; }, }; ``` > **Note:** You can think of `exports` as a [shortcut](https://nodejs.org/api/modules.html#modules_exports_shortcut) to `module.exports` within a given module. In fact, `exports` is just a variable that gets initialized to the value of `module.exports` before the module is evaluated. That value is a reference to an object (empty object in this case). This means that `exports` holds a reference to the same object referenced by `module.exports`. It also means that by assigning another value to `exports` it's no longer bound to `module.exports`. For a lot more information about modules see [Modules](https://nodejs.org/api/modules.html#modules_modules) (Node API docs). ### Using asynchronous APIs JavaScript code frequently uses asynchronous rather than synchronous APIs for operations that may take some time to complete. A synchronous API is one in which each operation must complete before the next operation can start. For example, the following log functions are synchronous, and will print the text to the console in order (First, Second). ```js console.log("First"); console.log("Second"); ``` By contrast, an asynchronous API is one in which the API will start an operation and immediately return (before the operation is complete). Once the operation finishes, the API will use some mechanism to perform additional operations. For example, the code below will print out "Second, First" because even though `setTimeout()` method is called first, and returns immediately, the operation doesn't complete for several seconds. ```js setTimeout(function () { console.log("First"); }, 3000); console.log("Second"); ``` Using non-blocking asynchronous APIs is even more important on Node than in the browser because _Node_ is a single-threaded event-driven execution environment. "Single threaded" means that all requests to the server are run on the same thread (rather than being spawned off into separate processes). This model is extremely efficient in terms of speed and server resources, but it does mean that if any of your functions call synchronous methods that take a long time to complete, they will block not just the current request, but every other request being handled by your web application. There are a number of ways for an asynchronous API to notify your application that it has completed. The most common way is to register a callback function when you invoke the asynchronous API, that will be called back when the operation completes. This is the approach used above. > **Note:** Using callbacks can be quite "messy" if you have a sequence of dependent asynchronous operations that must be performed in order because this results in multiple levels of nested callbacks. This problem is commonly known as "callback hell". This problem can be reduced by good coding practices (see <http://callbackhell.com/>), using a module like [async](https://www.npmjs.com/package/async), or refactoring the code to native JavaScript features like [Promises](/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) and [async/await](/en-US/docs/Web/JavaScript/Reference/Statements/async_function). Node offers the [`utils.promisify`](https://nodejs.org/api/util.html#utilpromisifyoriginal) function to do the callback β†’ Promise conversion ergonomically. > **Note:** A common convention for Node and Express is to use error-first callbacks. In this convention, the first value in your _callback functions_ is an error value, while subsequent arguments contain success data. There is a good explanation of why this approach is useful in this blog: [The Node.js Way - Understanding Error-First Callbacks](https://fredkschott.com/post/2014/03/understanding-error-first-callbacks-in-node-js/) (fredkschott.com). ### Creating route handlers In our _Hello World_ Express example (see above), we defined a (callback) route handler function for HTTP `GET` requests to the site root (`'/'`). ```js app.get("/", function (req, res) { res.send("Hello World!"); }); ``` The callback function takes a request and a response object as arguments. In this case, the method calls [`send()`](https://expressjs.com/en/4x/api.html#res.send) on the response to return the string "Hello World!" There are a [number of other response methods](https://expressjs.com/en/guide/routing.html#response-methods) for ending the request/response cycle, for example, you could call [`res.json()`](https://expressjs.com/en/4x/api.html#res.json) to send a JSON response or [`res.sendFile()`](https://expressjs.com/en/4x/api.html#res.sendFile) to send a file. > **Note:** You can use any argument names you like in the callback functions; when the callback is invoked the first argument will always be the request and the second will always be the response. It makes sense to name them such that you can identify the object you're working with in the body of the callback. The _Express application_ object also provides methods to define route handlers for all the other HTTP verbs, which are mostly used in exactly the same way: `checkout()`, `copy()`, **`delete()`**, **`get()`**, `head()`, `lock()`, `merge()`, `mkactivity()`, `mkcol()`, `move()`, `m-search()`, `notify()`, `options()`, `patch()`, **`post()`**, `purge()`, **`put()`**, `report()`, `search()`, `subscribe()`, `trace()`, `unlock()`, `unsubscribe()`. There is a special routing method, `app.all()`, which will be called in response to any HTTP method. This is used for loading middleware functions at a particular path for all request methods. The following example (from the Express documentation) shows a handler that will be executed for requests to `/secret` irrespective of the HTTP verb used (provided it is supported by the [http module](https://nodejs.org/docs/latest/api/http.html#httpmethods)). ```js app.all("/secret", function (req, res, next) { console.log("Accessing the secret section…"); next(); // pass control to the next handler }); ``` Routes allow you to match particular patterns of characters in a URL, and extract some values from the URL and pass them as parameters to the route handler (as attributes of the request object passed as a parameter). Often it is useful to group route handlers for a particular part of a site together and access them using a common route-prefix (e.g. a site with a Wiki might have all wiki-related routes in one file and have them accessed with a route prefix of _/wiki/_). In _Express_ this is achieved by using the [`express.Router`](https://expressjs.com/en/guide/routing.html#express-router) object. For example, we can create our wiki route in a module named **wiki.js**, and then export the `Router` object, as shown below: ```js // wiki.js - Wiki route module const express = require("express"); const router = express.Router(); // Home page route router.get("/", function (req, res) { res.send("Wiki home page"); }); // About page route router.get("/about", function (req, res) { res.send("About this wiki"); }); module.exports = router; ``` > **Note:** Adding routes to the `Router` object is just like adding routes to the `app` object (as shown previously). To use the router in our main app file we would then `require()` the route module (**wiki.js**), then call `use()` on the _Express_ application to add the Router to the middleware handling path. The two routes will then be accessible from `/wiki/` and `/wiki/about/`. ```js const wiki = require("./wiki.js"); // … app.use("/wiki", wiki); ``` We'll show you a lot more about working with routes, and in particular about using the `Router`, later on in the linked section [Routes and controllers](/en-US/docs/Learn/Server-side/Express_Nodejs/routes). ### Using middleware Middleware is used extensively in Express apps, for tasks from serving static files to error handling, to compressing HTTP responses. Whereas route functions end the HTTP request-response cycle by returning some response to the HTTP client, middleware functions _typically_ perform some operation on the request or response and then call the next function in the "stack", which might be more middleware or a route handler. The order in which middleware is called is up to the app developer. > **Note:** The middleware can perform any operation, execute any code, make changes to the request and response object, and it can _also end the request-response cycle_. If it does not end the cycle then it must call `next()` to pass control to the next middleware function (or the request will be left hanging). Most apps will use _third-party_ middleware in order to simplify common web development tasks like working with cookies, sessions, user authentication, accessing request `POST` and JSON data, logging, etc. You can find a [list of middleware packages maintained by the Express team](https://expressjs.com/en/resources/middleware.html) (which also includes other popular 3rd party packages). Other Express packages are available on the npm package manager. To use third party middleware you first need to install it into your app using npm. For example, to install the [morgan](https://expressjs.com/en/resources/middleware/morgan.html) HTTP request logger middleware, you'd do this: ```bash npm install morgan ``` You could then call `use()` on the _Express application object_ to add the middleware to the stack: ```js const express = require("express"); const logger = require("morgan"); const app = express(); app.use(logger("dev")); // … ``` > **Note:** Middleware and routing functions are called in the order that they are declared. For some middleware the order is important (for example if session middleware depends on cookie middleware, then the cookie handler must be added first). It is almost always the case that middleware is called before setting routes, or your route handlers will not have access to functionality added by your middleware. You can write your own middleware functions, and you are likely to have to do so (if only to create error handling code). The **only** difference between a middleware function and a route handler callback is that middleware functions have a third argument `next`, which middleware functions are expected to call if they are not that which completes the request cycle (when the middleware function is called, this contains the _next_ function that must be called). You can add a middleware function to the processing chain for _all responses_ with `app.use()`, or for a specific HTTP verb using the associated method: `app.get()`, `app.post()`, etc. Routes are specified in the same way for both cases, though the route is optional when calling `app.use()`. The example below shows how you can add the middleware function using both approaches, and with/without a route. ```js const express = require("express"); const app = express(); // An example middleware function const a_middleware_function = function (req, res, next) { // Perform some operations next(); // Call next() so Express will call the next middleware function in the chain. }; // Function added with use() for all routes and verbs app.use(a_middleware_function); // Function added with use() for a specific route app.use("/someroute", a_middleware_function); // A middleware function added for a specific HTTP verb and route app.get("/", a_middleware_function); app.listen(3000); ``` > **Note:** Above we declare the middleware function separately and then set it as the callback. In our previous route handler function we declared the callback function when it was used. In JavaScript, either approach is valid. The Express documentation has a lot more excellent documentation about [using](https://expressjs.com/en/guide/using-middleware.html) and [writing](https://expressjs.com/en/guide/writing-middleware.html) Express middleware. ### Serving static files You can use the [express.static](https://expressjs.com/en/4x/api.html#express.static) middleware to serve static files, including your images, CSS and JavaScript (`static()` is the only middleware function that is actually **part** of _Express_). For example, you would use the line below to serve images, CSS files, and JavaScript files from a directory named '**public'** at the same level as where you call node: ```js app.use(express.static("public")); ``` Any files in the public directory are served by adding their filename (_relative_ to the base "public" directory) to the base URL. So for example: ```plain http://localhost:3000/images/dog.jpg http://localhost:3000/css/style.css http://localhost:3000/js/app.js http://localhost:3000/about.html ``` You can call `static()` multiple times to serve multiple directories. If a file cannot be found by one middleware function then it will be passed on to the subsequent middleware (the order that middleware is called is based on your declaration order). ```js app.use(express.static("public")); app.use(express.static("media")); ``` You can also create a virtual prefix for your static URLs, rather than having the files added to the base URL. For example, here we [specify a mount path](https://expressjs.com/en/4x/api.html#app.use) so that the files are loaded with the prefix "/media": ```js app.use("/media", express.static("public")); ``` Now, you can load the files that are in the `public` directory from the `/media` path prefix. ```plain http://localhost:3000/media/images/dog.jpg http://localhost:3000/media/video/cat.mp4 http://localhost:3000/media/cry.mp3 ``` > **Note:** See also [Serving static files in Express](https://expressjs.com/en/starter/static-files.html). ### Handling errors Errors are handled by one or more special middleware functions that have four arguments, instead of the usual three: `(err, req, res, next)`. For example: ```js app.use(function (err, req, res, next) { console.error(err.stack); res.status(500).send("Something broke!"); }); ``` These can return any content required, but must be called after all other `app.use()` and routes calls so that they are the last middleware in the request handling process! Express comes with a built-in error handler, which takes care of any remaining errors that might be encountered in the app. This default error-handling middleware function is added at the end of the middleware function stack. If you pass an error to `next()` and you do not handle it in an error handler, it will be handled by the built-in error handler; the error will be written to the client with the stack trace. > **Note:** The stack trace is not included in the production environment. To run it in production mode you need to set the environment variable `NODE_ENV` to '`production'`. > **Note:** HTTP404 and other "error" status codes are not treated as errors. If you want to handle these, you can add a middleware function to do so. For more information see the [FAQ](https://expressjs.com/en/starter/faq.html#how-do-i-handle-404-responses). For more information see [Error handling](https://expressjs.com/en/guide/error-handling.html) (Express docs). ### Using databases _Express_ apps can use any database mechanism supported by _Node_ (_Express_ itself doesn't define any specific additional behavior/requirements for database management). There are many options, including PostgreSQL, MySQL, Redis, SQLite, MongoDB, etc. In order to use these you have to first install the database driver using npm. For example, to install the driver for the popular NoSQL MongoDB you would use the command: ```bash npm install mongodb ``` The database itself can be installed locally or on a cloud server. In your Express code you require the driver, connect to the database, and then perform create, read, update, and delete (CRUD) operations. The example below (from the Express documentation) shows how you can find "mammal" records using MongoDB. This works with older versions of MongoDB version ~ 2.2.33: ```js const MongoClient = require("mongodb").MongoClient; MongoClient.connect("mongodb://localhost:27017/animals", (err, db) => { if (err) throw err; db.collection("mammals") .find() .toArray((err, result) => { if (err) throw err; console.log(result); }); }); ``` For MongoDB version 3.0 and up: ```js const MongoClient = require("mongodb").MongoClient; MongoClient.connect("mongodb://localhost:27017/animals", (err, client) => { if (err) throw err; const db = client.db("animals"); db.collection("mammals") .find() .toArray((err, result) => { if (err) throw err; console.log(result); client.close(); }); }); ``` Another popular approach is to access your database indirectly, via an Object Relational Mapper ("ORM"). In this approach you define your data as "objects" or "models" and the ORM maps these through to the underlying database format. This approach has the benefit that as a developer you can continue to think in terms of JavaScript objects rather than database semantics, and that there is an obvious place to perform validation and checking of incoming data. We'll talk more about databases in a later article. For more information see [Database integration](https://expressjs.com/en/guide/database-integration.html) (Express docs). ### Rendering data (views) Template engines (also referred to as "view engines" by _Express_'s documentation) allow you to specify the _structure_ of an output document in a template, using placeholders for data that will be filled in when a page is generated. Templates are often used to create HTML, but can also create other types of documents. Express has support for [a number of template engines](https://github.com/expressjs/express/wiki#template-engines), and there is a useful comparison of the more popular engines here: [Comparing JavaScript Templating Engines: Jade, Mustache, Dust and More](https://strongloop.com/strongblog/compare-javascript-templates-jade-mustache-dust/). In your application settings code you set the template engine to use and the location where Express should look for templates using the 'views' and 'view engine' settings, as shown below (you will also have to install the package containing your template library too!) ```js const express = require("express"); const path = require("path"); const app = express(); // Set directory to contain the templates ('views') app.set("views", path.join(__dirname, "views")); // Set view engine to use, in this case 'some_template_engine_name' app.set("view engine", "some_template_engine_name"); ``` The appearance of the template will depend on what engine you use. Assuming that you have a template file named "index.\<template_extension>" that contains placeholders for data variables named 'title' and "message", you would call [`Response.render()`](https://expressjs.com/en/4x/api.html#res.render) in a route handler function to create and send the HTML response: ```js app.get("/", function (req, res) { res.render("index", { title: "About dogs", message: "Dogs rock!" }); }); ``` For more information see [Using template engines with Express](https://expressjs.com/en/guide/using-template-engines.html) (Express docs). ### File structure Express makes no assumptions in terms of structure or what components you use. Routes, views, static files, and other application-specific logic can live in any number of files with any directory structure. While it is perfectly possible to have the whole _Express_ application in one file, typically it makes sense to split your application into files based on function (e.g. account management, blogs, discussion boards) and architectural problem domain (e.g. model, view or controller if you happen to be using an [MVC architecture](/en-US/docs/Glossary/MVC)). In a later topic we'll use the _Express Application Generator_, which creates a modular app skeleton that we can easily extend for creating web applications. ## Summary Congratulations, you've completed the first step in your Express/Node journey! You should now understand Express and Node's main benefits, and roughly what the main parts of an Express app might look like (routes, middleware, error handling, and template code). You should also understand that with Express being an unopinionated framework, the way you pull these parts together and the libraries that you use are largely up to you! Of course Express is deliberately a very lightweight web application framework, so much of its benefit and potential comes from third party libraries and features. We'll look at those in more detail in the following articles. In our next article we're going to look at setting up a Node development environment, so that you can start seeing some Express code in action. ## See also - [Venkat.R - Manage Multiple Node versions](https://medium.com/@ramsunvtech/manage-multiple-node-versions-e3245d5ede44) - [Modules](https://nodejs.org/api/modules.html#modules_modules) (Node API docs) - [Express](https://expressjs.com/) (home page) - [Basic routing](https://expressjs.com/en/starter/basic-routing.html) (Express docs) - [Routing guide](https://expressjs.com/en/guide/routing.html) (Express docs) - [Using template engines with Express](https://expressjs.com/en/guide/using-template-engines.html) (Express docs) - [Using middleware](https://expressjs.com/en/guide/using-middleware.html) (Express docs) - [Writing middleware for use in Express apps](https://expressjs.com/en/guide/writing-middleware.html) (Express docs) - [Database integration](https://expressjs.com/en/guide/database-integration.html) (Express docs) - [Serving static files in Express](https://expressjs.com/en/starter/static-files.html) (Express docs) - [Error handling](https://expressjs.com/en/guide/error-handling.html) (Express docs) {{NextMenu("Learn/Server-side/Express_Nodejs/development_environment", "Learn/Server-side/Express_Nodejs")}}
0
data/mdn-content/files/en-us/learn/server-side
data/mdn-content/files/en-us/learn/server-side/apache_configuration_htaccess/index.md
--- title: "Apache Configuration: .htaccess" slug: Learn/Server-side/Apache_Configuration_htaccess page-type: guide --- {{LearnSidebar}} Apache .htaccess files allow users to configure directories of the web server they control without modifying the main configuration file. While this is useful it's important to note that using `.htaccess` files slows down Apache, so, if you have access to the main server configuration file (which is usually called `httpd.conf`), you should add this logic there under a `Directory` block. See [.htaccess](https://httpd.apache.org/docs/current/howto/htaccess.html) in the Apache HTTPD documentation site for more details about what .htaccess files can do. The remainder of this document will discuss different configuration options you can add to `.htaccess` and what they do. Most of the following blocks use the [IfModule](https://httpd.apache.org/docs/2.4/mod/core.html#ifmodule) directive to only execute the instructions inside the block if the corresponding module was properly configured and the server loaded it. This way we save our server from crashing if the module wasn't loaded. ## Redirects There are times when we need to tell users that a resource has moved, either temporarily or permanently. This is what we use `Redirect` and `RedirectMatch` for. ```apacheconf <IfModule mod_alias.c> # Redirect to a URL on a different host Redirect "/service" "http://foo2.example.com/service" # Redirect to a URL on the same host Redirect "/one" "/two" # Equivalent redirect to URL on the same host Redirect temp "/one" "/two" # Permanent redirect to a URL on the same host Redirect permanent "/three" "/four" # Redirect to an external URL # Using regular expressions and RedirectMatch RedirectMatch "^/oldfile\.html/?$" "http://example.com/newfile.php" </IfModule> ``` The possible values for the first parameter are listed below. If the first parameter is not included, it defaults to `temp`. - permanent - : Returns a permanent redirect status (301) indicating that the resource has moved permanently. - temp - : Returns a temporary redirect status (302). **This is the default**. - seeother - : Returns a "See Other" status (303) indicating that the resource has been replaced. - gone - : Returns a "Gone" status (410) indicating that the resource has been permanently removed. When this status is used the _URL_ argument should be omitted. ## Cross-origin resources The first set of directives control [CORS](https://fetch.spec.whatwg.org/) (Cross-Origin Resource Sharing) access to resources from the server. CORS is an HTTP-header based mechanism that allows a server to indicate the external origins (domain, protocol, or port) which a browser should permit loading of resources. For security reasons, browsers restrict cross-origin HTTP requests initiated from scripts. For example, XMLHttpRequest and the Fetch API follow the same-origin policy. A web application using those APIs can only request resources from the same origin the application was loaded from unless the response from other origins includes the appropriate CORS headers. ### General CORS access This directive will add the CORS header for all resources in the directory from any website. ```apacheconf <IfModule mod_headers.c> Header set Access-Control-Allow-Origin "*" </IfModule> ``` Unless you override the directive later in the configuration or in the configuration of a directory below where you set this one, every request from external servers will be honored, which is unlikely to be what you want. One alternative is to explicitly state what domains have access to the content of your site. In the example below, we restrict access to a subdomain of our main site (example.com). This is more secure and, likely, what you intended to do. ```apacheconf <IfModule mod_headers.c> Header set Access-Control-Allow-Origin "subdomain.example.com" </IfModule> ``` ### Cross-origin images As reported in the [Chromium Blog](https://blog.chromium.org/2011/07/using-cross-domain-images-in-webgl-and.html) and documented in [Allowing cross-origin use of images and canvas](/en-US/docs/Web/HTML/CORS_enabled_image) can lead to [fingerprinting](/en-US/docs/Glossary/Fingerprinting) attacks. To mitigate the possibility of these attacks, you should use the `crossorigin` attribute in the images you request and the code snippet below in your `.htaccess` to set the CORS header from the server. ```apacheconf <IfModule mod_setenvif.c> <IfModule mod_headers.c> <FilesMatch "\.(bmp|cur|gif|ico|jpe?g|a?png|svgz?|webp|heic|heif|avif)$"> SetEnvIf Origin ":" IS_CORS Header set Access-Control-Allow-Origin "*" env=*IS_CORS* </FilesMatch> </IfModule> </IfModule> ``` Google Chrome's [Google Fonts troubleshooting guide](https://developers.google.com/fonts/docs/troubleshooting) tells us that, while Google Fonts may send the CORS header with every response, some proxy servers may strip it before the browser can use it to render the font. ```apacheconf <IfModule mod_headers.c> <FilesMatch "\.(eot|otf|tt[cf]|woff2?)$"> Header set Access-Control-Allow-Origin "*" </FilesMatch> </IfModule> ``` ### Cross-origin resource timing The [Resource Timing Level 1](https://www.w3.org/TR/resource-timing/) specification defines an interface for web applications to access the complete timing information for resources in a document. The [Timing-Allow-Origin](/en-US/docs/Web/HTTP/Headers/Timing-Allow-Origin) response header specifies origins that are allowed to see values of attributes retrieved via features of the Resource Timing API, which would otherwise be reported as zero due to cross-origin restrictions. If a resource isn't served with a `Timing-Allow-Origin` or if the header does not include the origin after making the request, some attributes of the `PerformanceResourceTiming` object will be set to zero. ```apacheconf <IfModule mod_headers.c> Header set Timing-Allow-Origin: "*" </IfModule> ``` ## Custom error pages/messages Apache allows you to provide custom error pages for users depending on the type of error they receive. The error pages are presented as URLs. These URLs can begin with a slash (/) for local web paths (relative to the DocumentRoot) or be a full URL that the client can resolve. See the [ErrorDocument Directive](https://httpd.apache.org/docs/current/mod/core.html#errordocument) documentation on the HTTPD documentation site for more information. ```apacheconf ErrorDocument 500 /errors/500.html ErrorDocument 404 /errors/400.html ErrorDocument 401 https://example.com/subscription_info.html ErrorDocument 403 "Sorry, can't allow you access today." ``` ## Error prevention This setting affects how MultiViews work for the directory the configuration applies to. The effect of `MultiViews` is as follows: if the server receives a request for /some/dir/foo, if /some/dir has `MultiViews` enabled, and /some/dir/foo does not exist, then the server reads the directory looking for files named foo.\*, and effectively fakes up a type map which names all those files, assigning them the same media types and content-encodings it would have if the client had asked for one of them by name. It then chooses the best match to the client's requirements. The setting disables `MultiViews` for the directory this configuration applies to and prevents Apache from returning a 404 error as the result of a rewrite when the directory with the same name does not exist ```apacheconf Options -MultiViews ``` ## Media types and character encodings Apache uses [mod_mime](https://httpd.apache.org/docs/current/mod/mod_mime.html#addtype) to assign content metadata to the content selected for an HTTP response by mapping patterns in the URI or filenames to the metadata values. For example, the filename extensions of content files often define the content's Internet media type, language, character set, and content encoding. This information is sent in HTTP messages containing that content and used in content negotiation when selecting alternatives, such that the user's preferences are respected when choosing one of several possible contents to serve. **Changing the metadata for a file does not change the value of the Last-Modified header. Thus, previously cached copies may still be used by a client or proxy, with the previous headers. If you change the metadata (language, content type, character set, or encoding), you may need to 'touch' affected files (updating their last modified date) to ensure all visitors receive the corrected content headers.** ### Serve resources with the proper media types (a.k.a. MIME types) Associates media types with one or more extensions to make sure the resources will be served appropriately. Servers should use `text/javascript` for JavaScript resources as indicated in the [HTML specification](https://html.spec.whatwg.org/multipage/scripting.html#scriptingLanguages) ```apacheconf <IfModule mod_expires.c> # Data interchange AddType application/atom+xml atom AddType application/json json map topojson AddType application/ld+json jsonld AddType application/rss+xml rss AddType application/geo+json geojson AddType application/rdf+xml rdf AddType application/xml xml # JavaScript AddType text/javascript js mjs # Manifest files AddType application/manifest+json webmanifest AddType application/x-web-app-manifest+json webapp AddType text/cache-manifest appcache # Media files AddType audio/mp4 f4a f4b m4a AddType audio/ogg oga ogg opus AddType image/bmp bmp AddType image/svg+xml svg svgz AddType image/webp webp AddType video/mp4 f4v f4p m4v mp4 AddType video/ogg ogv AddType video/webm webm AddType image/x-icon cur ico # HEIF Images AddType image/heic heic AddType image/heif heif # HEIF Image Sequence AddType image/heics heics AddType image/heifs heifs # AVIF Images AddType image/avif avif # AVIF Image Sequence AddType image/avis avis # WebAssembly AddType application/wasm wasm # Web fonts AddType font/woff woff AddType font/woff2 woff2 AddType application/vnd.ms-fontobject eot AddType font/ttf ttf AddType font/collection ttc AddType font/otf otf # Other AddType application/octet-stream safariextz AddType application/x-bb-appworld bbaw AddType application/x-chrome-extension crx AddType application/x-opera-extension oex AddType application/x-xpinstall xpi AddType text/calendar ics AddType text/markdown markdown md AddType text/vcard vcard vcf AddType text/vnd.rim.location.xloc xloc AddType text/vtt vtt AddType text/x-component htc </IfModule> ``` ## Set the default charset attribute Every piece of content on the web has a character set. Most, if not all, the content is UTF-8 Unicode. Use [AddDefaultCharset](https://httpd.apache.org/docs/current/mod/core.html#adddefaultcharset) to serve all resources labeled as `text/html` or `text/plain` with the `UTF-8` charset. ```apacheconf <IfModule mod_mime.c> AddDefaultCharset utf-8 </IfModule> ``` ## Set the charset for specific media types Serve the following file types with the `charset` parameter set to `UTF-8` using the [AddCharset](https://httpd.apache.org/docs/current/mod/mod_mime.html#addcharset) directive available in `mod_mime`. ```apacheconf <IfModule mod_mime.c> AddCharset utf-8 .appcache \ .bbaw \ .css \ .htc \ .ics \ .js \ .json \ .manifest \ .map \ .markdown \ .md \ .mjs \ .topojson \ .vtt \ .vcard \ .vcf \ .webmanifest \ .xloc </IfModule> ``` ## `Mod_rewrite` and the `RewriteEngine` directives [mod_rewrite](https://httpd.apache.org/docs/current/mod/mod_rewrite.html) provides a way to modify incoming URL requests, dynamically, based on regular expression rules. This allows you to map arbitrary URLs onto your internal URL structure in any way you like. It supports an unlimited number of rules and an unlimited number of attached rule conditions for each rule to provide a really flexible and powerful URL manipulation mechanism. The URL manipulations can depend on various tests: server variables, environment variables, HTTP headers, timestamps, external database lookups, and various other external programs or handlers, can be used to achieve granular URL matching. ### Enable `mod_rewrite` The basic pattern to enable `mod_rewrite` is a prerequisite for all other tasks that use it. The required steps are: 1. Turn on the rewrite engine (this is necessary in order for the `RewriteRule` directives to work) as documented in the [RewriteEngine](https://httpd.apache.org/docs/current/mod/mod_rewrite.html#RewriteEngine) documentation 2. Enable the `FollowSymLinks` option if it isn't already. See [Core Options](https://httpd.apache.org/docs/current/mod/core.html#options) documentation 3. If your web host doesn't allow the `FollowSymlinks` option, you need to comment it out or remove it, and then uncomment the `Options +SymLinksIfOwnerMatch` line, but be aware of the [performance impact](https://httpd.apache.org/docs/current/misc/perf-tuning.html#symlinks) - Some cloud hosting services will require you to set `RewriteBase` - See [Rackspace FAQ](https://web.archive.org/web/20151223141222/http://www.rackspace.com/knowledge_center/frequently-asked-question/why-is-modrewrite-not-working-on-my-site) and the [HTTPD documentation](https://httpd.apache.org/docs/current/mod/mod_rewrite.html#rewritebase) - Depending on how your server is set up, you may also need to use the [`RewriteOptions`](https://httpd.apache.org/docs/current/mod/mod_rewrite.html#rewriteoptions) directive to enable some options for the rewrite engine ```apacheconf <IfModule mod_rewrite.c> RewriteEngine On Options +FollowSymlinks # Options +SymLinksIfOwnerMatch # RewriteBase / # RewriteOptions <options> </IfModule> ``` ### Forcing HTTPS These Rewrite rules will redirect from the `http://` insecure version to the `https://` secure version of the URL as described in the [Apache HTTPD wiki](https://cwiki.apache.org/confluence/display/httpd/RewriteHTTPToHTTPS). ```apacheconf <IfModule mod_rewrite.c> RewriteEngine On RewriteCond %{HTTPS} !=on RewriteRule ^/?(.*) https://%{SERVER_NAME}/$1 [R,L] </IfModule> ``` If you're using cPanel AutoSSL or the Let's Encrypt webroot method to create your TLS certificates, it will fail to validate the certificate if validation requests are redirected to HTTPS. Turn on the condition(s) you need. ```apacheconf <IfModule mod_rewrite.c> RewriteEngine On RewriteCond %{HTTPS} !=on RewriteCond %{REQUEST_URI} !^/\.well-known/acme-challenge/ RewriteCond %{REQUEST_URI} !^/\.well-known/cpanel-dcv/[\w-]+$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^ https://%{HTTP_HOST}%{REQUEST_URI} [R=301,L] </IfModule> ``` ### Redirecting from `www.` URLs These directives will rewrite `www.example.com` to `example.com`. You should not duplicate content in multiple origins (with and without www). This can cause SEO problems (duplicate content), and therefore, you should choose one of the alternatives and redirect the other one. You should also use [Canonical URLs](https://www.semrush.com/blog/canonical-url-guide/) to indicate which URL should search engines crawl (if they support the feature). Set `%{ENV:PROTO}` variable, to allow rewrites to redirect with the appropriate schema automatically (`http` or `https`). The rule assumes by default that both HTTP and HTTPS environments are available for redirection. ```apacheconf <IfModule mod_rewrite.c> RewriteEngine On RewriteCond %{HTTPS} =on RewriteRule ^ - [E=PROTO:https] RewriteCond %{HTTPS} !=on RewriteRule ^ - [E=PROTO:http] RewriteCond %{HTTP_HOST} ^www\.(.+)$ [NC] RewriteRule ^ %{ENV:PROTO}://%1%{REQUEST_URI} [R=301,L] </IfModule> ``` ### Inserting the `www.` at the beginning of URLs These rules will insert `www.` at the beginning of a URL. It's important to note that you should never make the same content available under two different URLs. This can cause SEO problems (duplicate content), and therefore, you should choose one of the alternatives and redirect the other one. For search engines that support them, you should use [Canonical URLs](https://www.semrush.com/blog/canonical-url-guide/) to indicate which URL should search engines crawl. Set the `%{ENV:PROTO}` variable, to allow rewrites to redirect with the appropriate schema automatically (`http` or `https`). The rule assumes by default that both HTTP and HTTPS environments are available for redirection. If your TLS certificate cannot handle one of the domains used during redirection, you should turn the condition on. The following might not be a good idea if you use "real" subdomains for certain parts of your website. ```apacheconf <IfModule mod_rewrite.c> RewriteEngine On RewriteCond %{HTTPS} =on RewriteRule ^ - [E=PROTO:https] RewriteCond %{HTTPS} !=on RewriteRule ^ - [E=PROTO:http] RewriteCond %{HTTPS} !=on RewriteCond %{HTTP_HOST} !^www\. [NC] RewriteCond %{SERVER_ADDR} !=127.0.0.1 RewriteCond %{SERVER_ADDR} !=::1 RewriteRule ^ %{ENV:PROTO}://www.%{HTTP_HOST}%{REQUEST_URI} [R=301,L] </IfModule> ``` ## Frame options The example below sends the `X-Frame-Options` response header with DENY as the value, informing browsers not to display the content of the web page in any frame to protect the website against [clickjacking](/en-US/docs/Glossary/Clickjacking). This might not be the best setting for everyone. You should read about [the other two possible values for the `X-Frame-Options` header](https://datatracker.ietf.org/doc/html/rfc7034#section-2.1): `SAMEORIGIN` and `ALLOW-FROM`. While you could send the `X-Frame-Options` header for all of your website's pages, this has the potential downside that it forbids even any framing of your content (e.g.: when users visit your website using a Google Image Search results page). Nonetheless, you should ensure that you send the `X-Frame-Options` header for all pages that allow a user to make a state-changing operation (e.g., pages that contain one-click purchase links, checkout, or bank-transfer confirmation pages, pages that make permanent configuration changes, etc.). ```apacheconf <IfModule mod_headers.c> Header always set X-Frame-Options "DENY" "expr=%{CONTENT_TYPE} =~ m#text/html#i" </IfModule> ``` ## Content Security Policy (CSP) [CSP (Content Security Policy)](https://content-security-policy.com/) mitigates the risk of cross-site scripting and other content-injection attacks by setting a `Content Security Policy` which allows trusted sources of content for your website. There is no policy that fits all websites, the example below is meant as guidelines for you to modify for your site. To make your CSP implementation easier, you can use an online [CSP header generator](https://report-uri.com/home/generate/). You should also use a [validator](https://csp-evaluator.withgoogle.com) to make sure your header does what you want it to do. ```apacheconf <IfModule mod_headers.c> Content-Security-Policy "default-src 'self'; base-uri 'none'; form-action 'self'; frame-ancestors 'none'; upgrade-insecure-requests" "expr=%{CONTENT_TYPE} =~ m#text\/(html|javascript)|application\/pdf|xml#i" </IfModule> ``` ## Directory access This directive will prevent access to directories that don't have an index file present in whatever format the server is configured to use, like `index.html`, or `index.php`. ```apacheconf <IfModule mod_autoindex.c> Options -Indexes </IfModule> ``` ## Block access to hidden files and directories In Macintosh and Linux systems, files that begin with a period are hidden from view but not from access if you know their name and location. These types of files usually contain user preferences or the preserved state of a utility, and can include rather private places like, for example, the `.git` or `.svn` directories. The `.well-known/` directory represents [the standard (RFC 5785)](https://datatracker.ietf.org/doc/html/rfc5785) path prefix for "well-known locations" (e.g.: `/.well-known/manifest.json`, `/.well-known/keybase.txt`), and therefore, access to its visible content should not be blocked. ```apacheconf <IfModule mod_rewrite.c> RewriteEngine On RewriteCond %{REQUEST_URI} "!(^|/)\.well-known/([^./]+./?)+$" [NC] RewriteCond %{SCRIPT_FILENAME} -d [OR] RewriteCond %{SCRIPT_FILENAME} -f RewriteRule "(^|/)\." - [F] </IfModule> ``` ## Block access to files with sensitive information Block access to backup and source files that may be left by some text editors and can pose a security risk when anyone has access to them. Update the `<FilesMatch>` regular expression in the following example to include any files that might end up on your production server and can expose sensitive information about your website. These files may include configuration files or files that contain metadata about the project, among others. ```apacheconf <IfModule mod_authz_core.c> <FilesMatch "(^#.*#|\.(bak|conf|dist|fla|in[ci]|log|orig|psd|sh|sql|sw[op])|~)$"> Require all denied </FilesMatch> </IfModule> ``` ## HTTP Strict Transport Security (HSTS) If a user types `example.com` in their browser, even if the server redirects them to the secure version of the website, that still leaves a window of opportunity (the initial HTTP connection) for an attacker to downgrade or redirect the request. The following header ensures that a browser only connects to your server via HTTPS, regardless of what the users type in the browser's address bar. Be aware that Strict Transport Security is not revokable, and you must ensure being able to serve the site over HTTPS for as long as you've specified in the `max-age` directive. If you don't have a valid TLS connection anymore (e.g., due to an expired TLS certificate), your visitors will see an error message even when attempting to connect over HTTP. ```apacheconf <IfModule mod_headers.c> # Header always set Strict-Transport-Security "max-age=16070400; includeSubDomains" "expr=%{HTTPS} == 'on'" # (1) Enable your site for HSTS preload inclusion. # Header always set Strict-Transport-Security "max-age=31536000; includeSubDomains; preload" "expr=%{HTTPS} == 'on'" </IfModule> ``` ## Prevent some browsers from MIME-sniffing the response 1. Restricts all fetches by default to the origin of the current website by setting the `default-src` directive to `'self'` - which acts as a fallback to all [Fetch directives](/en-US/docs/Glossary/Fetch_directive). - This is convenient as you do not have to specify all Fetch directives that apply to your site, for example: `connect-src 'self'; font-src 'self'; script-src 'self'; style-src 'self'`, etc - This restriction also means that you must explicitly define from which site(s) your website is allowed to load resources from. Otherwise, it will be restricted to the same origin as the page making the request 2. Disallows the `<base>` element on the website. This is to prevent attackers from changing the locations of resources loaded from relative URLs - If you want to use the `<base>` element, then use `base-uri 'self'` instead 3. Only allows form submissions are from the current origin with: `form-action 'self'` 4. Prevents all websites (including your own) from embedding your webpages within e.g. the `<iframe>` or `<object>` element by setting: `frame-ancestors 'none'`. - The `frame-ancestors` directive helps avoid [clickjacking](/en-US/docs/Glossary/Clickjacking) attacks and is similar to the `X-Frame-Options` header - Browsers that support the CSP header will ignore `X-Frame-Options` if `frame-ancestors` is also specified 5. Forces the browser to treat all the resources that are served over HTTP as if they were loaded securely over HTTPS by setting the `upgrade-insecure-requests` directive - **`upgrade-insecure-requests` does not ensure HTTPS for the top-level navigation. If you want to force the website itself to be loaded over HTTPS you must include the `Strict-Transport-Security` header** 6. Includes the `Content-Security-Policy` header in all responses that are able to execute scripting. This includes the commonly used file types: HTML, XML and PDF documents. Although JavaScript files can not execute scripts in a "browsing context", they are included to target [web workers](/en-US/docs/Web/HTTP/Headers/Content-Security-Policy#csp_in_workers) Some older browsers would try and guess the content type of a resource, even when it isn't properly set up on the server configuration. This reduces exposure to drive-by download attacks and cross-origin data leaks. ```apacheconf <IfModule mod_headers.c> Header always set X-Content-Type-Options "nosniff" </IfModule> ``` ## Referrer policy We include the `Referrer-Policy` header in responses for resources that are able to request (or navigate to) other resources. This includes commonly used resource types: HTML, CSS, XML/SVG, PDF documents, scripts, and workers. To prevent referrer leakage entirely, specify the `no-referrer` value instead. Note that the effect could negatively impact analytics tools. Use services like the ones below to check your `Referrer-Policy`: - [securityheaders.com](https://securityheaders.com/) - [Mozilla Observatory](https://observatory.mozilla.org/) ```apacheconf <IfModule mod_headers.c> Header always set Referrer-Policy "strict-origin-when-cross-origin" "expr=%{CONTENT_TYPE} =~ m#text\/(css|html|javascript)|application\/pdf|xml#i" </IfModule> ``` ## Disable `TRACE` HTTP Method The [TRACE](/en-US/docs/Web/HTTP/Methods/TRACE) method, while seemingly harmless, can be successfully leveraged in some scenarios to steal legitimate users' credentials. See [A Cross-Site Tracing (XST) attack](https://owasp.org/www-community/attacks/Cross_Site_Tracing) and [OWASP Web Security Testing Guide](https://owasp.org/www-project-web-security-testing-guide/v41/4-Web_Application_Security_Testing/02-Configuration_and_Deployment_Management_Testing/06-Test_HTTP_Methods#test-xst-potential) Modern browsers now prevent TRACE requests made via JavaScript, however, other ways of sending TRACE requests with browsers have been discovered, such as using Java. If you have access to the main server configuration file, use the [`TraceEnable`](https://httpd.apache.org/docs/current/mod/core.html#traceenable) directive instead. ```apacheconf <IfModule mod_rewrite.c> RewriteEngine On RewriteCond %{REQUEST_METHOD} ^TRACE [NC] RewriteRule .* - [R=405,L] </IfModule> ``` ## Remove the `X-Powered-By` response header Some frameworks like PHP and ASP.NET set an `X-Powered-By` header that contains information about them (e.g., their name, version number) This header doesn't provide any value, and in some cases, the information it provides can expose vulnerabilities ```apacheconf <IfModule mod_headers.c> Header unset X-Powered-By Header always unset X-Powered-By </IfModule> ``` If you can, you should disable the `X-Powered-By` header from the language/framework level (e.g.: for PHP, you can do that by setting the following in `php.ini`. ```ini expose_php = off; ``` ## Remove Apache-generated server information footer Prevent Apache from adding a trailing footer line containing information about the server to the server-generated documents (e.g., error messages, directory listings, etc.). See the [`ServerSignature` directive](https://httpd.apache.org/docs/current/mod/core.html#serversignature) documentation for more information on what the server signature provides and the [`ServerTokens` directive](https://httpd.apache.org/docs/current/mod/core.html#servertokens) for information about configuring the information provided in the signature. ```apacheconf ServerSignature Off ``` ## Fix broken `AcceptEncoding` headers Some proxies and security software mangle or strip the `Accept-Encoding` HTTP header. See [Pushing Beyond Gzipping](https://calendar.perfplanet.com/2010/pushing-beyond-gzipping/) for a more detailed explanation. ```apacheconf <IfModule mod_deflate.c> <IfModule mod_setenvif.c> <IfModule mod_headers.c> SetEnvIfNoCase ^(Accept-EncodXng|X-cept-Encoding|X{15}|~{15}|-{15})$ ^((gzip|deflate)\s*,?\s*)+|[X~-]{4,13}$ HAVE_Accept-Encoding RequestHeader append Accept-Encoding "gzip,deflate" env=HAVE_Accept-Encoding </IfModule> </IfModule> </IfModule> ``` ## Compress media types Compress all output labeled with one of the following media types using the [AddOutputFilterByType Directive](https://httpd.apache.org/docs/current/mod/mod_filter.html#addoutputfilterbytype). ```apacheconf <IfModule mod_deflate.c> <IfModule mod_filter.c> AddOutputFilterByType DEFLATE "application/atom+xml" \ "application/javascript" \ "application/json" \ "application/ld+json" \ "application/manifest+json" \ "application/rdf+xml" \ "application/rss+xml" \ "application/schema+json" \ "application/geo+json" \ "application/vnd.ms-fontobject" \ "application/wasm" \ "application/x-font-ttf" \ "application/x-javascript" \ "application/x-web-app-manifest+json" \ "application/xhtml+xml" \ "application/xml" \ "font/eot" \ "font/opentype" \ "font/otf" \ "font/ttf" \ "image/bmp" \ "image/svg+xml" \ "image/vnd.microsoft.icon" \ "text/cache-manifest" \ "text/calendar" \ "text/css" \ "text/html" \ "text/javascript" \ "text/plain" \ "text/markdown" \ "text/vcard" \ "text/vnd.rim.location.xloc" \ "text/vtt" \ "text/x-component" \ "text/x-cross-domain-policy" \ "text/xml" </IfModule> </IfModule> ``` ## Map extensions to media types Map the following filename extensions to the specified encoding type using [AddEncoding](https://httpd.apache.org/docs/current/mod/mod_mime.html#addencoding) so Apache can serve the file types with the appropriate `Content-Encoding` response header (this will NOT make Apache compress them!). If these file types were served without an appropriate `Content-Encoding` response header, client applications (e.g., browsers) wouldn't know that they first need to uncompress the response, and thus, wouldn't be able to understand the content. ```apacheconf <IfModule mod_deflate.c> <IfModule mod_mime.c> AddEncoding gzip svgz </IfModule> </IfModule> ``` ## Cache expiration Serve resources with a far-future expiration date using the [mod_expires](https://httpd.apache.org/docs/current/mod/mod_expires.html) module, and [Cache-Control](/en-US/docs/Web/HTTP/Headers/Cache-Control) and [Expires](/en-US/docs/Web/HTTP/Headers/Expires) headers. ```apacheconf <IfModule mod_expires.c> ExpiresActive on ExpiresDefault "access plus 1 month" # CSS ExpiresByType text/css "access plus 1 year" # Data interchange ExpiresByType application/atom+xml "access plus 1 hour" ExpiresByType application/rdf+xml "access plus 1 hour" ExpiresByType application/rss+xml "access plus 1 hour" ExpiresByType application/json "access plus 0 seconds" ExpiresByType application/ld+json "access plus 0 seconds" ExpiresByType application/schema+json "access plus 0 seconds" ExpiresByType application/geo+json "access plus 0 seconds" ExpiresByType application/xml "access plus 0 seconds" ExpiresByType text/calendar "access plus 0 seconds" ExpiresByType text/xml "access plus 0 seconds" # Favicon (cannot be renamed!) and cursor images ExpiresByType image/vnd.microsoft.icon "access plus 1 week" ExpiresByType image/x-icon "access plus 1 week" # HTML ExpiresByType text/html "access plus 0 seconds" # JavaScript ExpiresByType text/javascript "access plus 1 year" # Manifest files ExpiresByType application/manifest+json "access plus 1 week" ExpiresByType application/x-web-app-manifest+json "access plus 0 seconds" ExpiresByType text/cache-manifest "access plus 0 seconds" # Markdown ExpiresByType text/markdown "access plus 0 seconds" # Media files ExpiresByType audio/ogg "access plus 1 month" ExpiresByType image/bmp "access plus 1 month" ExpiresByType image/gif "access plus 1 month" ExpiresByType image/jpeg "access plus 1 month" ExpiresByType image/svg+xml "access plus 1 month" ExpiresByType image/webp "access plus 1 month" # PNG and animated PNG ExpiresByType image/apng "access plus 1 month" ExpiresByType image/png "access plus 1 month" # HEIF Images ExpiresByType image/heic "access plus 1 month" ExpiresByType image/heif "access plus 1 month" # HEIF Image Sequence ExpiresByType image/heics "access plus 1 month" ExpiresByType image/heifs "access plus 1 month" # AVIF Images ExpiresByType image/avif "access plus 1 month" # AVIF Image Sequence ExpiresByType image/avis "access plus 1 month" ExpiresByType video/mp4 "access plus 1 month" ExpiresByType video/ogg "access plus 1 month" ExpiresByType video/webm "access plus 1 month" # WebAssembly ExpiresByType application/wasm "access plus 1 year" # Web fonts # Collection ExpiresByType font/collection "access plus 1 month" # Embedded OpenType (EOT) ExpiresByType application/vnd.ms-fontobject "access plus 1 month" ExpiresByType font/eot "access plus 1 month" # OpenType ExpiresByType font/opentype "access plus 1 month" ExpiresByType font/otf "access plus 1 month" # TrueType ExpiresByType application/x-font-ttf "access plus 1 month" ExpiresByType font/ttf "access plus 1 month" # Web Open Font Format (WOFF) 1.0 ExpiresByType application/font-woff "access plus 1 month" ExpiresByType application/x-font-woff "access plus 1 month" ExpiresByType font/woff "access plus 1 month" # Web Open Font Format (WOFF) 2.0 ExpiresByType application/font-woff2 "access plus 1 month" ExpiresByType font/woff2 "access plus 1 month" # Other ExpiresByType text/x-cross-domain-policy "access plus 1 week" </IfModule> ```
0
data/mdn-content/files/en-us/learn
data/mdn-content/files/en-us/learn/performance/index.md
--- title: Web performance slug: Learn/Performance page-type: learn-module --- {{LearnSidebar}} Building websites requires HTML, CSS, and JavaScript. To build websites and applications people want to use, which attract and retain users, you need to create a good user experience. Part of good user experience is ensuring the content is quick to load and responsive to user interaction. This is known as **web performance**, and in this module you'll focus on the fundamentals of how to create performant websites. The rest of our beginner's learning material tried to stick to web best practices such as performance and [accessibility](/en-US/docs/Learn/Accessibility) as much as possible, however, it is good to focus specifically on such topics too, and make sure you are familiar with them. ## Learning pathway While knowing HTML, CSS, and JavaScript is needed for implementing many web performance improvement recommendations, knowing how to build applications is not a necessary pre-condition for understanding and measuring web performance. We do however recommend that before you work through this module, you at least get a basic idea of web development by working through our [Getting started with the web](/en-US/docs/Learn/Getting_started_with_the_web) module. It would also be helpful to go a bit deeper into these topics, with modules such as: - [Introduction to HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML) - [CSS first steps](/en-US/docs/Learn/CSS/First_steps) - [JavaScript first steps](/en-US/docs/Learn/JavaScript/First_steps) Once you've worked through this module, you'll probably be excited to go deeper into web performance β€” you can find a lot of further teachings in our [main MDN Web performance section](/en-US/docs/Web/Performance), including overviews of performance APIs, testing and analysis tools, and performance bottleneck gotchas. ## Guides This topic contains the following guides. The following is a suggested order for working through them; you should definitely start with the first one. - [The "why" of web performance](/en-US/docs/Learn/Performance/why_web_performance) - : This article discusses why web performance is important for accessibility, user experience and your business goals. - [What is web performance?](/en-US/docs/Learn/Performance/What_is_web_performance) - : You know web performance is important, but what constitutes web performance? This article introduces the components of performance, from web page loading and rendering, including how your content makes it into your users' browser to be viewed, to what groups of people we need to consider when thinking about performance. - [How do users perceive performance?](/en-US/docs/Learn/Performance/Perceived_performance) - : More important than how fast your website is in milliseconds, is how fast your users perceive your site to be. These perceptions are impacted by actual page load time, idling, responsiveness to user interaction, and the smoothness of scrolling and other animations. In this article, we discuss the various loading metrics, animation, and responsiveness metrics, along with best practices to improve user perception, if not the actual timings. - [Measuring performance](/en-US/docs/Learn/Performance/Measuring_performance) - : Now that you understand a few performance metrics, we take a deeper dive into performance tools, metrics, and APIs and how we can make performance part of the web development workflow. - [Multimedia: images](/en-US/docs/Learn/Performance/Multimedia) - : The lowest hanging fruit of web performance is often media optimization. Serving different media files based on each user agent's capability, size, and pixel density is possible. In this article we discuss the impact images have on performance, and the methods to reduce the number of bytes sent per image. - [Multimedia: video](/en-US/docs/Learn/Performance/video) - : The lowest hanging fruit of web performance is often media optimization. In this article we discuss the impact video content has on performance, and cover tips like removing audio tracks from background videos can improve performance. - [JavaScript performance optimization](/en-US/docs/Learn/Performance/JavaScript) - : JavaScript, when used properly, can allow for interactive and immersive web experiences β€” or it can significantly harm download time, render time, in-app performance, battery life, and user experience. This article outlines some JavaScript best practices that should be considered to ensure even complex content is as performant as possible. - [HTML performance optimization](/en-US/docs/Learn/Performance/HTML) - : Some attributes and the source order of your markup can impact the performance or your website. By minimizing the number of DOM nodes, making sure the best order and attributes are used for including content such as styles, scripts, media, and third-party scripts, you can drastically improve the user experience. This article looks in detail at how HTML can be used to ensure maximum performance. - [CSS performance optimization](/en-US/docs/Learn/Performance/CSS) - : CSS may be a less important optimization focus for improved performance, but there are some CSS features that impact performance more than others. In this article we look at some CSS properties that impact performance and suggested ways of handling styles to ensure performance is not negatively impacted. - [Fonts and performance](/en-US/docs/Learn/Performance/Fonts) - : A look at whether you need to include external fonts and, if you do, how to include the fonts your design requires with the least impact on your sites performance. - [Mobile performance](/en-US/docs/Learn/Performance/Mobile) - : With web access on mobile devices being so popular, and all mobile platforms having fully-fledged web browsers, but possibly limited bandwidth, CPU and battery life, it is important to consider the performance of your web content on these platforms. This article looks at mobile-specific performance considerations. - [The business case for web performance](/en-US/docs/Learn/Performance/business_case_for_performance) - : There are many things a developer can do to improve performance, but how fast is fast enough? How can you convince powers that be of the importance of these efforts? Once optimized, how can you ensure bloat doesn't come back? In this article we look at convincing management, developing a performance culture and performance budget, and introduce ways to ensure regressions don't sneak into your code base. ## See also - [Web performance resources](/en-US/docs/Learn/Performance/Web_Performance_Basics) - : In addition to the front end components of HTML, CSS, JavaScript, and media files, there are features that can make applications slower and features that can make applications subjectively and objectively faster. There are many APIs, developer tools, best practices, and bad practices relating to web performance. Here we'll introduce many of these features at the basic level and provide links to deeper dives to improve performance for each topic. - [Responsive images](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Responsive_images) - : In this article, we'll learn about the concept of responsive images β€” images that work well on devices with widely differing screen sizes, resolutions, and other such features β€” and look at what tools HTML provides to help implement them. This helps to improve performance across different devices. Responsive images are just one part of [responsive design](/en-US/docs/Learn/CSS/CSS_layout/Responsive_Design), a future CSS topic for you to learn. - [Main web performance section on MDN](/en-US/docs/Web/Performance) - : Our main web performance section β€” here you'll find much more detail on web performance including overviews of performance APIs, testing and analysis tools, and performance bottleneck gotchas.
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/html/index.md
--- title: HTML performance optimization slug: Learn/Performance/HTML page-type: learn-module-chapter --- {{LearnSidebar}} {{PreviousMenuNext("Learn/Performance/javascript_performance", "Learn/Performance/CSS", "Learn/Performance")}} HTML is by default fast and accessible. It is our job, as developers, to ensure that we preserve these two properties when creating or editing HTML code. Complications can occur when, for example, the file size of a {{htmlelement("video")}} embed is too large or when JavaScript parsing blocks the rendering of critical page elements. This article walks you through the key HTML performance features that can drastically improve the quality of your web page. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn about the impact of HTML on website performance and how to optimize your HTML to improve performance. </td> </tr> </tbody> </table> ## To optimize or not to optimize The first question you should answer before starting to optimize your HTML is "what do I need to optimize?". Some of the tips and techniques discussed below are good practices that will benefit just about any web project, whereas some are only needed in certain situations. Trying to apply all these techniques everywhere is probably unnecessary, and may be a waste of your time. You should figure out what performance optimizations are actually needed in each project. To do this, you need to [measure the performance](/en-US/docs/Learn/Performance/Measuring_performance) of your site. As this link shows, there are several different ways to measure performance, some involving sophisticated [performance APIs](/en-US/docs/Web/API/Performance_API). The best way to get started, however, is to learn how to use tools such as built-in browser [network](/en-US/docs/Learn/Performance/Measuring_performance#network_monitor_tools) and [performance](/en-US/docs/Learn/Performance/Measuring_performance#performance_monitor_tools) tools, to examine the parts of the page that are taking a long time to load and need optimizing. ## Key HTML performance issues HTML is simple in terms of performance β€” it is mostly text, which is small in size, and therefore, mostly quick to download and render. The key issues that can impact the performance of a web page include: - Size of the image and video files: It is important to consider how to handle the content of replaced elements such as {{htmlelement("img")}} and {{htmlelement("video")}}. Image and video files are large and can add significantly to the weight of the page. Therefore, it is important to minimize the amount of bytes that get downloaded on a user's device (for example, serve smaller images for mobile). You also need to consider improving the perceived performance by loading images and videos on a page only when they are needed. - Delivery of embedded content: This is usually the content embedded in {{htmlelement("iframe")}} elements. Loading content into `<iframe>`s can impact performance significantly, so it should be considered carefully. - Order of resource loading: To maximize the perceived and actual performance, the HTML should be loaded first, in the order in which it appears on the page. You can then use various features to influence the order of resource loading for better performance. For example, you can preload critical CSS and fonts early, but defer non-critical JavaScript until later on. > **Note:** There is an argument to be made for simplifying your HTML structure and [minifying](<https://en.wikipedia.org/wiki/Minification_(programming)>) your source code, so that rendering and downloads are faster. However, HTML file size is negligible compared to images and videos, and browser rendering is very fast these days. If your HTML source is so large and complex that it is creating rendering and download performance hits, you probably have bigger problems, and should aim to simplify it and split the content up. ## Responsive handling of replaced elements [Responsive design](/en-US/docs/Learn/CSS/CSS_layout/Responsive_Design) has revolutionized the way that web content layout is handled across different devices. One key advantage that it enables is dynamic switching of layouts optimized for different screen sizes, for example a wide screen layout versus a narrow (mobile) screen layout. It can also handle dynamic switching of content based on other device attributes, such as resolution or preference for light or dark color scheme. The so-called "mobile first" technique can ensure that the default layout is for small-screen devices, so mobiles can just download images suitable for their screens, and don't need to take the performance hit of downloading larger desktop images. However, since this is controlled using [media queries](/en-US/docs/Web/CSS/CSS_media_queries/Using_media_queries) in your CSS, it can only positively affect performance of images loaded in CSS. In the sections below, we'll summarize how to implement responsive replaced elements. You can find a lot more detail about these implementations in the [Video and audio content](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content) and [Responsive images](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Responsive_images) guides. ### Providing different image resolutions via srcset To provide different resolution versions of the same image depending on the device's resolution and viewport size, you can use the [`srcset`](/en-US/docs/Web/HTML/Element/img#srcset) and [`sizes`](/en-US/docs/Web/HTML/Element/img#sizes) attributes. This example provides different size images for different screen widths: ```html <img srcset="480w.jpg 480w, 800w.jpg 800w" sizes="(max-width: 600px) 480px, 800px" src="800w.jpg" alt="Family portrait" /> ``` `srcset` provides the intrinsic size of the source images along with their filenames, and `sizes` provides media queries alongside image slot widths that need to be filled in each case. The browser then decides which images makes sense to load for each slot. As an example, if the screen width is `600px` or less, then `max-width: 600px` is true, and therefore, the slot to fill is said to be `480px`. In this case, the browser will likely choose to load the 480w.jpg file (480px-wide image). This helps with performance because browsers don't load larger images than they need. This example provides different resolution images for different screen resolutions: ```html <img srcset="320w.jpg, 480w.jpg 1.5x, 640w.jpg 2x" src="640w.jpg" alt="Family portrait" /> ``` `1.5x`, `2x`, etc. are relative resolution indicators. If the image is styled to be 320px-wide (for example with `width: 320px` in CSS), the browser will load `320w.jpg` if the device is low resolution (one device pixel per CSS pixel), or `640x.jpg` if the device is high resolution (two device pixels per CSS pixel or more). In both cases, the `src` attribute provides a default image to load if the browser does not support `src`/`srcset`. ### Providing different sources for images and videos The {{htmlelement("picture")}} element builds on the traditional {{htmlelement("img")}} element, allowing you to provide multiple different sources for different situations. For example if the layout is wide, you will probably want a wide image, and if it is narrow, you will want a narrower image that still works in that context. Of course, this also works to provide a smaller download of information on mobile devices, helping with performance. An example is as follows: ```html <picture> <source media="(max-width: 799px)" srcset="narrow-banner-480w.jpg" /> <source media="(min-width: 800px)" srcset="wide-banner-800w.jpg" /> <img src="large-banner-800w.jpg" alt="Dense forest scene" /> </picture> ``` The {{htmlelement("source")}} elements contain media queries inside `media` attributes. If a media query returns true, the image referenced in its `<source>` element's `srcset` attribute is loaded. In the above example, if the viewport width is `799px` or less, the `narrow-banner-480w.jpg` image is loaded. Also note how the `<picture>` element includes an `<img>` element, which provides a default image to load in the case of browsers that don't support `<picture>`. Note the use of the `srcset` attribute in this example. As shown in the previous section, you can provide different resolutions for each image source. `<video>` elements work in a similar way, in terms of providing different sources: ```html <video controls> <source src="video/smaller.mp4" type="video/mp4" /> <source src="video/smaller.webm" type="video/webm" /> <source src="video/larger.mp4" type="video/mp4" media="(min-width: 800px)" /> <source src="video/larger.webm" type="video/webm" media="(min-width: 800px)" /> <!-- fallback for browsers that don't support video element --> <a href="video/larger.mp4">download video</a> </video> ``` There are, however, some key differences between providing sources for images and videos: - In the above example, we are using `src` rather than `srcset`; you can't specify different resolutions for videos via `srcset`. - Instead, you specify different resolutions inside the different `<source>` elements. - Note how we are also specifying different video formats inside different `<source>` elements, with each format being identified via its MIME type inside the `type` attribute. Browsers will load the first one they come across that they support, where the media query test returns true. ### Lazy loading images A very useful technique for improving performance is **lazy loading**. This refers to the practice of not loading all images immediately when the HTML is rendered, but instead only loading them when they are actually visible to the user in the viewport (or imminently visible). This means that the immediately visible/usable content is ready to use more quickly, whereas subsequent content only has its images rendered when scrolled to, and the browser won't waste bandwidth loading images that the user will never see. Lazy loading has historically been handled using JavaScript, but browsers now have a `loading` attribute available that can instruct the browser to lazy load images automatically: ```html <img src="800w.jpg" alt="Family portrait" loading="lazy" /> ``` See [Browser-level image lazy loading for the web](https://web.dev/articles/browser-level-image-lazy-loading) on web.dev for detailed information. You can also lazy load video content by using the `preload` attribute. For example: ```html <video controls preload="none" poster="poster.jpg"> <source src="video.webm" type="video/webm" /> <source src="video.mp4" type="video/mp4" /> </video> ``` Giving `preload` a value of `none` tells the browser to not preload any of the video data before the user decides to play it, which is obviously good for performance. Instead, it will just show the image indicated by the `poster` attribute. Different browsers have different default video loading behavior, so it is good to be explicit. See [Lazy loading video](https://web.dev/articles/lazy-loading-video) on web.dev for detailed information. ## Handling embedded content It is very common for content to be embedded in web pages from other sources. This is most commonly done when displaying advertising on a site to generate revenue β€” the ads are usually generated by a third-party company of some kind and embedded onto your page. Other uses might include: - Displaying shared content that a user might need across multiple pages, such as a shopping cart or profile information. - Displaying third-party content related to the organization's main site, such as a social media posts feed. Embedding content is most commonly done using {{htmlelement("iframe")}} elements, although other less commonly used embedding elements do exist, such as {{htmlelement("object")}} and {{htmlelement("embed")}}. We'll concentrate on `<iframe>`s in this section. The most important and key piece of advice for using `<iframe>`s is: "Don't use embedded `<iframe>`s unless you absolutely have to". If you are creating a page with multiple different panes of information on it, it might sound organizationally sensible to break those up into separate pages and load them into different `<iframe>`s. However, this has a number of problems associated with it in terms of performance and otherwise: - Loading the content into an `<iframe>` is much more expensive than loading the content as part of the same direct page β€” not only does it require extra HTTP requests to load the content, but the browser also needs to create a separate page instance for each one. Each one is effectively a separate web page instance embedded in the top-level web page. - Following on from the previous point, you'll also need to handle any CSS styling or JavaScript manipulation separately for each different `<iframe>` (unless the embedded pages are from the same origin), which becomes much more complex. You can't target embedded content with CSS and JavaScript applied to the top-level page, or vice versa. This is a sensible security measure that is fundamental to the web. Imagine all the problems you might run into if third-party embedded content could arbitrarily run scripts against any page it was embedded in! - Each `<iframe>` would also need to load any shared data and media files separately β€” you can't share cached assets across different page embeds (again, unless the embedded pages are from the same origin). This can lead to a page using much more bandwidth than you might expect. It is advisable to put the content into a single page. If you want to pull in new content dynamically as the page changes, it is still better for performance to load it into the same page rather than putting it into an `<iframe>`. You might grab the new data using the {{domxref("fetch()")}} method, for example, and then inject it into the page using some DOM scripting. See [Fetching data from the server](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Fetching_data) and [Manipulating documents](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Manipulating_documents) for more information. > **Note:** If you control the content and it is relatively simple, you could consider using base-64 encoded content in the `src` attribute to populate the `<iframe>`, or even insert raw HTML into the `srcdoc` attribute (See [Iframe Performance Part 2: The Good News](https://medium.com/slices-of-bread/iframe-performance-part-2-the-good-news-26eb53cea429) for more information). If you must use `<iframe>`s, then use them sparingly. #### Lazy loading iframes In the same way as `<img>` elements, you can also use the `loading` attribute to instruct the browser to lazy-load `<iframe>` content that is initially offscreen, thereby improving performance: ```html <iframe src="https://example.com" loading="lazy" width="600" height="400"> </iframe> ``` See [It's time to lazy-load offscreen iframes!](https://web.dev/articles/iframe-lazy-loading) for more information. ## Handling resource loading order Ordering of resource loading is important for maximizing perceived and actual performance. When a web page is loaded: 1. The HTML is generally parsed first, in the order in which it appears on the page. 2. Any found CSS is parsed to understand the styles that need to be applied to the page. During this time, linked assets such as images and web fonts start to be fetched. 3. Any found JavaScript is parsed, evaluated, and run against the page. By default, this blocks parsing of the HTML that appears after the {{htmlelement("script")}} elements where the JavaScript is encountered. 4. Slightly later on, the browser works out how each HTML element should be styled, given the CSS applied to it. 5. The styled result is then painted to the screen. > **Note:** This is a very simplified account of what happens, but it does give you an idea. Various HTML features allow you to modify how resource loading happens to improve performance. We'll explore some of these now. ### Handling JavaScript loading Parsing and executing JavaScript blocks the parsing of subsequent DOM content. This increases the time until that content is rendered and usable by the users of the page. A small script won't make much difference, but consider that modern web applications tend to be very JavaScript-heavy. Another side effect of the default JavaScript parsing behavior is that, if the script being rendered relies on DOM content that appears later on in the page, you'll get errors. For example, imagine a simple paragraph on a page: ```html <p>My paragraph</p> ``` Now imagine a JavaScript file that contains the following code: ```js const pElem = document.querySelector("p"); pElem.addEventListener("click", () => { alert("You clicked the paragraph"); }); ``` We can apply this script to the page by referring to it in a `<script>` element like this: ```html <script src="index.js"></script> ``` If we put this `<script>` element before the `<p>` element in the source order (for example, in the {{htmlelement("head")}} element), the page will throw an error (Chrome for example reports "Uncaught TypeError: Cannot read properties of null (reading 'addEventListener')" to the console). This occurs because the script relies on the `<p>` element to work, but at the point the script is parsed, the `<p>` element does not exist on the page. It has not yet been rendered. You can fix the above issue by putting the `<script>` element after the `<p>` element (for example at the end of the document body), or by running the code inside a suitable event handler (for example run it on the [`DOMContentLoaded`](/en-US/docs/Web/API/Document/DOMContentLoaded_event), which fires when the DOM has been completely parsed). However, this doesn't solve the problem of waiting for the script to load. Better performance can be achieved by adding the `async` attribute to the `<script>` element: ```html <script async src="index.js"></script> ``` This causes the script to be fetched in parallel with the DOM parsing, so it is ready at the same time, and won't block rendering, thereby improving performance. > **Note:** There is another attribute, `defer`, which causes the script to be executed after the document has been parsed, but before firing `DOMContentLoaded`. This has a similar effect to `async`. Another JavaScript load handling tip is to split your script up into code modules and load each part when required, instead of putting all your code into one giant script and loading it all at the beginning. This is done using [JavaScript modules](/en-US/docs/Web/JavaScript/Guide/Modules). Read the linked article for a detailed guide. ### Preloading content with rel="preload" The fetching of other resources (such as images, videos, or font files) linked to from your HTML, CSS, and JavaScript can also cause performance problems, blocking your code from executing and slowing down the experience. One way to mitigate such problems is to use `rel="preload"` to turn {{htmlelement("link")}} elements into preloaders. For example: ```html <link rel="preload" href="sintel-short.mp4" as="video" type="video/mp4" /> ``` Upon coming across a `rel="preload"` link, the browser will fetch the referenced resource as soon as possible and make it available in the browser cache so that it will be ready for use sooner when it is referenced in subsequent code. It is useful to preload high-priority resources that the user will encounter early on in a page so that the experience is as smooth as possible. See the following articles for detailed information on using `rel="preload"`: - [`rel="preload"`](/en-US/docs/Web/HTML/Attributes/rel/preload) - [Preload critical assets to improve loading speed](https://web.dev/articles/preload-critical-assets) on web.dev (2020) > **Note:** You can use `rel="preload"` to preload CSS and JavaScript files as well. > **Note:** There are other [`rel`](/en-US/docs/Web/HTML/Attributes/rel) values that are also designed to speed up various aspects of page loading: `dns-prefetch`, `preconnect`, `modulepreload`, `prefetch`, and `prerender`. Go to the linked page and find out what they do. {{PreviousMenuNext("Learn/Performance/javascript_performance", "Learn/Performance/CSS", "Learn/Performance")}} ## See also - [Fetching data from the server](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Fetching_data) - [Manipulating documents](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Manipulating_documents)
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/javascript/index.md
--- title: JavaScript performance optimization slug: Learn/Performance/JavaScript page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/Performance/video", "Learn/Performance/HTML", "Learn/Performance")}} It is very important to consider how you are using JavaScript on your websites and think about how to mitigate any performance issues that it might be causing. While images and video account for over 70% of the bytes downloaded for the average website, byte per byte, JavaScript has a greater potential for negative performance impact β€” it can significantly impact download times, rendering performance, and CPU and battery usage. This article introduces tips and techniques for optimizing JavaScript to enhance the performance of your website. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >. </td> </tr> <tr> <th scope="row">Objectives:</th> <td> To learn about the effects of JavaScript on web performance and how to mitigate or fix related issues. </td> </tr> </tbody> </table> ## To optimize or not to optimize The first question you should answer before starting to optimize your code is "what do I need to optimize?". Some of the tips and techniques discussed below are good practices that will benefit just about any web project, whereas some are only needed in certain situations. Trying to apply all these techniques everywhere is probably unnecessary, and may be a waste of your time. You should figure out what performance optimizations are actually needed in each project. To do this, you need to [measure the performance](/en-US/docs/Learn/Performance/Measuring_performance) of your site. As the previous link shows, there are several different ways to measure performance, some involving sophisticated [performance APIs](/en-US/docs/Web/API/Performance_API). The best way to get started however, is to learn how to use tools such as built-in browser [network](/en-US/docs/Learn/Performance/Measuring_performance#network_monitor_tools) and [performance](/en-US/docs/Learn/Performance/Measuring_performance#performance_monitor_tools) tools, to see what parts of the page load are taking a long time and need optimizing. ## Optimizing JavaScript downloads The most performant, least blocking JavaScript you can use is JavaScript that you don't use at all. You should use as little JavaScript as possible. Some tips to bear in mind: - **You don't always need a framework**: You might be familiar with using a [JavaScript framework](/en-US/docs/Learn/Tools_and_testing/Client-side_JavaScript_frameworks). If you are experienced and confident with using this framework, and like all of the tooling it provides, then it might be your go-to tool for building most projects. However, frameworks are JavaScript-heavy. If you are creating a fairly static experience with few JavaScript requirements, you probably don't need that framework. You might be able to implement what you need using a few lines of standard JavaScript. - **Consider a simpler solution**: You might have a flashy, interesting solution to implement, but consider whether your users will appreciate it. Would they prefer something simpler? - **Remove unused code:** This may sound obvious, but it is surprising how many developers forget to clean up unused functionality that was added during the development process. You need to be careful and deliberate about what is added and removed. All script gets parsed, whether it is used or not; therefore, a quick win to speed up downloads would be to get rid of any functionality not being used. Consider also that often you will only use a small amount of the functionality available in a framework. Is it possible to create a custom build of the framework that only contains the part that you need? - **Consider built-in browser features**: It might be that you can use a feature the browser already has, rather than creating your own via JavaScript. For example: - Use [built-in client-side form validation](/en-US/docs/Learn/Forms/Form_validation#using_built-in_form_validation). - Use the browser's own {{htmlelement("video")}} player. - Use [CSS animations](/en-US/docs/Web/CSS/CSS_animations/Using_CSS_animations) instead of a JavaScript animation library (see also [Handling animations](#handling_animations)). You should also split your JavaScript into multiple files representing critical and non-critical parts. [JavaScript modules](/en-US/docs/Web/JavaScript/Guide/Modules) allow you to do this more efficiently than just using separate external JavaScript files. Then you can optimize these smaller files. [Minification](/en-US/docs/Glossary/Minification) reduces the number of characters in your file, thereby reducing the number of bytes or weight of your JavaScript. [Gzipping](/en-US/docs/Glossary/GZip_compression) compresses the file further and should be used even if you don't minify your code. [Brotli](/en-US/docs/Glossary/Brotli_compression) is similar to Gzip, but generally outperforms Gzip compression. You can split and optimize your code manually, but often a module bundler like [Webpack](https://webpack.js.org/) will do a better job of this. ## Handling parsing and execution Before looking at the tips contained in this section, it is important to talk about _where_ in the process of browser page rendering JavaScript is handled. When a web page is loaded: 1. The HTML is generally parsed first, in the order in which it appears on the page. 2. Whenever CSS is encountered, it is parsed to understand the styles that need to be applied to the page. During this time, linked assets such as images and web fonts start to be fetched. 3. Whenever JavaScript is encountered, the browser parses, evaluates, and runs it against the page. 4. Slightly later on, the browser works out how each HTML element should be styled, given the CSS applied to it. 5. The styled result is then painted to the screen. > **Note:** This is a very simplified account of what happens, but it does give you an idea. The key step here is Step 3. By default, JavaScript parsing and execution are render-blocking. This means that the browser blocks the parsing of any HTML that appears after the JavaScript is encountered, until the script has been handled. As a result, styling and painting are blocked too. This means that you need to think carefully not only about what you are downloading, but also about when and how that code is being executed. The next few sections provide useful techniques for optimizing the parsing and execution of your JavaScript. ## Loading critical assets as soon as possible If a script is really important and you are concerned that it is affecting performance by not being loaded quickly enough, you can load it inside the {{htmlelement("head")}} of the document: ```html <head> ... <script src="main.js"></script> ... </head> ``` This works OK, but is render-blocking. A better strategy is to use [`rel="preload"`](/en-US/docs/Web/HTML/Attributes/rel/preload) to create a preloader for critical JavaScript: ```html <head> ... <!-- Preload a JavaScript file --> <link rel="preload" href="important-js.js" as="script" /> <!-- Preload a JavaScript module --> <link rel="modulepreload" href="important-module.js" /> ... </head> ``` The preload {{htmlelement("link")}} fetches the JavaScript as soon as possible, without blocking rendering. You can then use it wherever you want in your page: ```html <!-- Include this wherever makes sense --> <script src="important-js.js"></script> ``` or inside your script, in the case of a JavaScript module: ```js import { function } from "important-module.js"; ``` > **Note:** Preloading does not guarantee that the script will be loaded by the time you include it, but it does mean that it will start being downloaded sooner. Render-blocking time will still be shortened, even if it is not completely removed. ## Deferring execution of non-critical JavaScript On the other hand, you should aim to defer parsing and execution of non-critical JavaScript to later on, when it is needed. Loading it all up-front blocks rendering unnecessarily. First of all, you can add the `async` attribute to your `<script>` elements: ```html <head> ... <script async src="main.js"></script> ... </head> ``` This causes the script to be fetched in parallel with the DOM parsing, so it will be ready at the same time and won't block rendering. > **Note:** There is another attribute, `defer`, which causes the script to be executed after the document has been parsed, but before firing the [`DOMContentLoaded`](/en-US/docs/Web/API/Document/DOMContentLoaded_event) event. This has a similar effect to `async`. You could also just not load the JavaScript at all until an event occurs when it is needed. This could be done via DOM scripting, for example: ```js const scriptElem = document.createElement("script"); scriptElem.src = "index.js"; scriptElem.addEventListener("load", () => { // Run a function contained within index.js once it has definitely loaded init(); }); document.head.append(scriptElem); ``` JavaScript modules can be dynamically loaded using the {{jsxref("operators/import", "import()")}} function: ```js import("./modules/myModule.js").then((module) => { // Do something with the module }); ``` ## Breaking down long tasks When the browser runs your JavaScript, it will organize the script into tasks that are run sequentially, such as making fetch requests, driving user interactions and input through event handlers, running JavaScript-driven animation, and so on. Most of this happens on the main thread, with exceptions including JavaScript that runs in [Web Workers](/en-US/docs/Web/API/Web_Workers_API/Using_web_workers). The main thread can run only one task at a time. When a single task takes longer than 50 ms to run, it is classified as a long task. If the user attempts to interact with the page or an important UI update is requested while a long task is running, their experience will be affected. An expected response or visual update will be delayed, resulting in the UI appearing sluggish or unresponsive. To mitigate this issue, you need to break down long tasks into smaller tasks. This gives the browser more chances to perform vital user interaction handling or UI rendering updates β€” the browser can potentially do them between each smaller task, rather than only before or after the long task. In your JavaScript, you might do this by breaking your code into separate functions. This also makes sense for several other reasons, such as easier maintenance, debugging, and writing tests. For example: ```js function main() { a(); b(); c(); d(); e(); } ``` However, this kind of structure doesn't help with main thread blocking. Since all the five functions are being run inside one main function, the browser runs them all as a single long task. To handle this, we tend to run a "yield" function periodically to get the code to _yield to the main thread_. This means that our code is split into multiple tasks, between the execution of which the browser is given the opportunity to handle high-priority tasks such as updating the UI. A common pattern for this function uses {{domxref("setTimeout()")}} to postpone execution into a separate task: ```js function yield() { return new Promise((resolve) => { setTimeout(resolve, 0); }); } ``` This can be used inside a task runner pattern like so, to yield to the main thread after each task has been run: ```js async function main() { // Create an array of functions to run const tasks = [a, b, c, d, e]; // Loop over the tasks while (tasks.length > 0) { // Shift the first task off the tasks array const task = tasks.shift(); // Run the task task(); // Yield to the main thread await yield(); } } ``` To improve this further, we can use {{domxref("Scheduling.isInputPending", "navigator.scheduling.isInputPending()")}} to run the `yield()` function only when the user is attempting to interact with the page: ```js async function main() { // Create an array of functions to run const tasks = [a, b, c, d, e]; while (tasks.length > 0) { // Yield to a pending user input if (navigator.scheduling.isInputPending()) { await yield(); } else { // Shift the first task off the tasks array const task = tasks.shift(); // Run the task task(); } } } ``` This allows you to avoid blocking the main thread when the user is actively interacting with the page, potentially providing a smoother user experience. However, by only yielding when necessary, we can continue running the current task when there are no user inputs to process. This also avoids tasks being placed at the back of the queue behind other non-essential browser-initiated tasks that were scheduled after the current one. ## Handling JavaScript animations Animations can improve perceived performance, making interfaces feel snappier and making users feel like progress is being made when they are waiting for a page to load (loading spinners, for example). However, larger animations and a higher number of animations will naturally require more processing power to handle, which can degrade performance. The most obvious piece of animation advice is to use less animations β€” cut out any non-essential animations, or consider giving your users a preference they can set to turn off animations, for example if they are using a low-powered device or a mobile device with limited battery power. For essential DOM animations, you are advised to use [CSS animations](/en-US/docs/Web/CSS/CSS_animations/Using_CSS_animations) where possible, rather than JavaScript animations (the [Web Animations API](/en-US/docs/Web/API/Web_Animations_API) provides a way to directly hook into CSS animations using JavaScript). Using the browser to directly perform DOM animations rather than manipulating inline styles using JavaScript is much faster and more efficient. See also [CSS performance optimization > Handling animations](/en-US/docs/Learn/Performance/CSS#handling_animations). For animations that can't be handled in JavaScript, for example, animating an HTML {{htmlelement("canvas")}}, you are advised to use {{domxref("Window.requestAnimationFrame()")}} rather than older options such as {{domxref("setInterval()")}}. The `requestAnimationFrame()` method is specially designed for handling animation frames efficiently and consistently, for a smooth user experience. The basic pattern looks like this: ```js function loop() { // Clear the canvas before drawing the next frame of the animation ctx.fillStyle = "rgb(0 0 0 / 25%)"; ctx.fillRect(0, 0, width, height); // Draw objects on the canvas and update their positioning data // ready for the next frame for (const ball of balls) { ball.draw(); ball.update(); } // Call requestAnimationFrame to run the loop() function again // at the right time to keep the animation smooth requestAnimationFrame(loop); } // Call the loop() function once to set the animation running loop(); ``` You can find a nice introduction to canvas animations at [Drawing graphics > Animations](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Drawing_graphics#animations), and a more in-depth example at [Object building practice](/en-US/docs/Learn/JavaScript/Objects/Object_building_practice). You can also find a full set of canvas tutorials at [Canvas tutorial](/en-US/docs/Web/API/Canvas_API/Tutorial). ## Optimizing event performance Events can be expensive for the browser to track and handle, especially when you are running an event continuously. For example, you might be tracking the position of the mouse using the [`mousemove`](/en-US/docs/Web/API/Element/mousemove_event) event to check whether it is still inside a certain area of the page: ```js function handleMouseMove() { // Do stuff while mouse pointer is inside elem } elem.addEventListener("mousemove", handleMouseMove); ``` You might be running a `<canvas>` game in your page. While the mouse is inside the canvas, you will want to constantly check for mouse movement and cursor position and update the game state β€” including the score, the time, the position of all the sprites, collision detection information, etc. Once the game is over, you will no longer need to do all that, and in fact, it will be a waste of processing power to keeping listening for that event. It is, therefore, a good idea to remove event listeners that are no longer needed. This can be done using {{domxref("EventTarget.removeEventListener", "removeEventListener()")}}: ```js elem.removeEventListener("mousemove", handleMouseMove); ``` Another tip is to use event delegation wherever possible. When you have some code to run in response to a user interacting with any one of a large number of child elements, you can set an event listener on their parent. Events fired on any child element will bubble up to their parent, so you don't need to set the event listener on each child individually. Less event listeners to keep track of means better performance. See [Event delegation](/en-US/docs/Learn/JavaScript/Building_blocks/Events#event_delegation) for more details and a useful example. ## Tips for writing more efficient code There are several general best practices that will make your code run more efficiently. - **Reduce DOM manipulation**: Accessing and updating the DOM is computationally expensive, so you should minimize the amount that your JavaScript does, especially when performing constant DOM animation (see [Handling JavaScript animations](#handling_javascript_animations) above). - **Batch DOM changes**: For essential DOM changes, you should batch them into groups that get done together, rather than just firing off each individual change as it occurs. This can reduce the amount of work the browser is doing in real terms, but also improve perceived performance. It can make the UI look smoother to get several updates out of the way in one go, rather than constantly making small updates. A useful tip here is β€” when you have a large chunk of HTML to add to the page, build the entire fragment first (typically inside a {{domxref("DocumentFragment")}}) and then append it all to the DOM in one go, rather than appending each item separately. - **Simplify your HTML**: The simpler your DOM tree is, the faster it can be accessed and manipulated with JavaScript. Think carefully about what your UI needs, and remove unnecessary cruft. - **Reduce the amount of looped code**: Loops are expensive, so reduce the amount of loop usage in your code wherever possible. In cases where loops are unavoidable: - Avoid running the full loop when it is unnecessary, using {{jsxref("Statements/break", "break")}} or {{jsxref("Statements/continue", "continue")}} statements as appropriate. For example, if you are searching arrays for a specific name, you should break out of the loop once the name is found; there is no need to run further loop iterations: ```js function processGroup(array) { const toFind = "Bob"; for (let i = 0; i < array.length - 1; i++) { if (array[i] === toFind) { processMatchingArray(array); break; } } } ``` - Do work that is only needed once outside the loop. This may sound a bit obvious, but it is easy to overlook. Take the following snippet, which fetches a JSON object containing data to be processed in some way. In this case the {{domxref("fetch()")}} operation is being done on every iteration of the loop, which is a waste of computing power. Lines 3 and 4 could be moved outside the loop, so the network fetch is only being done once. ```js async function returnResults(number) { for (let i = 0; i < number; i++) { const response = await fetch(`/results?number=${number}`); const results = await response.json(); processResult(results[i]); } } ``` - **Run computation off the main thread**: Earlier on we talked about how JavaScript generally runs tasks on the main thread, and how long operations can block the main thread, potentially leading to bad UI performance. We also showed how to break long tasks up into smaller tasks, mitigating this problem. Another way to handle such problems is to move tasks off the main thread altogether. There are a few ways to achieve this: - Use asynchronous code: [Asynchronous JavaScript](/en-US/docs/Learn/JavaScript/Asynchronous/Introducing) is basically JavaScript that does not block the main thread. Asynchronous APIs tend to handle operations such as fetching resources from the network, accessing a file on the local file system, or opening a stream to a user's web cam. Because those operations could take a long time, it would be bad to just block the main thread while we wait for them to complete. Instead, the browser executes those functions, keeps the main thread running subsequent code, and those functions will return results once they are available _at some point in the future_. Modern asynchronous APIs are {{jsxref("Promise")}}-based, which is a JavaScript language feature designed for handling asynchronous operations. It is possible to [write your own Promise-based functions](/en-US/docs/Learn/JavaScript/Asynchronous/Implementing_a_promise-based_API) if you have functionality that would benefit from being run asynchronously. - Run computation in web workers: [Web Workers](/en-US/docs/Web/API/Web_Workers_API/Using_web_workers) are a mechanism allowing you to open a separate thread to run a chunk of JavaScript in, so that it won't block the main thread. Workers do have some major restrictions, the biggest being that you can't do any DOM scripting inside a worker. You can do most other things, and workers can send and receive messages to and from the main thread. The main use case for workers is if you have a lot of computation to do, and you don't want it to block the main thread. Do that computation in a worker, wait for the result, and send it back to the main thread when it is ready. - **Use WebGPU**: [WebGPU](/en-US/docs/Web/API/WebGPU_API) is a browser API that allows web developers to use the underlying system's GPU (Graphics Processing Unit) to carry out high-performance computations and draw complex images that can be rendered in the browser. It is fairly complex, but it can provide even better performance benefits than web workers. ## See also - [Optimize long tasks](https://web.dev/articles/optimize-long-tasks) on web.dev (2022) - [Canvas tutorial](/en-US/docs/Web/API/Canvas_API/Tutorial) {{PreviousMenuNext("Learn/Performance/video", "Learn/Performance/HTML", "Learn/Performance")}}
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/why_web_performance/index.md
--- title: The "why" of web performance slug: Learn/Performance/why_web_performance page-type: learn-module-chapter --- {{LearnSidebar}}{{NextMenu("Learn/Performance/What_is_web_performance", "Learn/Performance")}} Web performance is all about making websites fast, including making slow processes _seem_ fast. This article provides an introduction into why web performance is important to site visitors and for your business goals. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To gain basic familiarity of why web performance is important for good user experience. </td> </tr> </tbody> </table> Web performance refers to how quickly site content **loads** and **renders** in a web browser, and how well it responds to user interaction. Bad performing sites are slow to display and slow to respond to input. Bad performing sites increase site abandonment. At its worst, bad performance causes content to be completely inaccessible. A good goal for web performance is for users to not notice performance. While an individual's perception of site performance is subjective, loading and rendering can be measured. Good performance may not be obvious to most site visitors, but most will immediately recognize a sluggish site. That is why we care. ## Why care about performance? Web performance β€” and its associated best practicesβ€”are vital for your website visitors to have a good experience. In a sense, web performance can be considered a subset of [web accessibility](/en-US/docs/Learn/Accessibility). With performance as with accessibility, you consider what device a site visitor is using to access the site and the device connection speed. As an example, consider the loading experience of CNN.com, which at the time of this writing had over 400 HTTP requests with a file size of over 22.6MB. - Imagine loading this on a desktop computer connected to a fibre optic network. This would seem relatively fast, and the file size would be largely irrelevant. - Imagine loading that same site using tethered mobile data on a nine-year-old iPad while commuting home on public transportation. The same site will be slow to load, possibly verging on unusable depending on cell coverage. You might give up before it finishes loading. - Imagine loading that same site on a $35 Huawei device in a rural India with limited coverage or no coverage. The site will be very slow to loadβ€”if it loads at allβ€”with blocking scripts possibly timing out, and adverse CPU impact causing browser crashes if it does load. A 22.6 MB site could take up to 83 seconds to load on a 3G network, with [`DOMContentLoaded`](/en-US/docs/Web/API/Document/DOMContentLoaded_event) (meaning the site's base HTML structure) at 31.86 seconds. And it isn't just the time taken to download that is a major problem. A lot of countries still have internet connections that bill per megabyte. Our example 22.6 MB CNN.com experience would cost about 11% of the average Indian's daily wage to download. From a mobile device in Northwest Africa, it might cost two days of an average salary. And if this site were loaded on a US carrier's international roaming plan? The costs would make anyone cry. (See [how much your site costs to download](https://whatdoesmysitecost.com/).) ### Improve conversion rates Reducing the download and render time of a site improves conversion rates and user retention. A **conversion rate** is the rate at which site visitors perform a measured or desired action. For example, this might be making a purchase, reading an article, or subscribing to a newsletter. The action being measured as the conversion rate depends on the website's business goals. Performance impacts conversion; improving web performance improves conversion. Site visitors expect a site to load in two seconds or less; sometimes even less on mobile (where it generally takes longer). These same site visitors begin abandoning slow sites at 3 seconds. The speed at which a site loads is one factor. If the site is slow to react to user interaction, or appears janky, this causes site visitors to lose interest and trust. Here's some real-world examples of performance improvements: - [Tokopedia reduced render time from 14s to 2s for 3G connections and saw a 19% increase in visitors, 35% increase in total sessions, 7% increase in new users, 17% increase in active users and 16% increase in sessions per user.](https://wpostats.com/2018/05/30/tokopedia-new-users.html) - [Rebuilding Pinterest pages for performance resulted in a 40% decrease in wait time, a 15% increase in SEO traffic and a 15% increase in conversion rate to signup.](https://wpostats.com/2017/03/10/pinterest-seo.html) To build websites and applications people want to use; to attract and retain site visitors, you need to create an accessible site that provides a good user experience. Building websites requires HTML, CSS, and JavaScript, typically including binary file types such as images and video. The decisions you make and the tools you choose as you build your site can greatly affect the performance of the finished work. Good performance is an asset. Bad performance is a liability. Site speed directly affects bounce rates, conversion, revenue, user satisfaction, and search engine ranking. Performant sites have been shown to increase visitor retention and user satisfaction. Slow content has been shown to lead to site abandonment, with some visitors leaving to never return. Reducing the amount of data that passes between the client and the server lowers the costs to all parties. Reducing HTML/CSS/JavaScript and media file sizes reduces both the time to load and a site's power consumption (see [performance budgets](/en-US/docs/Web/Performance/Performance_budgets)). Tracking performance is important. Multiple factors, including network speed and device capabilities affect performance. There is no single performance metric; and differing business objectives may mean different metrics are more relevant to the goals of the site or the organization that it supports. How the performance of your site is perceived is user experience! ## Conclusion Web performance is important for accessibility and also for other website metrics that serve the goals of an organization or business. Good or bad website performance correlates powerfully to user experience, as well as the overall effectiveness of most sites. This is why you should care about web performance. {{NextMenu("Learn/Performance/What_is_web_performance", "Learn/Performance")}}
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/what_is_web_performance/index.md
--- title: What is web performance? slug: Learn/Performance/What_is_web_performance page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/Performance/why_web_performance", "Learn/Performance/Perceived_performance", "Learn/Performance")}} Web performance is all about making websites fast, including making slow processes _seem_ fast. Does the site load quickly, allow the user to start interacting with it quickly, and offer reassuring feedback if something is taking time to load (e.g. a loading spinner)? Are scrolling and animations smooth? This article provides a brief introduction to objective, measurable web performance\*, looking at what technologies, techniques, and tools are involved in web optimization. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To gain basic familiarity of what is involved with web performance. </td> </tr> </tbody> </table> _\* versus subjective, [perceived performance](/en-US/docs/Learn/Performance/Perceived_performance), covered in the next article_ ## What is web performance? Web performance is the objective measurement and perceived user experience of a website or application. This includes the following major areas: - **Reducing overall load time**: How long does it take the files required to render the website to download on to the user's computer? This tends to be affected by [latency](/en-US/docs/Web/Performance/Understanding_latency), how big your files are, how many files there are, and other factors besides. A general strategy is to make your files as small as possible, reduce the number of HTTP requests made as much as possible, and employ clever loading techniques (such as [preload](/en-US/docs/Web/HTML/Attributes/rel/preload)) to make files available sooner. - **Making the site usable as soon as possible**: This basically means loading your website assets in a sensible order so that the user can start to actually use it really quickly. Any other assets can continue to load in the background while the user gets on with primary tasks, and sometimes we only load assets when they are actually needed (this is called [lazy loading](/en-US/docs/Web/Performance/Lazy_loading)). The measurement of how long it takes the site to get to a usable start after it has started loading is called [time to interactive](/en-US/docs/Glossary/Time_to_interactive). - **Smoothness and interactivity**: Does the application feel reliable and pleasurable to use? Is the scrolling smooth? Are buttons clickable? Are pop-ups quick to open up, and do they animate smoothly as they do so? There are a lot of best practices to consider in making apps feel smooth, for example using CSS animations rather than JavaScript for animation, and minimizing the number of repaints the UI requires due to changes in the DOM. - **[Perceived performance](/en-US/docs/Learn/Performance/Perceived_performance)**: How fast a website seems to the user has a greater impact on user experience than how fast the website actually is. How a user perceives your performance is as important, or perhaps more important, than any objective statistic, but it's subjective, and not as readily measurable. Perceived performance is user perspective, not a metric. Even if an operation is going to take a long time (because of latency or whatever), it is possible to keep the user engaged while they wait by showing a loading spinner, or a series of useful hints and tips (or jokes, or whatever else you think might be appropriate). Such an approach is much better than just showing nothing, which will make it feel like it is taking a lot longer and possibly lead to your users thinking it is broken and giving up. - **[Performance measurements](/en-US/docs/Learn/Performance/Measuring_performance)**: Web performance involves measuring the actual and perceived speeds of an application, optimizing where possible, and then monitoring the performance, to ensure that what you've optimized stays optimized. This involves a number of metrics (measurable indicators that can indicate success or failure) and tools to measure those metrics, which we will discuss throughout this module. To summarize, many features impact performance including latency, application size, the number of DOM nodes, the number of resource requests made, JavaScript performance, CPU load, and more. It is important to minimize the loading and response times, and add additional features to conceal latency by making the experience as available and interactive as possible, as soon as possible, while asynchronously loading in the longer tail parts of the experience. > **Note:** Web performance includes both objective measurements like time to load, frames per second, and [time to interactive](/en-US/docs/Glossary/Time_to_interactive), and subjective experiences of how long it felt like it took the content to load. ## How content is rendered To effectively understand web performance, the issues behind it, and the major topic areas we mentioned above, you really should understand some specifics about how browsers work. This includes: - **How the browser works**. When you request a URL and hit <kbd>Enter</kbd> / <kbd>Return</kbd> , the browser finds out where the server is that holds that website's files, establishes a connection to it, and requests the files. See [Populating the page: how the browser works](/en-US/docs/Web/Performance/How_browsers_work) for a detailed overview. - **Source order**. Your HTML index file's source order can significantly affect performance. The download of additional assets linked to from the index file is generally sequential, based on source order, but this can be manipulated and should definitely be optimized, realizing that some resources block additional downloads until their content is parsed and executed. - **The critical path**. This is the process that the browser uses to construct the web document once the files have been downloaded from the server. The browser follows a well-defined set of steps, and optimizing the critical rendering path to prioritize the display of content that relates to the current user action will lead to significant improvements in content rendering time. See [Critical rendering path](/en-US/docs/Web/Performance/Critical_rendering_path) for more information. - The **document object model**. The document object model, or DOM, is a tree structure that represents the content and elements of your HTML as a tree of nodes. This includes all the HTML attributes and the relationships between the nodes. Extensive DOM manipulation after the pages has loaded (e.g., adding, deleting, or moving of nodes) can affect performance, so it is worth understanding how the DOM works, and how such issues can be mitigated. Find out more at [Document Object Model](/en-US/docs/Web/API/Document_Object_Model). - **Latency**. We mention this briefly earlier on, but in brief, latency is the time it takes for your website assets to travel from the server to a user's computer. There is overhead involved in establishing TCP and HTTP connections, and some unavoidable latency in pushing the request and response bytes back and forth across the network, but there are certain ways to reduce latency (e.g. reducing the number of HTTP request you make by downloading fewer files, using a [CDN](/en-US/docs/Glossary/CDN) to make your site more universally performant across the world, and using HTTP/2 to serve files more efficiently from the server). You can read all about this topic at [Understanding Latency](/en-US/docs/Web/Performance/Understanding_latency). ## Conclusion That's it for now; we hope our brief overview of the web performance topic helped you to get an idea of what it is all about, and made you excited to learn more. Next up we'll look at perceived performance, and how you can use some clever techniques to make some unavoidable performance hits appear less severe to the user, or disguise them completely. {{PreviousMenuNext("Learn/Performance/why_web_performance", "Learn/Performance/Perceived_performance", "Learn/Performance")}}
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/video/index.md
--- title: "Multimedia: video" slug: Learn/Performance/video page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/Performance/Multimedia", "Learn/Performance/javascript_performance", "Learn/Performance")}} As we learned in the previous section, media, namely images and video, account for over 70% of the bytes downloaded for the average website. We have already taken a look at optimizing images. This article looks at optimizing video to improve web performance. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn about the various video formats, their impact on performance, and how to reduce video impact on overall page load time while serving the smallest video file size based on each browser's file type support. </td> </tr> </tbody> </table> ## Why optimize your multimedia? For the average website, [25% of bandwidth comes from video](https://discuss.httparchive.org/t/state-of-the-web-top-image-optimization-strategies/1367). Optimizing video has the potential for very large bandwidth savings that translate into better website performance. ## Optimizing video delivery The sections below describe the following optimization techniques: - [compress all video](#compress_all_videos) - [optimize `<source>` order](#optimize_source_order) - [set autoplay](#video_autoplay) - [remove audio from muted video](#remove_audio_from_muted_hero_videos) - [optimize video preload](#video_preload) - [consider streaming](#consider_streaming) ### Compress all videos Most video compression work compares adjacent frames within a video, with the intent of removing detail that is identical in both frames. Compress the video and export to multiple video formats, including WebM, MPEG-4/H.264, and Ogg/Theora. Your video editing software probably has a feature to reduce file size. If not, there are online tools, such as [FFmpeg](https://www.ffmpeg.org/) (discussed in section below), that encode, decode, convert, and perform other optimization functions. ### Optimize `<source>` order Order video source from smallest to largest. For example, given video compressions in three different formats at 10MB, 12MB, and 13MB, declare the smallest first and the largest last: ```html <video width="400" height="300" controls="controls"> <!-- WebM: 10 MB --> <source src="video.webm" type="video/webm" /> <!-- MPEG-4/H.264: 12 MB --> <source src="video.mp4" type="video/mp4" /> <!-- Ogg/Theora: 13 MB --> <source src="video.ogv" type="video/ogv" /> </video> ``` The browser downloads the first format it understands. The goal is to offer smaller versions ahead of larger versions. With the smallest version, make sure that the most compressed video still looks good. There are some compression algorithms that can make video look (bad) like an animated GIF. While a 128 Kb video may seem like it could provide a better user experience than a 10 MB download, a grainy GIF-like video may reflect poorly on the brand or project. See [CanIUse.com](https://caniuse.com/#search=video) for current browser support of video and other media types. ### Video autoplay To ensure that a looping background video autoplays, you must add several attributes to the video tag: `autoplay`, `muted`, and `playsinline`. ```html <video autoplay="" loop="" muted playsinline="" src="backgroundvideo.mp4"></video> ``` While the `loop` and `autoplay` make sense for a looping and autoplaying video, the `muted` attribute is required for autoplay in mobile browsers. `Playsinline` is required for mobile Safari, allowing videos to play without forcing fullscreen mode. ### Remove audio from muted hero videos For hero-video or other video without audio, removing audio is smart. ```html <video autoplay="" loop="" muted playsinline="" id="hero-video"> <source src="banner_video.webm" type='video/webm; codecs="vp8, vorbis"' /> <source src="web_banner.mp4" type="video/mp4" /> </video> ``` This hero-video code (above) is common to conference websites and corporate home pages. It includes a video that is autoplaying, looping, and muted. There are no controls, so there is no way to hear audio. The audio is often empty, but still present, and still using bandwidth. There is no reason to serve audio with video that is always muted. **Removing audio can save 20% of the bandwidth.** Depending on your choice of software, you might be able to remove audio during export and compression. If not, a free utility called [FFmpeg](https://www.ffmpeg.org/) can do it for you. This is the FFmpeg command string to remove audio: ```bash ffmpeg -i original.mp4 -an -c:v copy audioFreeVersion.mp4 ``` ### Video preload The preload attribute has three available options: `auto`|`metadata`|`none`. The default setting is `metadata`. These settings control how much of a video file downloads with page load. You can save data by deferring download for less popular videos. Setting `preload="none"` results in none of the video being downloaded until playback. It delays startup, but offers significant data savings for videos with a low probability of playback. Offering more modest bandwidth savings, setting `preload="metadata"` may download up to 3% of the video on page load. This is a useful option for some small or moderately sized files. Changing the setting to `auto` tells the browser to automatically download the entire video. Do this only when playback is very likely. Otherwise, it wastes a lot of bandwidth. ### Consider streaming [Video streaming allows the proper video size and bandwidth](https://www.smashingmagazine.com/2018/10/video-playback-on-the-web-part-2/) (based on network speed) to be delivered to the end user. Similar to responsive images, the correct size video is delivered to the browser, ensuring fast video startup, low buffering, and optimized playback. ## Conclusion Optimizing video has the potential to significantly improve website performance. Video files are relatively large compared to other website files, and always worthy of attention. This article explains how to optimize website video through reducing file size, with (HTML) download settings, and with streaming. {{PreviousMenuNext("Learn/Performance/Multimedia", "Learn/Performance/javascript_performance", "Learn/Performance")}}
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/web_performance_basics/index.md
--- title: Web performance resources slug: Learn/Performance/Web_Performance_Basics page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenu("Learn/Performance/business_case_for_performance", "Learn/Performance")}} There are many [reasons](https://web.dev/articles/why-speed-matters) why your website should perform as well as possible. Below is a quick review of best practices, tools, APIs with links to provide more information about each topic. ## Best practices - Start with learning the [critical rendering path](/en-US/docs/Web/Performance/Critical_rendering_path) of the browser. Knowing this will help you understand how to improve the performance of the site. - Using _resource hints_ such as [`rel=preconnect`](/en-US/docs/Web/HTML/Attributes/rel/preconnect), [`rel=dns-prefetch`](/en-US/docs/Web/HTML/Attributes/rel/dns-prefetch), [`rel=prefetch`](/en-US/docs/Web/HTML/Attributes/rel/prefetch), [`rel=preload`](/en-US/docs/Web/HTML/Attributes/rel/preload). - Keep the size of JavaScript to a [minimum](https://medium.com/@addyosmani/the-cost-of-javascript-in-2018-7d8950fbb5d4). Only use as much JavaScript as needed for the current page. - [CSS](/en-US/docs/Learn/Performance/CSS) performance factors - Use {{Glossary("HTTP_2", "HTTP/2")}} on your server (or CDN). - Use a CDN for resources which can reduce load times significantly. - Compress your resources using [gzip](https://www.gnu.org/software/gzip/), [Brotli](https://github.com/google/brotli), and [Zopfli](https://github.com/google/zopfli). - Image optimization (use CSS animation, or SVG if possible). - Lazy loading parts of your application outside the viewport. If you do, have a backup plan for SEO (e.g., render full page for bot traffic); for example, by using the [`loading`](/en-US/docs/Web/HTML/Element/img#loading) attribute on the {{HTMLElement("img")}} element - It is also crucial to realize what is really important to your users. It might not be absolute timing, but [user perception](/en-US/docs/Learn/Performance/Perceived_performance). ## Quick Wins ### CSS Web performance is all about user experience and perceived performance. As we learned in the [critical rendering path](/en-US/docs/Web/Performance/Critical_rendering_path) document, linking CSS with a traditional link tag with rel="stylesheet" is synchronous and blocks rendering. Optimize the rendering of your page by removing blocking CSS. To load CSS asynchronously one can set the media type to print and then change to all once loaded. The following snippet includes an onload attribute, requiring JavaScript, so it is important to include a noscript tag with a traditional fallback. ```html <link rel="stylesheet" href="/path/to/my.css" media="print" onload="this.media='all'" /> <noscript><link rel="stylesheet" href="/path/to/my.css" /></noscript> ``` The downside with this approach is the flash of unstyled text (FOUT.) The simplest way to address this is by inlining CSS that is required for any content that is rendered above the fold, or what you see in the browser viewport before scrolling. These styles will improve perceived performance as the CSS does not require a file request. ```html <style> /* Insert your CSS here */ </style> ``` ### JavaScript Avoid JavaScript blocking by using the [async](/en-US/docs/Web/HTML/Element/script) or [defer](/en-US/docs/Web/HTML/Element/script) attributes, or link JavaScript assets after the page's DOM elements. JavaScript only block rendering for elements that appear after the script tag in the DOM tree. ### Web Fonts EOT and TTF formats are not compressed by default. Apply compression such as GZIP or Brotli for these file types. Use WOFF and WOFF2. These formats have compression built in. Within @font-face use font-display: swap. By using font display swap the browser will not block rendering and will use the backup system fonts that are defined. Optimize [font weight](/en-US/docs/Web/CSS/font-weight) to match the web font as closely as possible. #### Icon web fonts If possible avoid icon web fonts and use compressed SVGs. To further optimize inline your SVG data within HTML markup to avoid HTTP requests. ## Tools - Learn to use the [Firefox Dev Tools](https://firefox-source-docs.mozilla.org/devtools-user/performance/index.html) to profile your site. - [PageSpeed Insights](https://pagespeed.web.dev/) can analyze your page and give some general hints to improve performance. - [Lighthouse](https://developer.chrome.com/docs/lighthouse/overview/) can give you a detailed breakdown of many aspects of your site including performance, SEO and accessibility. - Test your page's speed using [WebPageTest.org](https://webpagetest.org/), where you can use different real device types and locations. - Try the [Chrome User Experience Report](https://developer.chrome.com/docs/crux/) which quantifies real user metrics. - Define a [performance budget](/en-US/docs/Web/Performance/Performance_budgets). ### APIs - Gather user metrics using the [boomerang](https://github.com/akamai/boomerang) library. - Or directly gather with [window.performance.timing](/en-US/docs/Web/API/Performance/timing) ### Things not to do (bad practices) - Download everything - Use uncompressed media files ## See also - <https://github.com/filamentgroup/loadCSS>
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/measuring_performance/index.md
--- title: Measuring performance slug: Learn/Performance/Measuring_performance page-type: learn-module-chapter --- {{LearnSidebar}} {{PreviousMenuNext("Learn/Performance/Perceived_performance", "Learn/Performance/Multimedia", "Learn/Performance")}} Measuring performance provides an important metric to help you assess the success of your app, site, or web service. For example, you can use performance metrics to determine how your app performs compared to a competitor or compare your app's performance across releases. Your metrics should be relevant to your users, site, and business goals. They should be collected, measured consistently, and analyzed in a format that non-technical stakeholders can consume and understand. This article introduces tools you can use to access web performance metrics, which can be used to measure and optimize your site's performance. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> <p> To provide information about web performance metrics that you can collect through various web performance APIs and tools that you can use to visualize that data. </p> </td> </tr> </tbody> </table> ## Performance tools There are several different tools available to help you measure and improve performance. These can generally be classified into two categories: - Tools that indicate or measure performance, such as [PageSpeed Insights](https://pagespeed.web.dev/) or the Firefox [Network Monitor](https://firefox-source-docs.mozilla.org/devtools-user/network_monitor/index.html) and [Performance Monitor](https://firefox-source-docs.mozilla.org/devtools-user/performance/index.html). These tools show you how fast or slow your website is loading. They also indicate areas that can be improved to optimize your web app. - [Performance APIs](/en-US/docs/Web/API/Performance_API) that you can use to build custom performance tools. ## General performance reporting tools Tools like [PageSpeed Insights](https://pagespeed.web.dev/) can provide quick performance measurements. You can enter a URL and get a performance report in seconds. The report contains scores indicating how your website performs for mobile and desktop. This is a good start for understanding what you are doing well and what could be improved. At the time of writing, MDN's performance report summary looks similar to the following: ![A screenshot of PageSpeed Insights report for the Mozilla homepage.](pagespeed-insight-mozilla-homepage.png) A performance report contains information about things like how long a user has to wait before _anything_ is displayed on the page, how many bytes need to be downloaded to display a page, and much more. It also lets you know if the measured values are considered good or bad. [webpagetest.org](https://webpagetest.org) is another example of a tool that automatically tests your site and returns valuable metrics. You can try running your favorite website through these tools and see the scores. ## Network monitor tools Modern browsers have tools available that you can use to run against loaded pages and determine how they are performing; most of them work similarly. For example, the Firefox [Network Monitor](https://firefox-source-docs.mozilla.org/devtools-user/network_monitor/index.html) returns detailed information on all the assets downloaded from the network, along with a waterfall time graph that shows how long each one took to download. ![Firefox network monitor showing a list of assets that has loaded as well as load time per asset](network-monitor.png) You should also check out [Chrome's Network Monitor documentation](https://developer.chrome.com/docs/devtools/network/). ## Performance monitor tools You can also use browser performance tools such as the [Firefox Performance Monitor](https://firefox-source-docs.mozilla.org/devtools-user/performance/index.html) to measure the performance of a web app or site's user interface as you perform different actions. This indicates the features that might slow down your web app or site. ![Developer tools performance panel showing the waterfall of recording #1.](perf-monitor.png) See also [Chrome's Performance tool documentation](https://developer.chrome.com/docs/devtools/performance/). ## Performance APIs When writing code for the Web, many [Web APIs](/en-US/docs/Web/API) are available to create your own performance-measuring tools. You can use the [Navigation Timing API](/en-US/docs/Web/API/Performance_API/Navigation_timing) to measure client-side web performance, including the amount of time needed to unload the previous page, how long domain lookups take, the total time spent executing the window's load handler, and more. You can use the API for metrics related to all the navigation events in the diagram below. ![The various handlers that the navigation timing API can handle including Navigation timing API metrics Prompt for unload redirect unload App cache DNS TCP Request Response Processing onLoad navigationStart redirectStart redirectEnd fetchStart domainLookupEnd domainLookupStart connectStart (secureConnectionStart) connectEnd requestStart responseStart responseEnd unloadStart unloadEnd domLoading domInteractive domContentLoaded domComplete loadEventStart loadEventEnd](navigationtimingapi.jpg) The [Performance API](/en-US/docs/Web/API/Performance_API), which provides access to performance-related information for the current page, includes several APIs including the [Navigation Timing API](/en-US/docs/Web/API/Performance_API/Navigation_timing), the [User Timing API](/en-US/docs/Web/API/Performance_API/User_timing), and the [Resource Timing API](/en-US/docs/Web/API/Performance_API/Resource_timing). These interfaces allow the accurate measurement of the time it takes for JavaScript tasks to complete. The [PerformanceEntry](/en-US/docs/Web/API/PerformanceEntry) object is part of the _performance timeline_. A _performance entry_ can be directly created by making a performance _{{domxref("PerformanceMark","mark")}}_ or _{{domxref("PerformanceMeasure","measure")}}_ (for example by calling the {{domxref("Performance.mark","mark()")}} method) at an explicit point in an application. Performance entries are also created in indirect ways, such as loading a resource like an image. The [PerformanceObserver API](/en-US/docs/Web/API/PerformanceObserver) can be used to observe performance measurement events and to notify you of new [performance entries](/en-US/docs/Web/API/PerformanceEntry) as they are recorded in the browser's performance timeline. While this article does not dive into using these APIs, it is helpful to know they exist. Refer to the [Navigation and timings](/en-US/docs/Web/Performance/Navigation_and_resource_timings) article for further examples of using performance Web APIs. ## Conclusion This article briefly overviews some tools that can help you measure performance on a web app or site. In the following article, we'll see how you can optimize images on your site to improve its performance. {{PreviousMenuNext("Learn/Performance/Perceived_performance", "Learn/Performance/Multimedia", "Learn/Performance")}}
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/css/index.md
--- title: CSS performance optimization slug: Learn/Performance/CSS page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/Performance/html", "Learn/Performance/business_case_for_performance", "Learn/Performance")}} When developing a website, you need to consider how the browser is handling the CSS on your site. To mitigate any performance issues that CSS might be causing, you should optimize it. For example, you should optimize the CSS to mitigate [render-blocking](/en-US/docs/Glossary/Render_blocking) and minimize the number of required reflows. This article walks you through key CSS performance optimization techniques. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn about the impact of CSS on website performance and how to optimize your CSS to improve performance. </td> </tr> </tbody> </table> ## To optimize or not to optimize The first question you should answer before starting to optimize your CSS is "what do I need to optimize?". Some of the tips and techniques discussed below are good practices that will benefit just about any web project, whereas some are only needed in certain situations. Trying to apply all these techniques everywhere is probably unnecessary, and may be a waste of your time. You should figure out what performance optimizations are actually needed in each project. To do this, you need to [measure the performance](/en-US/docs/Learn/Performance/Measuring_performance) of your site. As the previous link shows, there are several different ways to measure performance, some involving sophisticated [performance APIs](/en-US/docs/Web/API/Performance_API). The best way to get started however, is to learn how to use tools such as built-in browser [network](/en-US/docs/Learn/Performance/Measuring_performance#network_monitor_tools) and [performance](/en-US/docs/Learn/Performance/Measuring_performance#performance_monitor_tools) tools, to see what parts of the page load are taking a long time and need optimizing. ## Optimizing rendering Browsers follow a specific rendering path β€” paint only occurs after layout, which occurs after the render tree is created, which in turn requires both the DOM and the CSSOM trees. Showing users an unstyled page and then repainting it after the CSS styles have been parsed would be a bad user experience. For this reason, CSS is render blocking until the browser determines that the CSS is required. The browser can paint the page after it has downloaded the CSS and built the [CSS object model (CSSOM)](/en-US/docs/Glossary/CSSOM). To optimize the CSSOM construction and improve page performance, you can do one or more of the following based on the current state of your CSS: - **Remove unnecessary styles**: This may sound obvious, but it is surprising how many developers forget to clean up unused CSS rules that were added to their stylesheets during development and ended up not being used. All styles get parsed, whether they are being used during layout and painting or not, so it can speed up page rendering to get rid of unused ones. As [How Do You Remove Unused CSS From a Site?](https://css-tricks.com/how-do-you-remove-unused-css-from-a-site/) (csstricks.com, 2019) summarizes, this is a difficult problem to solve for a large codebase, and there isn't a magic bullet to reliably find and remove unused CSS. You need to do the hard work of keeping your CSS modular and being careful and deliberate about what is added and removed. - **Split CSS into separate modules**: Keeping CSS modular means that CSS not required at page load can be loaded later on, reducing initial CSS render-blocking and loading times. The simplest way to do this is by splitting up your CSS into separate files and loading only what is needed: ```html <!-- Loading and parsing styles.css is render-blocking --> <link rel="stylesheet" href="styles.css" /> <!-- Loading and parsing print.css is not render-blocking --> <link rel="stylesheet" href="print.css" media="print" /> <!-- Loading and parsing mobile.css is not render-blocking on large screens --> <link rel="stylesheet" href="mobile.css" media="screen and (max-width: 480px)" /> ``` The above example provides three sets of styles β€” default styles that will always load, styles that will only be loaded when the document is being printed, and styles that will be loaded only by devices with narrow screens. By default, the browser assumes that each specified style sheet is render-blocking. You can tell the browser when a style sheet should be applied by adding a `media` attribute containing a [media query](/en-US/docs/Web/CSS/CSS_media_queries/Using_media_queries). When the browser sees a style sheet that it only needs to apply in a specific scenario, it still downloads the stylesheet, but doesn't render-block. By separating the CSS into multiple files, the main render-blocking file, in this case `styles.css`, is much smaller, reducing the time for which rendering is blocked. - **Minify and compress your CSS**: Minifying involves removing all the whitespace in the file that is only there for human readability, once the code is put into production. You can reduce loading times considerably by minifying your CSS. Minification is generally done as part of a build process (for example, most JavaScript frameworks will minify code when you build a project ready for deployment). In addition to minification, make sure that the server that your site is hosted on uses compression such as gzip on files before serving them. - **Simplify selectors**: People often write selectors that are more complex than needed for applying the required styles. This not only increases file sizes, but also the parsing time for those selectors. For example: ```css /* Very specific selector */ body div#main-content article.post h2.headline { font-size: 24px; } /* You probably only need this */ .headline { font-size: 24px; } ``` Making your selectors less complex and specific is also good for maintenance. It is easy to understand what simple selectors are doing, and it is easy to override styles when needed later on if the selectors are less [specific](/en-US/docs/Learn/CSS/Building_blocks/Cascade_and_inheritance#specificity_2). - **Don't apply styles to more elements than needed**: A common mistake is to apply styles to all elements using the [universal selector](/en-US/docs/Web/CSS/Universal_selectors), or at least, to more elements than needed. This kind of styling can impact performance negatively, especially on larger sites. ```css /* Selects every element inside the <body> */ body * { font-size: 14px; display: flex; } ``` Remember that many properties (such as {{cssxref("font-size")}}) inherit their values from their parents, so you don't need to apply them everywhere. And powerful tools such as [Flexbox](/en-US/docs/Learn/CSS/CSS_layout/Flexbox) need to be used sparingly. Using them everywhere can cause all kinds of unexpected behavior. - **Cut down on image HTTP requests with CSS sprites**: [CSS sprites](https://css-tricks.com/css-sprites/) is a technique that places several small images (such as icons) that you want to use on your site into a single image file, and then uses different {{cssxref("background-position")}} values to display the chunk of image that you want to show in each different place. This can dramatically cut down on the number of HTTP requests needed to fetch the images. - **Preload important assets**: You can use [`rel="preload"`](/en-US/docs/Web/HTML/Attributes/rel/preload) to turn {{htmlelement("link")}} elements into preloaders for critical assets. This includes CSS files, fonts, and images: ```html <link rel="preload" href="style.css" as="style" /> <link rel="preload" href="ComicSans.woff2" as="font" type="font/woff2" crossorigin /> <link rel="preload" href="bg-image-wide.png" as="image" media="(min-width: 601px)" /> ``` With `preload`, the browser will fetch the referenced resources as soon as possible and make them available in the browser cache so that they will be ready for use sooner when they are referenced in subsequent code. It is useful to preload high-priority resources that the user will encounter early on in a page so that the experience is as smooth as possible. Note how you can also use `media` attributes to create responsive preloaders. See also [Preload critical assets to improve loading speed](https://web.dev/articles/preload-critical-assets) on web.dev (2020) ## Handling animations Animations can improve perceived performance, making interfaces feel snappier and making users feel like progress is being made when they are waiting for a page to load (loading spinners, for example). However, larger animations and a higher number of animations will naturally require more processing power to handle, which can degrade performance. The simplest advice is to cut down on all unnecessary animations. You could also provide users with a control/site preference to turn off animations if they are using a low-powered device or a mobile device with limited battery power. You could also use JavaScript to control whether or not animation is applied to the page in the first place. There is also a media query called [`prefers-reduced-motion`](/en-US/docs/Web/CSS/@media/prefers-reduced-motion) that can be used to selectively serve animation styles or not based on a user's OS-level preferences for animation. For essential DOM animations, you are advised to use [CSS animations](/en-US/docs/Web/CSS/CSS_animations/Using_CSS_animations) where possible, rather than JavaScript animations (the [Web Animations API](/en-US/docs/Web/API/Web_Animations_API) provides a way to directly hook into CSS animations using JavaScript). ### Choosing properties to animate Next, animation performance relies heavily on what properties you are animating. Certain properties, when animated, trigger a [reflow](/en-US/docs/Glossary/Reflow) (and therefore also a [repaint](/en-US/docs/Glossary/Repaint)) and should be avoided. These include properties that: - Alter an element's dimensions, such as [`width`](/en-US/docs/Web/CSS/width), [`height`](/en-US/docs/Web/CSS/height), [`border`](/en-US/docs/Web/CSS/border), and [`padding`](/en-US/docs/Web/CSS/padding). - Reposition an element, such as [`margin`](/en-US/docs/Web/CSS/margin), [`top`](/en-US/docs/Web/CSS/top), [`bottom`](/en-US/docs/Web/CSS/bottom), [`left`](/en-US/docs/Web/CSS/left), and [`right`](/en-US/docs/Web/CSS/right). - Change an element's layout, such as [`align-content`](/en-US/docs/Web/CSS/align-content), [`align-items`](/en-US/docs/Web/CSS/align-items), and [`flex`](/en-US/docs/Web/CSS/flex). - Add visual effects that change the element geometry, such as [`box-shadow`](/en-US/docs/Web/CSS/box-shadow). Modern browsers are smart enough to repaint only the changed area of the document, rather than the entire page. As a result, larger animations are more costly. If at all possible, it is better to animate properties that do not cause reflow/repaint. This includes: - [Transforms](/en-US/docs/Web/CSS/CSS_transforms) - [`opacity`](/en-US/docs/Web/CSS/opacity) - [`filter`](/en-US/docs/Web/CSS/filter) ### Animating on the GPU To further improve performance, you should consider moving animation work off the main thread and onto the device's GPU (also referred to as compositing). This is done by choosing specific types of animations that the browser will automatically send to the GPU to handle; these include: - 3D transform animations such as [`transform: translateZ()`](/en-US/docs/Web/CSS/transform) and [`rotate3d()`](/en-US/docs/Web/CSS/transform-function/rotate3d). - Elements with certain other properties animated such as [`position: fixed`](/en-US/docs/Web/CSS/position). - Elements with [`will-change`](/en-US/docs/Web/CSS/will-change) applied (see the section below). - Certain elements that are rendered in their own layer, including [`<video>`](/en-US/docs/Web/HTML/Element/video), [`<canvas>`](/en-US/docs/Web/HTML/Element/canvas), and [`<iframe>`](/en-US/docs/Web/HTML/Element/iframe). Animation on the GPU can result in improved performance, especially on mobile. However, moving animations to GPU is not always that simple. Read [CSS GPU Animation: Doing It Right](https://www.smashingmagazine.com/2016/12/gpu-animation-doing-it-right/) (smashingmagazine.com, 2016) for a very useful and detailed analysis. ## Optimizing element changes with `will-change` Browsers may set up optimizations before an element is actually changed. These kinds of optimizations can increase the responsiveness of a page by doing potentially expensive work before it is required. The CSS [`will-change`](/en-US/docs/Web/CSS/will-change) property hints to browsers how an element is expected to change. > **Note:** `will-change` is intended to be used as a last resort to try to deal with existing performance problems. It should not be used to anticipate performance problems. ```css .element { will-change: opacity, transform; } ``` ## Optimizing for render blocking CSS can scope styles to particular conditions with media queries. Media queries are important for a responsive web design and help us optimize a critical rendering path. The browser blocks rendering until it parses all of these styles but will not block rendering on styles it knows it will not use, such as the print stylesheets. By splitting the CSS into multiple files based on media queries, you can prevent render blocking during download of unused CSS. To create a non-blocking CSS link, move the not-immediately used styles, such as print styles, into separate file, add a [`<link>`](/en-US/docs/Web/HTML/Element/link) to the HTML mark up, and add a media query, in this case stating it's a print stylesheet. ```html <!-- Loading and parsing styles.css is render-blocking --> <link rel="stylesheet" href="styles.css" /> <!-- Loading and parsing print.css is not render-blocking --> <link rel="stylesheet" href="print.css" media="print" /> <!-- Loading and parsing mobile.css is not render-blocking on large screens --> <link rel="stylesheet" href="mobile.css" media="screen and (max-width: 480px)" /> ``` By default, the browser assumes that each specified style sheet is render blocking. Tell the browser when the style sheet should be applied by adding a `media` attribute with the [media query](/en-US/docs/Web/CSS/CSS_media_queries/Using_media_queries). When the browser sees a style sheet it knows that it only needs to apply it for a specific scenario, it still downloads the stylesheet, but doesn't render block. By separating out the CSS into multiple files, the main render-blocking file, in this case `styles.css`, is much smaller, reducing the time that rendering is blocked. ## Improving font performance This section contains some useful tips for improving web font performance. In general, think carefully about the fonts you use on your site. Some font files can be very large (multiple megabytes). While it can be tempting to use lots of fonts for visual excitement, this can slow down page load significantly, and cause your site to look like a mess. You probably only need about two or three fonts, and you can get away with less if you choose to use [web safe fonts](/en-US/docs/Learn/CSS/Styling_text/Fundamentals#web_safe_fonts). ### Font loading Bear in mind that a font is only loaded when it is actually applied to an element using the [`font-family`](/en-US/docs/Web/CSS/font-family) property, not when it is first referenced using the [`@font-face`](/en-US/docs/Web/CSS/@font-face) at-rule: ```css /* Font not loaded here */ @font-face { font-family: "Open Sans"; src: url("OpenSans-Regular-webfont.woff2") format("woff2"); } h1, h2, h3 { /* It is actually loaded here */ font-family: "Open Sans"; } ``` It can therefore be beneficial to use `rel="preload"` to load important fonts early, so they will be available more quickly when they are actually needed: ```html <link rel="preload" href="OpenSans-Regular-webfont.woff2" as="font" type="font/woff2" crossorigin /> ``` This is more likely to be beneficial if your `font-family` declaration is hidden inside a large external stylesheet, and won't be reached until significantly later in the parsing process. It is a tradeoff however β€” font files are quite large, and if you preload too many of them, you may delay other resources. You can also consider: - Using [`rel="preconnect"`](/en-US/docs/Web/HTML/Attributes/rel/preconnect) to make an early connection with the font provider. See [Preconnect to critical third-party origins](https://web.dev/articles/font-best-practices#preconnect_to_critical_third-party_origins) for details. - Using the [CSS Font Loading API](/en-US/docs/Web/API/CSS_Font_Loading_API) to customize the font loading behavior via JavaScript. ### Loading only the glyphs you need When choosing a font for body copy, it is harder to be sure of the glyphs that will be used in it, especially if you are dealing with user-generated content and/or content across multiple languages. However, if you know you are going to use a specific set of glyphs (for example, glyphs for headings or specific punctuation characters only), you could limit the number of glyphs the browser has to download. This can be done by creating a font file that only contains the required subset. A process called [subsetting](https://fonts.google.com/knowledge/glossary/subsetting). The [`unicode-range`](/en-US/docs/Web/CSS/@font-face/unicode-range) `@font-face` descriptor can then be used to specify when your subset font is used. If the page doesn't use any character in this range, the font is not downloaded. ```css @font-face { font-family: "Open Sans"; src: url("OpenSans-Regular-webfont.woff2") format("woff2"); unicode-range: U+0025-00FF; } ``` ### Defining font display behavior with the `font-display` descriptor Applied to the `@font-face` at-rule, the [`font-display`](/en-US/docs/Web/CSS/@font-face/font-display) descriptor defines how font files are loaded and displayed by the browser, allowing text to appear with a fallback font while a font loads, or fails to load. This improves performance by making the text visible instead of having a blank screen, with a trade-off being a flash of unstyled text. ```css @font-face { font-family: someFont; src: url(/path/to/fonts/someFont.woff) format("woff"); font-weight: 400; font-style: normal; font-display: fallback; } ``` ## Optimizing styling recalculation with CSS containment By using the properties defined in the [CSS containment](/en-US/docs/Web/CSS/CSS_containment) module, you can instruct the browser to isolate different parts of a page and optimize their rendering independently from one another. This allows for improved performance in rendering individual sections. As an example, you can specify to the browser to not render certain containers until they are visible in the viewport. The {{cssxref("contain")}} property allows an author to specify exactly what [containment types](/en-US/docs/Web/CSS/CSS_containment/Using_CSS_containment) they want applied to individual containers on the page. This allows the browser to recalculate layout, style, paint, size, or any combination of them for a limited part of the DOM. ```css article { contain: content; } ``` The {{cssxref("content-visibility")}} property is a useful shortcut, which allows authors to apply a strong set of containments on a set of containers and specify that the browser should not lay out and render those containers until needed. A second property, {{cssxref("contain-intrinsic-size")}}, is also available, which allows you to provide a placeholder size for containers while they are under the effects of containment. This means that the containers will take up space even if their contents have not yet been rendered, allowing containment to do its performance magic without the risk of scroll bar shift and jank as elements render and come into view. This improves the quality of the user experience as the content is loaded. ```css article { content-visibility: auto; contain-intrinsic-size: 1000px; } ``` {{PreviousMenuNext("Learn/Performance/html", "Learn/Performance/business_case_for_performance", "Learn/Performance")}} ## See also - [CSS animation performance](/en-US/docs/Web/Performance/CSS_JavaScript_animation_performance) - [Best practices for fonts](https://web.dev/articles/font-best-practices) on web.dev (2022) - [content-visibility: the new CSS property that boosts your rendering performance](https://web.dev/articles/content-visibility) on web.dev (2022)
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/multimedia/index.md
--- title: "Multimedia: Images" slug: Learn/Performance/Multimedia page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/Performance/measuring_performance", "Learn/Performance/video", "Learn/Performance")}} Media, namely images and video, account for over 70% of the bytes downloaded for the average website. In terms of download performance, eliminating media, and reducing file size is the low-hanging fruit. This article looks at optimizing images and video to improve web performance. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn about the various image formats, their impact on performance, and how to reduce the impact of images on overall page load time. </td> </tr> </tbody> </table> > **Note:** This is a high-level introduction to optimizing multimedia delivery on the web, covering general principles and techniques. For a more in-depth guide, see <https://web.dev/learn/images>. ## Why optimize your multimedia? For the average website, [51% of its bandwidth comes from imagery, followed by video at 25%](https://discuss.httparchive.org/t/state-of-the-web-top-image-optimization-strategies/1367), so it's safe to say it's important to address and optimize your multimedia content. You need to be considerate of data usage. Many people are on capped data plans or even pay-as-you-go where they are literally paying by the megabyte. This isn't an emerging market problem either. As of 2018, [24% of the United Kingdom still use pay-as-you-go](https://www.ofcom.org.uk/__data/assets/pdf_file/0021/113169/Technology-Tracker-H1-2018-data-tables.pdf). You also need to be considerate of memory as many mobile devices have limited RAM. It's important to remember that when images are downloaded, they need to be stored in memory. ## Optimizing image delivery Despite being the largest consumer of bandwidth, the impact of image downloading on [perceived performance](/en-US/docs/Learn/Performance/Perceived_performance) is far lower than many expect (primarily because the page text content is downloaded immediately and users can see the images being rendered as they arrive). However, for a good user experience it's still important that a visitor can see them as soon as possible. ### Loading strategy One of the biggest improvements to most websites is [lazy-loading](/en-US/docs/Web/Performance/Lazy_loading) images beneath the fold, rather than downloading them all on initial page load regardless of whether a visitor scrolls to see them or not. Many JavaScript libraries can implement this for you, such as [lazysizes](https://github.com/aFarkas/lazysizes), and browser vendors are working on a native `lazyload` attribute that is currently in the experimental phase. Beyond loading a subset of images, you should look into the format of the images themselves: - Are you loading the most optimal file formats? - Have you compressed the images well? - Are you loading the correct sizes? #### The most optimal format The optimal file format typically depends on the character of the image. > **Note:** For general information on image types see the [Image file type and format guide](/en-US/docs/Web/Media/Formats/Image_types) The [SVG](/en-US/docs/Web/Media/Formats/Image_types#svg_scalable_vector_graphics) format is more appropriate for images that have few colors and that are not photo-realistic. This requires the source to be available as in a vector graphic format. Should such an image only exist as a bitmap, then [PNG](/en-US/docs/Web/Media/Formats/Image_types#png_portable_network_graphics) would be the fallback format to choose. Examples of these types of motifs are logos, illustrations, charts, or icons (note: SVGs are far better than icon fonts!). Both formats support transparency. PNGs can be saved with three different output combinations: - 24-bit color + 8-bit transparency β€” offer full-color accuracy and smooth transparency at the expense of size. You probably want to avoid this combination in favor of WebP (see below). - 8-bit color + 8-bit transparency β€” offer no more than 255 colors but maintain smooth transparencies. The size is not too big. Those are the PNGs you would probably want. - 8-bit color + 1-bit transparency β€” offer no more than 255 colors and just offer no or full transparency per pixel which makes the transparency borders appear hard and jagged. The size is small but the price is visual fidelity. A good online tool for optimizing SVGs is [SVGOMG](https://jakearchibald.github.io/svgomg/). For PNGs there is [ImageOptim online](https://imageoptim.com/online) or [Squoosh](https://squoosh.app/). With photographic motifs that do not feature transparency, there is a much wider range of formats to choose from. If you want to play it safe, then you would go for well-compressed **Progressive JPEGs**. Progressive JPEGs, in contrast to normal JPEGs, render progressively (hence the name), meaning the user sees a low-resolution version that gains clarity as the image downloads, rather than the image loading at full resolution top-to-bottom or even only rendering once completely downloaded. A good compressor for these would be MozJPEG, e.g. available to use in the online image optimization tool [Squoosh](https://squoosh.app/). A quality setting of 75% should yield decent results. Other formats improve on JPEG's capabilities regarding compression, but are not available on every browser: - [WebP](/en-US/docs/Web/Media/Formats/Image_types#webp_image) β€” Excellent choice for both images and animated images. WebP offers much better compression than PNG or JPEG with support for higher color depths, animated frames, transparency, etc. (but not progressive display.). Supported by all major browsers except Safari 14 on macOS desktop Big Sur or earlier. > **Note:** Despite Apple [announcing support for WebP in Safari 14](https://developer.apple.com/videos/play/wwdc2020/10663/?time=1174), Safari versions earlier than 16.0 don't display `.webp` images successfully on macOS desktop versions earlier than 11/Big Sur. Safari for iOS 14 _does_ display `.webp` images successfully. - [AVIF](/en-US/docs/Web/Media/Formats/Image_types#avif_image) β€” Good choice for both images and animated images due to high performance and royalty-free image format (even more efficient than WebP, but not as widely supported). It is now supported on Chrome, Edge, Opera, and Firefox. See also [an online tool to convert previous image formats to AVIF](https://avif.io/). - **JPEG2000** β€” once to be the successor to JPEG but only supported in Safari. Doesn't support progressive display either. Given the narrow support for JPEG-XR and JPEG2000, and also taking decode costs into the equation, the only serious contender for JPEG is WebP. Which is why you could offer your images in that flavor too. This can be done via the `<picture>` element with the help of a `<source>` element equipped with a [type attribute](/en-US/docs/Web/HTML/Element/picture#the_type_attribute). If all of this sounds a bit complicated or feels like too much work for your team then there are also online services that you can use as image CDNs that will automate the serving of the correct image format on the fly, according to the type of device or browser requesting the image. The biggest ones are [Cloudinary](https://cloudinary.com/blog/make_all_images_on_your_website_responsive_in_3_easy_steps) and [Image Engine](https://imageengine.io/). Finally, should you want to include animated images on your page, then know that Safari allows the use of video files within `<img>` and `<picture>` elements. These also allow you to add in an **Animated WebP** for all other modern browsers. ```html <picture> <source type="video/mp4" src="giphy.mp4" /> <source type="image/webp" src="giphy.webp" /> <img src="giphy.gif" alt="A GIF animation" /> </picture> ``` #### Serving the optimal size In image delivery the "one size fits all" approach will not yield the best results, meaning that for smaller screens you would want to serve images with smaller resolution and vice versa for larger screens. On top of that, you'd also want to serve higher resolution images to those devices that boast a high DPI screen (e.g. "Retina"). So apart from creating plenty of intermediate image variants you also need a way to serve the right file to the right browser. That's where you would need to upgrade your `<picture>` and `<source>` elements with [media](/en-US/docs/Web/HTML/Element/source#media) and/or [sizes](/en-US/docs/Web/HTML/Element/source#sizes) attributes. A detailed article on how to combine all of these attributes can be found [here](https://www.smashingmagazine.com/2014/05/responsive-images-done-right-guide-picture-srcset/). Two interesting effects to keep in mind regarding high dpi screens is that: - with a high DPI screen, humans will spot compression artifacts a lot later, meaning that for images meant for these screens you can crank up compression beyond usual. - [Only a very few people can spot an increase in resolution beyond 2Γ— DPI](https://observablehq.com/@eeeps/visual-acuity-and-device-pixel-ratio), which means you don't need to serve images resolving higher than 2Γ—. #### Controlling the priority (and ordering) of downloading images Getting the most important images in front of visitors sooner than the less important can deliver improved perceived performance. The first thing to check is that your content images use `<img>` or `<picture>` elements and your background images are defined in CSS with `background-image` β€” images referenced in `<img>` elements are assigned a higher loading priority than background images. Secondly, with the adoption of Priority Hints, you can control the priority further by adding a `fetchPriority` attribute to your image tags. An example use case for priority hints on images are carousels where the first image is a higher priority than the subsequent images. ### Rendering strategy: preventing jank when loading images As images are loaded asynchronously and continue to load after the first paint, if their dimensions aren't defined before load, they can cause reflows to the page content. For example, when text gets pushed down the page by images loading. For this reason, it's critical that you set `width` and `height` attributes so that the browser can reserve space for them in the layout. When the `width` and `height` attributes of an image are included on an HTML {{htmlelement("img")}} element, the aspect ratio of the image can be calculated by the browser prior to the image being loaded. This aspect ratio is used to reserve the space needed to display the image, reducing or even preventing a layout shift when the image is downloaded and painted to the screen. Reducing layout shift is a major component of good user experience and web performance. Browsers begin rendering content as HTML is parsed, often before all assets, including images, are downloaded. Including dimensions enable browsers to reserve a correctly-sized placeholder box for each image to appear in when the images are loaded when first rendering the page. ![Two screenshots the first without an image but with space reserved, the second showing the image loaded into the reserved space.](ar-guide.jpg) Without the `width` and `height` attributes, no placeholder space is created, creating a noticeable {{glossary('jank')}}, or layout shift, in the page when the image loads after the page is rendered. Page reflow and repaints are performance and usability issues. In responsive designs, when a container is narrower than an image, the following CSS is generally used to keep images from breaking out of their containers: ```css img { max-width: 100%; height: auto; } ``` While useful for responsive layouts, this causes jank when width and height information are not included, as if no height information is present when the `<img>` element is parsed but before the image has loaded, this CSS effectively has set the height to 0. When the image loads after the page has been initially rendered to the screen, the page reflows and repaints creating a layout shift as it creates space for the newly determined height. Browsers have a mechanism for sizing images before the actual image is loaded. When an `<img>`, `<video>`, or `<input type="button">` element has `width` and `height` attributes set on it, its aspect ratio is calculated before load time, and is available to the browser, using the dimensions provided. The aspect ratio is then used to calculate the height and therefore the correct size is applied to the `<img>` element, meaning that the aforementioned jank will not occur, or be minimal if the listed dimensions are not fully accurate, when the image loads. The aspect ratio is used to reserve space only on the image load. Once the image has loaded, the intrinsic aspect ratio of the loaded image, rather than the aspect ratio from the attributes, is used. This ensures that it displays at the correct aspect ratio even if the attribute dimensions are not accurate. While developer best practices from the last decade may have recommended omitting the `width` and `height` attributes of an image on an HTML {{htmlelement("img")}}, due to aspect ratio mapping, including these two attributes is considered a developer best practice. For any background images, it's important you set a `background-color` value so any content overlaid is still readable before the image has downloaded. ## Conclusion In this section, we took a look at image optimization. You now have a general understanding of how to optimize half of the average website's average bandwidth total. This is just one of the types of media consuming users' bandwidth and slowing down page load. Let's take a look at video optimization, tackling the next 20% of bandwidth consumption. {{PreviousMenuNext("Learn/Performance/measuring_performance", "Learn/Performance/video", "Learn/Performance")}}
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/business_case_for_performance/index.md
--- title: The business case for web performance slug: Learn/Performance/business_case_for_performance page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/Performance/CSS", "Learn/Performance/Web_Performance_Basics", "Learn/Performance")}} We've discussed the importance of web performance. You've learned what you need to do to optimize for web performance. But how do you convince your clients and/or management to prioritize and invest in performance? In this section, we discuss creating a clear business case to convince decision-makers to make the investment. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >, and a basic understanding of <a href="/en-US/docs/Web/Performance">web performance optimization</a>. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To gain confidence in working with clients and management to get them to make web performance a priority. </td> </tr> </tbody> </table> ## Making performance a business priority We've discussed how prioritizing performance can improve user experience and therefore revenue. We know that not prioritizing web performance can result in a loss of business revenue. This article discusses how certain business metrics directly relate to a user's web performance experience and how to apply service design to boost the user's experiences of web performance. It highlights the importance of understanding how cumulative experiences impact conversion and retention rates. ### Performance budgets Setting a web performance budget can help you make sure the team stays on track in keeping the site and help prevent regressions. A performance budget is a set of limits that are set to specify limits, such as the maximum number of HTTP requests allowed, the maximum total size of all the assets combined, the minimum allowable FPS on a specific device, etc., that must be maintained. The budget can be applied to a single file, a file type, all files loaded on a page, a specific metric, or a threshold over a period of time. The budget reflects reachable goals; whether they are time, quantity, or rule-based. Defining and promoting a budget helps performance proponents advocate for good user experience against competing interests, such as marketing, sales, or even other developers that may want to add videos, 3rd party scripts, or even frameworks. [Performance budgets](/en-US/docs/Web/Performance/Performance_budgets) help developer teams protect optimal performance for users while enabling the business to tap into new markets and deliver custom experiences. ### Key Performance Indicators Setting key performance indicators (KPI) as objectives can highlight performance objectives that are also business objectives. KPIs can be both a set of important business metrics in measuring the impact of user experience and performance on the business's top line, and a way of demonstrating the benefits of prioritizing performance. Here are some KPIs to consider: - **Conversion Rate** - : The percent of your traffic that takes an intended action, such as completing a purchase or signing up for a newsletter. When a business site is slow, it can prevent users from completing their intended task. This can lead to low conversion rates. - **Time on Site** - : The average time that your users in aggregate spend on your site. When a site performs slowly, users are more likely to abandon the site prematurely which can lead to low time on site metrics. - **Net Promotion Score** - : The net promoter score (NPS) is a metric for assessing customer-loyalty for a company's brand, product, or service. Poor user performance experiences can equate to poor brand reputation. Setting conversion rate, time on site, and/or net promotion scores as KPIs give financial and other business goal value to the web performance efforts, and get help boost buy-in, with metrics to prove the efforts worth. {{PreviousMenu("Learn/Performance/CSS", "Learn/Performance")}}
0
data/mdn-content/files/en-us/learn/performance
data/mdn-content/files/en-us/learn/performance/perceived_performance/index.md
--- title: Perceived performance slug: Learn/Performance/Perceived_performance page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/Performance/what_is_web_performance", "Learn/Performance/Measuring_performance", "Learn/Performance")}} **[Perceived performance](/en-US/docs/Glossary/Perceived_performance)** is a subjective measure of website performance, responsiveness, and reliability. In other words, how fast a website seems to the user. It is harder to quantify and measure than the actual speed of operation, but perhaps even more important. This article provides a brief introduction to the factors that affect perceived performance, along with a number of tools for assessing and improving the perception. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web" >client-side web technologies</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td>To gain basic familiarity of user perception of web performance.</td> </tr> </tbody> </table> ## Overview The perception of how quickly (and smoothly) pages load and respond to user interaction is even more important than the actual time required to fetch the resources. While you may not be able to physically make your site run faster, you may well be able to improve how fast it _feels_ for your users. A good general rule for improving perceived performance is that it is usually better to provide a quick response and regular status updates than make the user wait until an operation fully completes (before providing any information). For example, when loading a page it is better to display the text when it arrives rather than wait for all the images and other resources. Even though the content has not fully downloaded the user can see something is happening and they can start interacting with the content. > **Note:** Time appears to pass more quickly for users who are actively engaged, distracted, or entertained, than for those who are waiting passively for something to happen. Where possible, actively engage and inform users who are waiting for a task to complete. Similarly, it is better to display a "loading animation" as soon as a user clicks a link to perform a long-running operation. While this doesn't change the time taken to complete the operation, the site feels more responsive, and the user knows that it is working on something useful. ## Performance metrics There is no single metric or test that can be run on a site to evaluate how a user "feels". However, there are a number of metrics that can be "helpful indicators": - [First paint](/en-US/docs/Glossary/First_paint) - : The time to start of first paint operation. Note that this change may not be visible; it can be a simple background color update or something even less noticeable. - [First Contentful Paint](/en-US/docs/Glossary/First_contentful_paint) (FCP) - : The time until first significant rendering (e.g. of text, foreground or background image, canvas or SVG, etc.). Note that this content is not necessarily useful or meaningful. - [First Meaningful Paint](/en-US/docs/Glossary/First_meaningful_paint) (FMP) - : The time at which useful content is rendered to the screen. - [Largest Contentful Paint](https://wicg.github.io/largest-contentful-paint/) (LCP) - : The render time of the largest content element visible in the viewport. - [Speed index](/en-US/docs/Glossary/Speed_index) - : Measures the average time for pixels on the visible screen to be painted. - [Time to interactive](/en-US/docs/Glossary/Time_to_interactive) - : Time until the UI is available for user interaction (i.e. the last [long task](/en-US/docs/Glossary/Long_task) of the load process finishes). ## Improving performance Here are a few tips and tricks to help improve perceived performance: ### Minimize initial load To improve perceived performance, minimize the original page load. In other words, download the content the user is going to interact with immediately first, and download the rest after "in the background". The total amount of content downloaded may actually increase, but the user only _waits_ on a very small amount, so the download feels faster. Separate interactive functionality from content, and load text, styles, and images visible at initial load. Delay, or lazy load, images or scripts that aren't used or visible on the initial page load. Additionally, you should optimize the assets you do load. Images and video should be served in the most optimal format, compressed, and in the correct size. ### Prevent jumping content and other reflows Images or other assets causing content to be pushed down or jump to a different location, like the loading of third party advertisements, can make the page feel like it is still loading and is bad for perceived performance. Content reflowing is especially bad for user experience when not initiated by user interaction. If some assets are going to be slower to load than others, with elements loading after other content has already been painted to the screen, plan ahead and leave space in the layout for them so that content doesn't jump or resize, especially after the site has become interactive. ### Avoid font file delays Font choice is important. Selecting an appropriate font can greatly improve the user experience. From a perceived performance point of view, "suboptimal fonts importing" can result in flicker as text is styled or when falling back to other fonts. Make fallback fonts the same size and weight so that when fonts load the page change is less noticeable. ### Interactive elements are interactive Make sure visible interactive elements are always interactive and responsive. If input elements are visible, the user should be able to interact with them without a lag. Users feel that something is laggy when they take more than 50ms to react. They feel that a page is behaving poorly when content repaints slower than 16.67ms (or 60 frames per second) or repaints at uneven intervals. Make things like type-ahead a progressive enhancement: use CSS to display input modal, JS to add autocomplete as it is available ### Make task initiators appear more interactive Making a content request on `keydown` rather than waiting for `keyup` can reduce the perceived load time of the content by 200ms. Adding an interesting but unobtrusive 200ms animation to that `keyup` event can reduce another 200ms of the perceived load. You're not saving 400ms of time, but the user doesn't feel like they're waiting for content until, well, until they're waiting for content. ## Conclusion By reducing the time that a user has to wait for _useful_ content, and keeping the site responsive and engaging, the users will feel like the site performs better β€” even the actual time to load resources stays the same. {{PreviousMenuNext("Learn/Performance/what_is_web_performance", "Learn/Performance/Measuring_performance", "Learn/Performance")}}
0
data/mdn-content/files/en-us/learn
data/mdn-content/files/en-us/learn/html/index.md
--- title: Structuring the web with HTML slug: Learn/HTML page-type: learn-topic --- {{LearnSidebar}} To build websites, you should know about {{Glossary('HTML')}} β€” the fundamental technology used to define the structure of a webpage. HTML is used to specify whether your web content should be recognized as a paragraph, list, heading, link, image, multimedia player, form, or one of many other available elements or even a new element that you define. > **Callout:** > > #### Looking to become a front-end web developer? > > We have put together a course that includes all the essential information you need to > work towards your goal. > > [**Get started**](/en-US/docs/Learn/Front-end_web_developer) ## Prerequisites Before starting this topic, you should have at least basic familiarity with using computers and using the web passively (i.e., just looking at it, consuming the content). You should have a basic work environment set up as detailed in [Installing basic software](/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software), and understand how to create and manage files, as detailed in [Dealing with files](/en-US/docs/Learn/Getting_started_with_the_web/Dealing_with_files) β€” both are parts of our [Getting started with the web](/en-US/docs/Learn/Getting_started_with_the_web) complete beginner's module. It is recommended that you work through [Getting started with the web](/en-US/docs/Learn/Getting_started_with_the_web) before attempting this topic. However, this isn't absolutely necessary; much of what is covered in the [HTML basics](/en-US/docs/Learn/Getting_started_with_the_web/HTML_basics) article is also covered in our [Introduction to HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML) module, albeit in a lot more detail. After learning HTML, you can then move on to learning about more advanced topics such as: - [CSS](/en-US/docs/Learn/CSS), and how to use it to style HTML (for example, alter your text size and fonts used, add borders and drop shadows, layout your page with multiple columns, add animations and other visual effects). - [JavaScript](/en-US/docs/Learn/JavaScript), and how to use it to add dynamic functionality to web pages (for example, find your location and plot it on a map, make UI elements appear/disappear when you toggle a button, save users' data locally on their computers, and much more). ## Modules This topic contains the following modules, in a suggested order for working through them. You should definitely start with the first one. - [Introduction to HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML) - : This module sets the stage, getting you used to important concepts and syntax, looking at applying HTML to text, how to create hyperlinks, and how to use HTML to structure a webpage. - [Multimedia and embedding](/en-US/docs/Learn/HTML/Multimedia_and_embedding) - : This module explores how to use HTML to include multimedia in your web pages, including the different ways that images can be included, and how to embed video, audio, and even entire other webpages. - [HTML tables](/en-US/docs/Learn/HTML/Tables) - : Representing tabular data on a webpage in an understandable, {{glossary("Accessibility", "accessible")}} way can be a challenge. This module covers basic table markup, along with more complex features such as implementing captions and summaries. ## Solving common HTML problems [Use HTML to solve common problems](/en-US/docs/Learn/HTML/Howto) provides links to sections of content explaining how to use HTML to solve very common problems when creating a webpage: dealing with titles, adding images or videos, emphasizing content, creating a basic form, etc. ## See also - [Web forms](/en-US/docs/Learn/Forms) - : This module provides a series of articles that will help you master the essentials of web forms. Web forms are a very powerful tool for interacting with users β€” most commonly they are used for collecting data from users, or allowing them to control a user interface. However, for historical and technical reasons it's not always obvious how to use them to their full potential. We'll cover all the essential aspects of Web forms including marking up their HTML structure, styling form controls, validating form data, and submitting data to the server. - [HTML (HyperText Markup Language) on MDN](/en-US/docs/Web/HTML) - : The main entry point for HTML reference documentation on MDN, including detailed element and attribute references β€” if you want to know what attributes an element has or what values an attribute has, for example, this is a great place to start.
0
data/mdn-content/files/en-us/learn/html
data/mdn-content/files/en-us/learn/html/tables/index.md
--- title: HTML tables slug: Learn/HTML/Tables page-type: learn-module --- {{LearnSidebar}} A very common task in HTML is structuring tabular data, and it has a number of elements and attributes for just this purpose. Coupled with a little [CSS](/en-US/docs/Learn/CSS) for styling, HTML makes it easy to display tables of information on the web such as your school lesson plan, the timetable at your local swimming pool, or statistics about your favorite dinosaurs or football team. This module takes you through all you need to know about structuring tabular data using HTML. > **Callout:** > > #### Looking to become a front-end web developer? > > We have put together a course that includes all the essential information you need to > work towards your goal. > > [**Get started**](/en-US/docs/Learn/Front-end_web_developer) ## Prerequisites Before starting this module, you should already have covered the basics of HTML β€” see [Introduction to HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML). > **Note:** If you are working on a computer/tablet/other device where you don't have the ability to create your own files, you could try out (most of) the code examples in an online coding program such as [JSBin](https://jsbin.com/) or [Glitch](https://glitch.com/). ## Guides This module contains the following articles, which will take you through all the fundamentals of creating tables in HTML. - [HTML table basics](/en-US/docs/Learn/HTML/Tables/Basics) - : This article gets you started with HTML tables, covering the very basics such as rows and cells, headings, making cells span multiple columns and rows, and how to group together all the cells in a column for styling purposes. - [HTML table advanced features and accessibility](/en-US/docs/Learn/HTML/Tables/Advanced) - : This article looks at some more advanced features of HTML tables β€” such as captions/summaries and grouping your rows into table head, body and footer sections β€” as well as looking at the accessibility of tables for visually impaired users. ## Assessments The following assessment will test your understanding of the HTML table techniques covered in the guides above. - [Structuring planet data](/en-US/docs/Learn/HTML/Tables/Structuring_planet_data) - : In our table assessment, we provide you with some data on the planets in our solar system, and get you to structure it into an HTML table.
0
data/mdn-content/files/en-us/learn/html/tables
data/mdn-content/files/en-us/learn/html/tables/basics/index.md
--- title: HTML table basics slug: Learn/HTML/Tables/Basics page-type: learn-module-chapter --- {{LearnSidebar}}{{NextMenu("Learn/HTML/Tables/Advanced", "Learn/HTML/Tables")}} This article gets you started with HTML tables, covering the very basics such as rows, cells, headings, making cells span multiple columns and rows, and how to group together all the cells in a column for styling purposes. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> The basics of HTML (see <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML" >Introduction to HTML</a >). </td> </tr> <tr> <th scope="row">Objective:</th> <td>To gain basic familiarity with HTML tables.</td> </tr> </tbody> </table> ## What is a table? A table is a structured set of data made up of rows and columns (**tabular data**). A table allows you to quickly and easily look up values that indicate some kind of connection between different types of data, for example a person and their age, or a day of the week, or the timetable for a local swimming pool. ![A sample table showing names and ages of some people - Chris 38, Dennis 45, Sarah 29, Karen 47.](numbers-table.png) ![A swimming timetable showing a sample data table](swimming-timetable.png) Tables are very commonly used in human society, and have been for a long time, as evidenced by this US Census document from 1800: ![A very old parchment document; the data is not easily readable, but it clearly shows a data table being used.](1800-census.jpg) It is therefore no wonder that the creators of HTML provided a means by which to structure and present tabular data on the web. ### How does a table work? The point of a table is that it is rigid. Information is easily interpreted by making visual associations between row and column headers. Look at the table below for example and find a Jovian gas giant with 62 moons. You can find the answer by associating the relevant row and column headers. ```html hidden <table> <caption> Data about the planets of our solar system (Source: <a href="https://nssdc.gsfc.nasa.gov/planetary/factsheet/" >Nasa's Planetary Fact Sheet - Metric</a >). </caption> <thead> <tr> <td colspan="2"></td> <th scope="col">Name</th> <th scope="col">Mass (10<sup>24</sup>kg)</th> <th scope="col">Diameter (km)</th> <th scope="col">Density (kg/m<sup>3</sup>)</th> <th scope="col">Gravity (m/s<sup>2</sup>)</th> <th scope="col">Length of day (hours)</th> <th scope="col">Distance from Sun (10<sup>6</sup>km)</th> <th scope="col">Mean temperature (Β°C)</th> <th scope="col">Number of moons</th> <th scope="col">Notes</th> </tr> </thead> <tbody> <tr> <th colspan="2" rowspan="4" scope="rowgroup">Terrestrial planets</th> <th scope="row">Mercury</th> <td>0.330</td> <td>4,879</td> <td>5427</td> <td>3.7</td> <td>4222.6</td> <td>57.9</td> <td>167</td> <td>0</td> <td>Closest to the Sun</td> </tr> <tr> <th scope="row">Venus</th> <td>4.87</td> <td>12,104</td> <td>5243</td> <td>8.9</td> <td>2802.0</td> <td>108.2</td> <td>464</td> <td>0</td> <td></td> </tr> <tr> <th scope="row">Earth</th> <td>5.97</td> <td>12,756</td> <td>5514</td> <td>9.8</td> <td>24.0</td> <td>149.6</td> <td>15</td> <td>1</td> <td>Our world</td> </tr> <tr> <th scope="row">Mars</th> <td>0.642</td> <td>6,792</td> <td>3933</td> <td>3.7</td> <td>24.7</td> <td>227.9</td> <td>-65</td> <td>2</td> <td>The red planet</td> </tr> <tr> <th rowspan="4" scope="rowgroup">Jovian planets</th> <th rowspan="2" scope="rowgroup">Gas giants</th> <th scope="row">Jupiter</th> <td>1898</td> <td>142,984</td> <td>1326</td> <td>23.1</td> <td>9.9</td> <td>778.6</td> <td>-110</td> <td>67</td> <td>The largest planet</td> </tr> <tr> <th scope="row">Saturn</th> <td>568</td> <td>120,536</td> <td>687</td> <td>9.0</td> <td>10.7</td> <td>1433.5</td> <td>-140</td> <td>62</td> <td></td> </tr> <tr> <th rowspan="2" scope="rowgroup">Ice giants</th> <th scope="row">Uranus</th> <td>86.8</td> <td>51,118</td> <td>1271</td> <td>8.7</td> <td>17.2</td> <td>2872.5</td> <td>-195</td> <td>27</td> <td></td> </tr> <tr> <th scope="row">Neptune</th> <td>102</td> <td>49,528</td> <td>1638</td> <td>11.0</td> <td>16.1</td> <td>4495.1</td> <td>-200</td> <td>14</td> <td></td> </tr> <tr> <th colspan="2" scope="rowgroup">Dwarf planets</th> <th scope="row">Pluto</th> <td>0.0146</td> <td>2,370</td> <td>2095</td> <td>0.7</td> <td>153.3</td> <td>5906.4</td> <td>-225</td> <td>5</td> <td> Declassified as a planet in 2006, but this <a href="https://www.usatoday.com/story/tech/2014/10/02/pluto-planet-solar-system/16578959/" >remains controversial</a >. </td> </tr> </tbody> </table> ``` ```css hidden table { border-collapse: collapse; border: 2px solid black; } th, td { padding: 5px; border: 1px solid black; } ``` {{EmbedLiveSample("How_does_a_table_work", 100, 560)}} When implemented correctly, HTML tables are handled well by accessibility tools such as screen readers, so a successful HTML table should enhance the experience of sighted and visually impaired users alike. ### Table styling You can also have a [look at the live example](https://mdn.github.io/learning-area/html/tables/assessment-finished/planets-data.html) on GitHub! One thing you'll notice is that the table does look a bit more readable there β€” this is because the table you see above on this page has minimal styling, whereas the GitHub version has more significant CSS applied. Be under no illusion; for tables to be effective on the web, you need to provide some styling information with [CSS](/en-US/docs/Learn/CSS), as well as good solid structure with HTML. In this module we are focusing on the HTML part; to find out about the CSS part you should visit our [Styling tables](/en-US/docs/Learn/CSS/Building_blocks/Styling_tables) article after you've finished here. We won't focus on CSS in this module, but we have provided a minimal CSS stylesheet for you to use that will make your tables more readable than the default you get without any styling. You can find the [stylesheet here](https://github.com/mdn/learning-area/blob/main/html/tables/basic/minimal-table.css), and you can also find an [HTML template](https://github.com/mdn/learning-area/blob/main/html/tables/basic/blank-template.html) that applies the stylesheet β€” these together will give you a good starting point for experimenting with HTML tables. ### When should you NOT use HTML tables? HTML tables should be used for tabular data β€” this is what they are designed for. Unfortunately, a lot of people used to use HTML tables to lay out web pages, e.g. one row to contain the header, one row to contain the content columns, one row to contain the footer, etc. You can find more details and an example at [Page Layouts](/en-US/docs/Learn/Accessibility/HTML#page_layouts) in our [Accessibility Learning Module](/en-US/docs/Learn/Accessibility). This was commonly used because CSS support across browsers used to be terrible; table layouts are much less common nowadays, but you might still see them in some corners of the web. In short, using tables for layout rather than [CSS layout techniques](/en-US/docs/Learn/CSS/CSS_layout) is a bad idea. The main reasons are as follows: 1. **Layout tables reduce accessibility for visually impaired users**: [screen readers](/en-US/docs/Learn/Tools_and_testing/Cross_browser_testing/Accessibility#screen_readers), used by blind people, interpret the tags that exist in an HTML page and read out the contents to the user. Because tables are not the right tool for layout, and the markup is more complex than with CSS layout techniques, the screen readers' output will be confusing to their users. 2. **Tables produce tag soup**: As mentioned above, table layouts generally involve more complex markup structures than proper layout techniques. This can result in the code being harder to write, maintain, and debug. 3. **Tables are not automatically responsive**: When you use proper layout containers (such as {{htmlelement("header")}}, {{htmlelement("section")}}, {{htmlelement("article")}}, or {{htmlelement("div")}}), their width defaults to 100% of their parent element. Tables on the other hand are sized according to their content by default, so extra measures are needed to get table layout styling to effectively work across a variety of devices. ## Active learning: Creating your first table We've talked table theory enough, so, let's dive into a practical example and build up a simple table. 1. First of all, make a local copy of [blank-template.html](https://github.com/mdn/learning-area/blob/main/html/tables/basic/blank-template.html) and [minimal-table.css](https://github.com/mdn/learning-area/blob/main/html/tables/basic/minimal-table.css) in a new directory on your local machine. 2. The content of every table is enclosed by these two tags: **[`<table></table>`](/en-US/docs/Web/HTML/Element/table)**. Add these inside the body of your HTML. 3. The smallest container inside a table is a table cell, which is created by a **[`<td>`](/en-US/docs/Web/HTML/Element/td)** element ('td' stands for 'table data'). Add the following inside your table tags: ```html <td>Hi, I'm your first cell.</td> ``` 4. If we want a row of four cells, we need to copy these tags three times. Update the contents of your table to look like so: ```html <td>Hi, I'm your first cell.</td> <td>I'm your second cell.</td> <td>I'm your third cell.</td> <td>I'm your fourth cell.</td> ``` As you will see, the cells are not placed underneath each other, rather they are automatically aligned with each other on the same row. Each `<td>` element creates a single cell and together they make up the first row. Every cell we add makes the row grow longer. To stop this row from growing and start placing subsequent cells on a second row, we need to use the **[`<tr>`](/en-US/docs/Web/HTML/Element/tr)** element ('tr' stands for 'table row'). Let's investigate this now. 1. Place the four cells you've already created inside `<tr>` tags, like so: ```html <tr> <td>Hi, I'm your first cell.</td> <td>I'm your second cell.</td> <td>I'm your third cell.</td> <td>I'm your fourth cell.</td> </tr> ``` 2. Now you've made one row, have a go at making one or two more β€” each row needs to be wrapped in an additional `<tr>` element, with each cell contained in a `<td>`. ### Result This should result in a table that looks something like the following: ```html hidden <table> <tr> <td>Hi, I'm your first cell.</td> <td>I'm your second cell.</td> <td>I'm your third cell.</td> <td>I'm your fourth cell.</td> </tr> <tr> <td>Second row, first cell.</td> <td>Cell 2.</td> <td>Cell 3.</td> <td>Cell 4.</td> </tr> </table> ``` ```css hidden table { border-collapse: collapse; } td, th { border: 1px solid black; padding: 10px 20px; } ``` {{EmbedLiveSample("Result")}} > **Note:** You can also find this on GitHub as [simple-table.html](https://github.com/mdn/learning-area/blob/main/html/tables/basic/simple-table.html) ([see it live also](https://mdn.github.io/learning-area/html/tables/basic/simple-table.html)). ## Adding headers with \<th> elements Now let's turn our attention to table headers β€” special cells that go at the start of a row or column and define the type of data that row or column contains (as an example, see the "Person" and "Age" cells in the first example shown in this article). To illustrate why they are useful, have a look at the following table example. First the source code: ```html <table> <tr> <td>&nbsp;</td> <td>Knocky</td> <td>Flor</td> <td>Ella</td> <td>Juan</td> </tr> <tr> <td>Breed</td> <td>Jack Russell</td> <td>Poodle</td> <td>Streetdog</td> <td>Cocker Spaniel</td> </tr> <tr> <td>Age</td> <td>16</td> <td>9</td> <td>10</td> <td>5</td> </tr> <tr> <td>Owner</td> <td>Mother-in-law</td> <td>Me</td> <td>Me</td> <td>Sister-in-law</td> </tr> <tr> <td>Eating Habits</td> <td>Eats everyone's leftovers</td> <td>Nibbles at food</td> <td>Hearty eater</td> <td>Will eat till he explodes</td> </tr> </table> ``` ```css hidden table { border-collapse: collapse; } td, th { border: 1px solid black; padding: 10px 20px; } ``` Now the actual rendered table: {{EmbedLiveSample("Adding_headers_with_th_elements", "", "250")}} The problem here is that, while you can kind of make out what's going on, it is not as easy to cross reference data as it could be. If the column and row headings stood out in some way, it would be much better. ### Active learning: table headers Let's have a go at improving this table. 1. First, make a local copy of our [dogs-table.html](https://github.com/mdn/learning-area/blob/main/html/tables/basic/dogs-table.html) and [minimal-table.css](https://github.com/mdn/learning-area/blob/main/html/tables/basic/minimal-table.css) files in a new directory on your local machine. The HTML contains the same Dogs example as you saw above. 2. To recognize the table headers as headers, both visually and semantically, you can use the **[`<th>`](/en-US/docs/Web/HTML/Element/th)** element ('th' stands for 'table header'). This works in exactly the same way as a `<td>`, except that it denotes a header, not a normal cell. Go into your HTML, and change all the `<td>` elements surrounding the table headers into `<th>` elements. 3. Save your HTML and load it in a browser, and you should see that the headers now look like headers. > **Note:** You can find our finished example at [dogs-table-fixed.html](https://github.com/mdn/learning-area/blob/main/html/tables/basic/dogs-table-fixed.html) on GitHub ([see it live also](https://mdn.github.io/learning-area/html/tables/basic/dogs-table-fixed.html)). ### Why are headers useful? We have already partially answered this question β€” it is easier to find the data you are looking for when the headers clearly stand out, and the design just generally looks better. > **Note:** Table headings come with some default styling β€” they are bold and centered even if you don't add your own styling to the table, to help them stand out. Tables headers also have an added benefit β€” along with the `scope` attribute (which we'll learn about in the next article), they allow you to make tables more accessible by associating each header with all the data in the same row or column. Screen readers are then able to read out a whole row or column of data at once, which is pretty useful. ## Allowing cells to span multiple rows and columns Sometimes we want cells to span multiple rows or columns. Take the following simple example, which shows the names of common animals. In some cases, we want to show the names of the males and females next to the animal name. Sometimes we don't, and in such cases we just want the animal name to span the whole table. The initial markup looks like this: ```html <table> <tr> <th>Animals</th> </tr> <tr> <th>Hippopotamus</th> </tr> <tr> <th>Horse</th> <td>Mare</td> </tr> <tr> <td>Stallion</td> </tr> <tr> <th>Crocodile</th> </tr> <tr> <th>Chicken</th> <td>Hen</td> </tr> <tr> <td>Rooster</td> </tr> </table> ``` ```css hidden table { border-collapse: collapse; } td, th { border: 1px solid black; padding: 10px 20px; } ``` But the output doesn't give us quite what we want: {{EmbedLiveSample("Allowing_cells_to_span_multiple_rows_and_columns", "", "350")}} We need a way to get "Animals", "Hippopotamus", and "Crocodile" to span across two columns, and "Horse" and "Chicken" to span downwards over two rows. Fortunately, table headers and cells have the `colspan` and `rowspan` attributes, which allow us to do just those things. Both accept a unitless number value, which equals the number of rows or columns you want spanned. For example, `colspan="2"` makes a cell span two columns. Let's use `colspan` and `rowspan` to improve this table. 1. First, make a local copy of our [animals-table.html](https://github.com/mdn/learning-area/blob/main/html/tables/basic/animals-table.html) and [minimal-table.css](https://github.com/mdn/learning-area/blob/main/html/tables/basic/minimal-table.css) files in a new directory on your local machine. The HTML contains the same animals example as you saw above. 2. Next, use `colspan` to make "Animals", "Hippopotamus", and "Crocodile" span across two columns. 3. Finally, use `rowspan` to make "Horse" and "Chicken" span across two rows. 4. Save and open your code in a browser to see the improvement. > **Note:** You can find our finished example at [animals-table-fixed.html](https://github.com/mdn/learning-area/blob/main/html/tables/basic/animals-table-fixed.html) on GitHub ([see it live also](https://mdn.github.io/learning-area/html/tables/basic/animals-table-fixed.html)). ## Providing common styling to columns ### Styling without \<col> There is one last feature we'll tell you about in this article before we move on. HTML has a method of defining styling information for an entire column of data all in one place β€” the **[`<col>`](/en-US/docs/Web/HTML/Element/col)** and **[`<colgroup>`](/en-US/docs/Web/HTML/Element/colgroup)** elements. These exist because it can be a bit annoying and inefficient having to specify styling on columns β€” you generally have to specify your styling information on _every_ `<td>` or `<th>` in the column, or use a complex selector such as {{cssxref(":nth-child")}}. > **Note:** Styling columns like this is [limited to a few properties](https://www.w3.org/TR/CSS22/tables.html#columns): [`border`](/en-US/docs/Web/CSS/border), [`background`](/en-US/docs/Web/CSS/background), [`width`](/en-US/docs/Web/CSS/width), and [`visibility`](/en-US/docs/Web/CSS/visibility). To set other properties you'll have to either style every `<td>` or `<th>` in the column, or use a complex selector such as {{cssxref(":nth-child")}}. Take the following simple example: ```html <table> <tr> <th>Data 1</th> <th style="background-color: yellow">Data 2</th> </tr> <tr> <td>Calcutta</td> <td style="background-color: yellow">Orange</td> </tr> <tr> <td>Robots</td> <td style="background-color: yellow">Jazz</td> </tr> </table> ``` ```css hidden table { border-collapse: collapse; } td, th { border: 1px solid black; padding: 10px 20px; } ``` Which gives us the following result: {{EmbedLiveSample("Styling_without_col", "", "200")}} This isn't ideal, as we have to repeat the styling information across all three cells in the column (we'd probably have a `class` set on all three in a real project and specify the styling in a separate stylesheet). ### Styling with \<col> Instead of doing this, we can specify the information once, on a `<col>` element. `<col>` elements are specified inside a `<colgroup>` container just below the opening `<table>` tag. We could create the same effect as we see above by specifying our table as follows: ```html <table> <colgroup> <col /> <col style="background-color: yellow" /> </colgroup> <tr> <th>Data 1</th> <th>Data 2</th> </tr> <tr> <td>Calcutta</td> <td>Orange</td> </tr> <tr> <td>Robots</td> <td>Jazz</td> </tr> </table> ``` Effectively we are defining two "style columns", one specifying styling information for each column. We are not styling the first column, but we still have to include a blank `<col>` element β€” if we didn't, the styling would just be applied to the first column. If we wanted to apply the styling information to both columns, we could just include one `<col>` element with a span attribute on it, like this: ```html <colgroup> <col style="background-color: yellow" span="2" /> </colgroup> ``` Just like `colspan` and `rowspan`, `span` takes a unitless number value that specifies the number of columns you want the styling to apply to. > **Note:** When the table, a column, and table cells in that column are all styled separately then styles applied to the cells are painted on top of column styles which are painted on top of the table. This is because the table layer is rendered first, then the columns' layer is rendered, with the [cells' layer rendered on top of all the other table layers](/en-US/docs/Web/HTML/Element/table#table_layers_and_transparency). ### Active learning: colgroup and col Now it's time to have a go yourself. Below you can see the timetable of a languages teacher. On Friday she has a new class teaching Dutch all day, but she also teaches German for a few periods on Tuesday and Thursdays. She wants to highlight the columns containing the days she is teaching. {{EmbedGHLiveSample("learning-area/html/tables/basic/timetable-fixed.html", '100%', 350)}} Recreate the table by following the steps below. 1. First, make a local copy of our [timetable.html](https://github.com/mdn/learning-area/blob/main/html/tables/basic/timetable.html) file in a new directory on your local machine. The HTML contains the same table you saw above, minus the column styling information. 2. Add a `<colgroup>` element at the top of the table, just underneath the `<table>` tag, in which you can add your `<col>` elements (see the remaining steps below). 3. The first two columns need to be left unstyled. 4. Add a background color to the third column. The value for your `style` attribute is `background-color:#97DB9A;` 5. Set a separate width on the fourth column. The value for your `style` attribute is `width: 42px;` 6. Add a background color to the fifth column. The value for your `style` attribute is `background-color: #97DB9A;` 7. Add a different background color plus a border to the sixth column, to signify that this is a special day and she's teaching a new class. The values for your `style` attribute are `background-color:#DCC48E; border:4px solid #C1437A;` 8. The last two days are free days, so just set them to no background color but a set width; the value for the `style` attribute is `width: 42px;` See how you get on with the example. If you get stuck, or want to check your work, you can find our version on GitHub as [timetable-fixed.html](https://github.com/mdn/learning-area/blob/main/html/tables/basic/timetable-fixed.html) ([see it live also](https://mdn.github.io/learning-area/html/tables/basic/timetable-fixed.html)). ## Summary That just about wraps up the basics of HTML tables. In the next article, we'll look at some slightly more [advanced table features](/en-US/docs/Learn/HTML/Tables/Advanced), and start to think how accessible they are for visually impaired people. {{NextMenu("Learn/HTML/Tables/Advanced", "Learn/HTML/Tables")}}
0
data/mdn-content/files/en-us/learn/html/tables
data/mdn-content/files/en-us/learn/html/tables/structuring_planet_data/index.md
--- title: Structuring planet data slug: Learn/HTML/Tables/Structuring_planet_data page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenu("Learn/HTML/Tables/Advanced", "Learn/HTML/Tables")}} In our table assessment, we provide you with some data on the planets in our solar system, and get you to structure it into an HTML table. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Before attempting this assessment you should have already worked through all the articles in this module. </td> </tr> <tr> <th scope="row">Objective:</th> <td>To test comprehension of HTML tables and associated features.</td> </tr> </tbody> </table> ## Starting point To start the assessment, make local copies of [blank-template.html](https://github.com/mdn/learning-area/blob/main/html/tables/assessment-start/blank-template.html), [minimal-table.css](https://github.com/mdn/learning-area/blob/main/html/tables/assessment-start/minimal-table.css), and [planets-data.txt](https://github.com/mdn/learning-area/blob/main/html/tables/assessment-start/planets-data.txt) in a new directory in your local computer. > **Note:** You can try solutions in your code editor or in an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > > If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## Project brief You are working at a school; currently your students are studying the planets of our solar system, and you want to provide them with an easy-to-follow set of data to look up facts and figures about the planets. An HTML data table would be ideal β€” you need to take the raw data you have available and turn it into a table, following the steps below. ### Steps to complete The following steps describe what you need to do to complete the table example. All the data you'll need is contained in the `planets-data.txt` file. If you have trouble visualizing the data, look at the live example below, or try drawing a diagram. 1. Open your copy of `blank-template.html`, and start the table off by giving it an outer container, a table header, and a table body. You don't need a table footer for this example. 2. Add the provided caption to your table. 3. Add a row to the table header containing all the column headers. 4. Create all the content rows inside the table body, remembering to make all the row headings into headings semantically. 5. Ensure all the content is placed into the right cells β€” in the raw data, each row of planet data is shown next to its associated planet. 6. Add attributes to make the row and column headers unambiguously associated with the rows, columns, or rowgroups that they act as headings for. 7. Add a black [border](/en-US/docs/Web/CSS/border) just around the column that contains all the planet name row headers. ## Hints and tips - The first cell of the header row needs to be blank, and span two columns. - The group row headings (e.g. _Jovian planets_) that sit to the left of the planet name row headings (e.g. _Saturn_) are a little tricky to sort out β€” you need to make sure each one spans the correct number of rows and columns. - One way of associating headers with their rows/columns is a lot easier than the other way. ## Example The finished table should look like this: ![Complex table has a caption above it. The top row cells are column headers. There are three columns of headers. The first two columns have merged cells, with the third column being individual headers for each row. All the text is centered. The headers and every other row have a slight background color.](assessment-table.png) You can also [see the example live here](https://mdn.github.io/learning-area/html/tables/assessment-finished/planets-data.html) (no looking at the source code β€” don't cheat!) {{PreviousMenu("Learn/HTML/Tables/Advanced", "Learn/HTML/Tables")}}
0
data/mdn-content/files/en-us/learn/html/tables
data/mdn-content/files/en-us/learn/html/tables/advanced/index.md
--- title: HTML table advanced features and accessibility slug: Learn/HTML/Tables/Advanced page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Tables/Basics", "Learn/HTML/Tables/Structuring_planet_data", "Learn/HTML/Tables")}} In the second article in this module, we look at some more advanced features of HTML tables β€” such as captions/summaries and grouping your rows into table head, body and footer sections β€” as well as looking at the accessibility of tables for visually impaired users. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> The basics of HTML (see <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML" >Introduction to HTML</a >). </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn about more advanced HTML table features, and the accessibility of tables. </td> </tr> </tbody> </table> ## Adding a caption to your table with \<caption> You can give your table a caption by putting it inside a {{htmlelement("caption")}} element and nesting that inside the {{htmlelement("table")}} element. You should put it just below the opening `<table>` tag. ```html <table> <caption> Dinosaurs in the Jurassic period </caption> … </table> ``` As you can infer from the brief example above, the caption is meant to contain a description of the table contents. This is useful for all readers wishing to get a quick idea of whether the table is useful to them as they scan the page, but particularly for blind users. Rather than have a screen reader read out the contents of many cells just to find out what the table is about, the user can rely on a caption and then decide whether or not to read the table in greater detail. A caption is placed directly beneath the `<table>` tag. > **Note:** The [`summary`](/en-US/docs/Web/HTML/Element/table#summary) attribute can also be used on the `<table>` element to provide a description β€” this is also read out by screen readers. We'd recommend using the `<caption>` element instead, however, as `summary` is deprecated and can't be read by sighted users (it doesn't appear on the page). ### Active learning: Adding a caption Let's try this out, revisiting an example we first met in the previous article. 1. Open up your language teacher's school timetable from the end of [HTML Table Basics](/en-US/docs/Learn/HTML/Tables/Basics#active_learning_colgroup_and_col), or make a local copy of our [timetable-fixed.html](https://github.com/mdn/learning-area/blob/main/html/tables/basic/timetable-fixed.html) file. 2. Add a suitable caption for the table. 3. Save your code and open it in a browser to see what it looks like. > **Note:** You can find our version on GitHub β€” see [timetable-caption.html](https://github.com/mdn/learning-area/blob/main/html/tables/advanced/timetable-caption.html) ([see it live also](https://mdn.github.io/learning-area/html/tables/advanced/timetable-caption.html)). ## Adding structure with \<thead>, \<tfoot>, and \<tbody> As your tables get a bit more complex in structure, it is useful to give them more structural definition. One clear way to do this is by using {{htmlelement("thead")}}, {{htmlelement("tfoot")}}, and {{htmlelement("tbody")}}, which allow you to mark up a header, footer, and body section for the table. These elements don't make the table any more accessible to screen reader users, and don't result in any visual enhancement on their own. They are however very useful for styling and layout β€” acting as useful hooks for adding CSS to your table. To give you some interesting examples, in the case of a long table you could make the table header and footer repeat on every printed page, and you could make the table body display on a single page and have the contents available by scrolling up and down. To use them: - The `<thead>` element must wrap the part of the table that is the header β€” this is usually the first row containing the column headings, but this is not necessarily always the case. If you are using {{htmlelement("col")}}/{{htmlelement("colgroup")}} element, the table header should come just below those. - The `<tfoot>` element needs to wrap the part of the table that is the footer β€” this might be a final row with items in the previous rows summed, for example. You can include the table footer right at the bottom of the table as you'd expect, or just below the table header (the browser will still render it at the bottom of the table). - The `<tbody>` element needs to wrap the other parts of the table content that aren't in the table header or footer. It will appear below the table header or sometimes footer, depending on how you decided to structure it. > **Note:** `<tbody>` is always included in every table, implicitly if you don't specify it in your code. To check this, open up one of your previous examples that doesn't include `<tbody>` and look at the HTML code in your [browser developer tools](/en-US/docs/Learn/Common_questions/Tools_and_setup/What_are_browser_developer_tools) β€” you will see that the browser has added this tag for you. You might wonder why you ought to bother including it at all β€” you should, because it gives you more control over your table structure and styling. ### Active learning: Adding table structure Let's put these new elements into action. 1. First of all, make a local copy of [spending-record.html](https://github.com/mdn/learning-area/blob/main/html/tables/advanced/spending-record.html) and [minimal-table.css](https://github.com/mdn/learning-area/blob/main/html/tables/advanced/minimal-table.css) in a new folder. 2. Try opening it in a browser β€” You'll see that it looks OK, but it could stand to be improved. The "SUM" row that contains a summation of the spent amounts seems to be in the wrong place, and there are some details missing from the code. 3. Put the obvious headers row inside a `<thead>` element, the "SUM" row inside a `<tfoot>` element, and the rest of the content inside a `<tbody>` element. 4. Save and refresh, and you'll see that adding the `<tfoot>` element has caused the "SUM" row to go down to the bottom of the table. 5. Next, add a [`colspan`](/en-US/docs/Web/HTML/Element/td#colspan) attribute to make the "SUM" cell span across the first four columns, so the actual number appears at the bottom of the "Cost" column. 6. Let's add some simple extra styling to the table, to give you an idea of how useful these elements are for applying CSS. Inside the head of your HTML document, you'll see an empty {{htmlelement("style")}} element. Inside this element, add the following lines of CSS code: ```css tbody { font-size: 95%; font-style: italic; } tfoot { font-weight: bold; } ``` 7. Save and refresh, and have a look at the result. If the `<tbody>` and `<tfoot>` elements weren't in place, you'd have to write much more complicated selectors/rules to apply the same styling. > **Note:** We don't expect you to fully understand the CSS right now. You'll learn more about this when you go through our CSS modules ([Introduction to CSS](/en-US/docs/Learn/CSS/First_steps) is a good place to start; we also have an article specifically on [styling tables](/en-US/docs/Learn/CSS/Building_blocks/Styling_tables)). Your finished table should look something like the following: {{ EmbedGHLiveSample('learning-area/html/tables/advanced/spending-record-finished.html', '100%', 400) }} > **Note:** You can also find it on GitHub as [spending-record-finished.html](https://github.com/mdn/learning-area/blob/main/html/tables/advanced/spending-record-finished.html). ## Nesting Tables It is possible to nest a table inside another one, as long as you include the complete structure, including the `<table>` element. This is generally not really advised, as it makes the markup more confusing and less accessible to screen reader users, and in many cases you might as well just insert extra cells/rows/columns into the existing table. It is however sometimes necessary, for example if you want to import content easily from other sources. The following markup shows a simple nested table: ```html <table id="table1"> <tr> <th>title1</th> <th>title2</th> <th>title3</th> </tr> <tr> <td id="nested"> <table id="table2"> <tr> <td>cell1</td> <td>cell2</td> <td>cell3</td> </tr> </table> </td> <td>cell2</td> <td>cell3</td> </tr> <tr> <td>cell4</td> <td>cell5</td> <td>cell6</td> </tr> </table> ``` The output of which looks something like this: ```css hidden table { border-collapse: collapse; } td, th { border: 1px solid black; padding: 10px 20px; } ``` {{EmbedLiveSample("Nesting_Tables")}} ## Tables for visually impaired users Let's recap briefly on how we use data tables. A table can be a handy tool, for giving us quick access to data and allowing us to look up different values. For example, it takes only a short glance at the table below to find out how many rings were sold in Gent during August 2016. To understand its information we make visual associations between the data in this table and its column and/or row headers. <table> <caption>Items Sold August 2016</caption> <thead> <tr> <td colspan="2" rowspan="2"></td> <th colspan="3" scope="colgroup">Clothes</th> <th colspan="2" scope="colgroup">Accessories</th> </tr> <tr> <th scope="col">Trousers</th> <th scope="col">Skirts</th> <th scope="col">Dresses</th> <th scope="col">Bracelets</th> <th scope="col">Rings</th> </tr> </thead> <tbody> <tr> <th rowspan="3" scope="rowgroup">Belgium</th> <th scope="row">Antwerp</th> <td>56</td> <td>22</td> <td>43</td> <td>72</td> <td>23</td> </tr> <tr> <th scope="row">Gent</th> <td>46</td> <td>18</td> <td>50</td> <td>61</td> <td>15</td> </tr> <tr> <th scope="row">Brussels</th> <td>51</td> <td>27</td> <td>38</td> <td>69</td> <td>28</td> </tr> <tr> <th rowspan="2" scope="rowgroup">The Netherlands</th> <th scope="row">Amsterdam</th> <td>89</td> <td>34</td> <td>69</td> <td>85</td> <td>38</td> </tr> <tr> <th scope="row">Utrecht</th> <td>80</td> <td>12</td> <td>43</td> <td>36</td> <td>19</td> </tr> </tbody> </table> But what if you cannot make those visual associations? How then can you read a table like the above? Visually impaired people often use a screen reader that reads out information on web pages to them. This is no problem when you're reading plain text but interpreting a table can be quite a challenge for a blind person. Nevertheless, with the proper markup we can replace visual associations by programmatic ones. > **Note:** There are around 253 Million people living with Visual Impairment according to [WHO data in 2017](https://www.who.int/en/news-room/fact-sheets/detail/blindness-and-visual-impairment). This section of the article provides further techniques for making tables as accessible as possible. ### Using column and row headers Screen readers will identify all headers and use them to make programmatic associations between those headers and the cells they relate to. The combination of column and row headers will identify and interpret the data in each cell so that screen reader users can interpret the table similarly to how a sighted user does. We already covered headers in our previous article β€” see [Adding headers with \<th> elements](/en-US/docs/Learn/HTML/Tables/Basics#adding_headers_with_th_elements). ### The scope attribute A new topic for this article is the [`scope`](/en-US/docs/Web/HTML/Element/th#scope) attribute, which can be added to the `<th>` element to tell screen readers exactly what cells the header is a header for β€” is it a header for the row it is in, or the column, for example? Looking back to our spending record example from earlier on, you could unambiguously define the column headers as column headers like this: ```html <thead> <tr> <th scope="col">Purchase</th> <th scope="col">Location</th> <th scope="col">Date</th> <th scope="col">Evaluation</th> <th scope="col">Cost (€)</th> </tr> </thead> ``` And each row could have a header defined like this (if we added row headers as well as column headers): ```html <tr> <th scope="row">Haircut</th> <td>Hairdresser</td> <td>12/09</td> <td>Great idea</td> <td>30</td> </tr> ``` Screen readers will recognize markup structured like this, and allow their users to read out the entire column or row at once, for example. `scope` has two more possible values β€” `colgroup` and `rowgroup`. These are used for headings that sit over the top of multiple columns or rows. If you look back at the "Items Sold August 2016" table at the start of this section of the article, you'll see that the "Clothes" cell sits above the "Trousers", "Skirts", and "Dresses" cells. All of these cells should be marked up as headers (`<th>`), but "Clothes" is a heading that sits over the top and defines the other three subheadings. "Clothes" therefore should get an attribute of `scope="colgroup"`, whereas the others would get an attribute of `scope="col"`: ```html <thead> <tr> <th colspan="3" scope="colgroup">Clothes</th> </tr> <tr> <th scope="col">Trousers</th> <th scope="col">Skirts</th> <th scope="col">Dresses</th> </tr> </thead> ``` The same applies to headers for multiple grouped rows. Take another look at the "Items Sold August 2016" table, this time focusing on the rows with the "Amsterdam" and "Utrecht" headers (`<th>`). You'll notice that the "The Netherlands" header, also marked up as a `<th>` element, spans both rows, being the heading for the other two subheadings. Therefore, `scope="rowgroup"` should be specified on this header cell to help screen readers create the correct associations: ```html <tr> <th rowspan="2" scope="rowgroup">The Netherlands</th> <th scope="row">Amsterdam</th> <td>89</td> <td>34</td> <td>69</td> </tr> <tr> <th scope="row">Utrecht</th> <td>80</td> <td>12</td> <td>43</td> </tr> ``` ### The id and headers attributes An alternative to using the `scope` attribute is to use [`id`](/en-US/docs/Web/HTML/Global_attributes#id) and [`headers`](/en-US/docs/Web/HTML/Element/td#headers) attributes to create associations between headers and cells. The `headers` attribute takes a list of unordered, space-separated {{Glossary("string", "strings")}}, each corresponding to the unique `id` of the `<th>` elements that provide headings for either a data cell (`<td>` element) or another header cell (`<th>` element). This gives your HTML table an explicit definition of the position of each cell in the table, defined by the header(s) for each column and row it is part of, kind of like a spreadsheet. For it to work well, the table really needs both column and row headers. Returning to our "Items Sold August 2016" example, we can use the `id` and `headers` attributes as follows: 1. Add a unique `id` to each `<th>` element in the table. 2. Add a `headers` attribute to each `<th>` element that acts as a subheading, i.e., has a header element above it. The value is the `id` of the heading that sits over the top and defines the subheadings, which is `"clothes"` for the column headers and `"belgium"` for the row header in our example. 3. Add a `headers` attribute to each `<td>` element and add the `id`s of the associated `<th>` element(s) in form of a space-separated list. You can proceed as you would in a spreadsheet: Find the data cell and search for the corresponding headings for the row and column. The order of the specified `id`s doesn't matter, but you should be consistent to keep it organized. ```html <thead> <tr> <th id="clothes" colspan="3">Clothes</th> </tr> <tr> <th id="trousers" headers="clothes">Trousers</th> <th id="skirts" headers="clothes">Skirts</th> <th id="dresses" headers="clothes">Dresses</th> </tr> </thead> <tbody> <tr> <th id="belgium" rowspan="3">Belgium</th> <th id="antwerp" headers="belgium">Antwerp</th> <td headers="antwerp belgium clothes trousers">56</td> <td headers="antwerp belgium clothes skirts">22</td> <td headers="antwerp belgium clothes dresses">43</td> </tr> </tbody> ``` > **Note:** This method creates very precise associations between headers and data cells but it uses **a lot** more markup and does not leave any room for errors. The `scope` approach is usually sufficient for most tables. ### Active learning: playing with scope and headers 1. For this final exercise, we'd like you to first make local copies of [items-sold.html](https://github.com/mdn/learning-area/blob/main/html/tables/advanced/items-sold.html) and [minimal-table.css](https://github.com/mdn/learning-area/blob/main/html/tables/advanced/minimal-table.css), in a new directory. 2. Now try adding in the appropriate `scope` attributes to make this table more accessible. 3. Finally, try making another copy of the starter files, and this time make the table more accessible by creating precise and explicit associations using `id` and `headers` attributes. > **Note:** You can check your work against our finished examples β€” see [items-sold-scope.html](https://github.com/mdn/learning-area/blob/main/html/tables/advanced/items-sold-scope.html) ([also see this live](https://mdn.github.io/learning-area/html/tables/advanced/items-sold-scope.html)) and [items-sold-headers.html](https://github.com/mdn/learning-area/blob/main/html/tables/advanced/items-sold-headers.html) ([see this live too](https://mdn.github.io/learning-area/html/tables/advanced/items-sold-headers.html)). ## Summary There are a few other things you could learn about tables in HTML, but this is all you need to know for now. Next, you can test yourself with our [HTML tables assessment](/en-US/docs/Learn/HTML/Tables/Structuring_planet_data). Have fun! If you are already learning CSS and have done well on the assessment, you can move on and learn about styling HTML tables β€” see [Styling tables](/en-US/docs/Learn/CSS/Building_blocks/Styling_tables). If you want to get started with learning CSS, check out the [CSS Learning Area](/en-US/docs/Learn/CSS)! {{PreviousMenuNext("Learn/HTML/Tables/Basics", "Learn/HTML/Tables/Structuring_planet_data", "Learn/HTML/Tables")}}
0
data/mdn-content/files/en-us/learn/html
data/mdn-content/files/en-us/learn/html/howto/index.md
--- title: Use HTML to solve common problems slug: Learn/HTML/Howto page-type: landing-page --- {{LearnSidebar}} The following links point to solutions to common everyday problems you'll need to solve with HTML. ### Basic structure The most basic application of HTML is document structure. If you're new to HTML you should start with this. - [How to create a basic HTML document](/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started#anatomy_of_an_html_document) - [How to divide a webpage into logical sections](/en-US/docs/Learn/HTML/Introduction_to_HTML/Document_and_website_structure) - [How to set up a proper structure of headings and paragraphs](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals#the_basics_headings_and_paragraphs) ### Basic text-level semantics HTML specializes in providing semantic information for a document, so HTML answers many questions you might have about how to get your message across best in your document. - [How to create a list of items with HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals#lists) - [How to stress or emphasize content](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals#emphasis_and_importance) - [How to indicate that text is important](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals#emphasis_and_importance) - [How to display computer code with HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting#representing_computer_code) - [How to annotate images and graphics](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML#annotating_images_with_figures_and_figure_captions) - [How to mark abbreviations and make them understandable](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting#abbreviations) - [How to add quotations and citations to web pages](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting#quotations) - [How to define terms with HTML](/en-US/docs/Learn/HTML/Howto/Define_terms_with_HTML) ### Hyperlinks One of the main reasons for HTML is making navigation easy with {{Glossary("hyperlink", "hyperlinks")}}, which can be used in many different ways: - [How to create a hyperlink](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks) - [How to create a table of contents with HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks#active_learning_creating_a_navigation_menu) ### Images & multimedia - [How to add images to a webpage](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML#how_do_we_put_an_image_on_a_webpage) - [How to add video content to a webpage](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content) ### Scripting & styling HTML only sets up document structure. To solve presentation issues, use {{glossary("CSS")}}, or use scripting to make your page interactive. - [How to use CSS within a webpage](/en-US/docs/Learn/CSS/First_steps/How_CSS_works#applying_css_to_the_dom) - [How to use JavaScript within a webpage](/en-US/docs/Learn/HTML/Howto/Use_JavaScript_within_a_webpage) ### Embedded content - [How to embed a webpage within another webpage](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies) ## Uncommon or advanced problems Beyond the basics, HTML is very rich and offers advanced features for solving complex problems. These articles help you tackle the less common use cases you may face: ### Forms Forms are a complex HTML structure made to send data from a webpage to a web server. We encourage you to go over our [full dedicated guide](/en-US/docs/Learn/Forms). Here is where you should start: - [How to create a simple Web form](/en-US/docs/Learn/Forms/Your_first_form) - [How to structure a Web form](/en-US/docs/Learn/Forms/How_to_structure_a_web_form) ### Tabular information Some information, called tabular data, needs to be organized into tables with columns and rows. It's one of the most complex HTML structures, and mastering it is not easy: - [How to create a data table](/en-US/docs/Learn/HTML/Tables/Basics) - [How to make HTML tables accessible](/en-US/docs/Learn/HTML/Tables/Advanced) ### Data representation - How to represent numeric and code values with HTML β€” see [Superscript and Subscript](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting#superscript_and_subscript), and [Representing computer code](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting#representing_computer_code). - [How to use data attributes](/en-US/docs/Learn/HTML/Howto/Use_data_attributes) ### Advanced text semantics - [How to take control of HTML line breaking](/en-US/docs/Web/HTML/Element/br) - How to mark changes (added and removed text) β€” see the {{htmlelement("ins")}} and {{htmlelement("del")}} elements. ### Advanced images & multimedia - [How to add a responsive image to a webpage](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Responsive_images) - [How to add vector image to a webpage](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Adding_vector_graphics_to_the_Web) - [How to add a hit map on top of an image](/en-US/docs/Learn/HTML/Howto/Add_a_hit_map_on_top_of_an_image) ### Internationalization HTML is not monolingual. It provides tools to handle common internationalization issues. - [How to add multiple languages into a single webpage](/en-US/docs/Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML#setting_the_primary_language_of_the_document) - [How to display time and date with HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting#marking_up_times_and_dates) ### Performance - [How to author fast-loading HTML pages](/en-US/docs/Learn/HTML/Howto/Author_fast-loading_HTML_pages)
0
data/mdn-content/files/en-us/learn/html/howto
data/mdn-content/files/en-us/learn/html/howto/define_terms_with_html/index.md
--- title: Define terms with HTML slug: Learn/HTML/Howto/Define_terms_with_HTML page-type: learn-faq --- {{QuickLinksWithSubpages("/en-US/docs/Learn/HTML/Howto")}} HTML provides several ways to convey description semantics, whether inline or as structured glossaries. In this article, we'll cover how to properly mark up keywords when you're defining them. <table class="standard-table"> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You need to be familiar with how to <a href="/en-US/docs/Learn/Getting_started_with_the_web" >create a basic HTML document</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn how to introduce new keywords and how to build description lists. </td> </tr> </tbody> </table> When you need a term defined, you probably go straight to a dictionary or glossary. Dictionaries and glossaries _formally_ associate keywords with one or more descriptions, as in this case: > - Blue (_Adjective_) > - : Of a color like the sky in a sunny day. > _"The clear blue sky"_ But we're constantly defining keywords informally, as here: > **Firefox** is the web browser created by the Mozilla Foundation. To deal with these use cases, {{Glossary("HTML")}} provides {{Glossary("tag","tags")}} to mark descriptions and words described, so that your meaning gets across properly to your readers. ## How to mark informal description In textbooks, the first time a keyword occurs, it's common to put the keyword in bold and define it right away. We do that in HTML too, except HTML is not a visual medium and so we don't use bold. We use {{htmlelement("dfn")}}, which is a special element just for marking the first occurrence of keywords. Note that `<dfn>` tags go around the _word to be defined,_ not the definition (the definition consists of the entire paragraph): ```html <p><dfn>Firefox</dfn> is the web browser created by the Mozilla Foundation.</p> ``` > **Note:** Another use for bold is to emphasize content. Bold itself is a concept foreign to HTML, but there are [tags for indicating emphasis.](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals#emphasis_and_importance) ### Special case: Abbreviations It's best to [mark abbreviations specially](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting#abbreviations) with {{htmlelement("abbr")}}, so that screen readers read them appropriately and so that you can operate on all abbreviations uniformly. Just as with any new keyword, you should define your abbreviations the first time they occur. ```html <p> <dfn><abbr>HTML</abbr> (hypertext markup language)</dfn> is a description language used to structure documents on the web. </p> ``` > **Note:** The HTML spec does indeed [set aside the `title` attribute](https://html.spec.whatwg.org/multipage/text-level-semantics.html#the-abbr-element) for expanding the abbreviation. However, this is not an acceptable alternative for providing an inline expansion. The contents of `title` are completely hidden from your users, unless they're using a mouse and they happen to hover over the abbreviation. The spec duly [acknowledges this as well.](https://html.spec.whatwg.org/multipage/dom.html#attr-title) ### Improve accessibility {{HTMLElement('dfn')}} marks the keyword defined, and indicates that the current paragraph defines the keyword. In other words, there's an implicit relationship between the `<dfn>` element and its container. If you want a more formal relationship, or your definition consists of only one sentence rather than the whole paragraph, you can use the [`aria-describedby`](/en-US/docs/Web/Accessibility/ARIA/Attributes/aria-describedby) attribute to associate a term more formally with its definition: ```html <p> <span id="ff"> <dfn aria-describedby="ff">Firefox</dfn> is the web browser created by the Mozilla Foundation. </span> You can download it at <a href="https://www.mozilla.org">mozilla.org</a> </p> ``` Assistive technology can often use this attribute to find a text alternative to a given term. You can use `aria-describedby` on any tag enclosing a keyword to be defined (not just the `<dfn>` element). `aria-describedby` references the [`id`](/en-US/docs/Web/HTML/Global_attributes#id) of the element containing the description. ## How to build a description list Description lists are just what they claim to be: a list of terms and their matching descriptions (e.g., definition lists, dictionary entries, FAQs, and key-value pairs). > **Note:** Description lists are [not suitable for marking up dialog,](https://html.spec.whatwg.org/multipage/grouping-content.html#the-dl-element) because conversation does not directly describe the speakers. Here are [recommendations for marking up dialog](https://html.spec.whatwg.org/multipage/semantics-other.html#conversations). The terms described go inside {{htmlelement("dt")}} elements. The matching description follows immediately, contained within one or more {{htmlelement("dd")}} elements. Enclose the whole description list with a {{htmlelement("dl")}} element. ### A simple example Here's a simple example describing kinds of food and drink: ```html <dl> <dt>jambalaya</dt> <dd> rice-based entree typically containing chicken, sausage, seafood, and spices </dd> <dt>sukiyaki</dt> <dd> Japanese specialty consisting of thinly sliced meat, vegetables, and noodles, cooked in sake and soy sauce </dd> <dt>chianti</dt> <dd>dry Italian red wine originating in Tuscany</dd> </dl> ``` > **Note:** The basic pattern, as you can see, is to alternate `<dt>` terms with `<dd>` descriptions. If two or more terms occur in a row, the following description applies to all of them. If two or more descriptions occur in a row, they all apply to the last given term. ### Improving the visual output Here's how a graphical browser displays the foregoing list: {{EmbedLiveSample("A_simple_example", 600, 180)}} If you want the keywords to stand out better, you could try bolding them. Remember, HTML is not a visual medium; we need {{glossary("CSS")}} for all visual effects. The CSS {{cssxref("font-weight")}} property is what you need here: ```css dt { font-weight: bold; } ``` This produces the slightly more readable result below: {{EmbedLiveSample("How_to_build_a_description_list", 600, 180)}} ## Learn more - {{htmlelement("dfn")}} - {{htmlelement("dl")}} - {{htmlelement("dt")}} - {{htmlelement("dd")}} - [How to use the aria-describedby attribute](/en-US/docs/Web/Accessibility/ARIA/Attributes/aria-describedby)
0
data/mdn-content/files/en-us/learn/html/howto
data/mdn-content/files/en-us/learn/html/howto/add_a_hit_map_on_top_of_an_image/index.md
--- title: Add a hitmap on top of an image slug: Learn/HTML/Howto/Add_a_hit_map_on_top_of_an_image page-type: learn-faq --- {{QuickLinksWithSubpages("/en-US/docs/Learn/HTML/Howto")}} Here we go over how to set up an image map, and some downsides to consider first. <table> <caption>Here are some things you need to know</caption> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should already know how to <a href="/en-US/docs/Learn/Getting_started_with_the_web" >create a basic HTML document</a > and how to <a href="/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML#how_do_we_put_an_image_on_a_webpage" >add accessible images to a webpage.</a > </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn how to make different regions of one image link to different pages. </td> </tr> </tbody> </table> > **Warning:** This article discusses client-side image maps only. Do not use server-side image maps, which require the user to have a mouse. ## Image maps, and their drawbacks When you nest an image inside {{htmlelement('a')}}, the entire image links to one webpage. An image map, on the other hand, contains several active regions (called "hotspots") that each link to a different resource. Formerly, image maps were a popular navigation device, but it's important to thoroughly consider their performance and accessibility ramifications. [Text links](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks) (perhaps styled with CSS) are preferable to image maps for several reasons: text links are lightweight, maintainable, often more SEO-friendly, and support accessibility needs (e.g., screen readers, text-only browsers, translation services). ## How to insert an image map, properly ### Step 1: The image Not just any image is acceptable. - The image must make it clear what happens when people follow image links. `alt` text is mandatory, of course, but many people never see it. - The image must clearly indicate where hotspots begin and end. - Hotspots must be large enough to tap comfortably, at any viewport size. How large is large enough? [72 Γ— 72 CSS pixels is a good minimum,](https://uxmovement.com/mobile/finger-friendly-design-ideal-mobile-touch-target-sizes/) with additional generous gaps between touch targets. The map of the world at [50languages.com](https://www.goethe-verlag.com/book2/) (as of time of writing) illustrates the problem perfectly. It's much easier to tap Russia or North America than Albania or Estonia. You insert your image [much the same way as always](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML#how_do_we_put_an_image_on_a_webpage) (with an {{htmlelement("img")}} element and [`alt`](/en-US/docs/Web/HTML/Element/img#alt) text). If the image is only present as a navigation device, you may write `alt=""`, provided you furnish appropriate [`alt`](/en-US/docs/Web/HTML/Element/area#alt) text in the {{htmlelement('area')}} elements later on. You will need a special [`usemap`](/en-US/docs/Web/HTML/Element/img#usemap) attribute. Come up with a unique name, containing no spaces, for your image map. Then assign that name (preceded by a hash) as the value for the `usemap` attribute: ```html <img src="image-map.png" alt="" usemap="#example-map-1" /> ``` ### Step 2: Activate your hotspots In this step, put all your code inside a {{htmlelement('map')}} element. `<map>` only needs one attribute, the same map [`name`](/en-US/docs/Web/HTML/Element/map#name) as you used in your `usemap` attribute above: ```html <map name="example-map-1"> </map> ``` Inside the `<map>` element, we need {{htmlelement('area')}} elements. An `<area>` element corresponds to a single hotspot. To keep keyboard navigation intuitive, make sure the source order of `<area>` elements corresponds to the visual order of hotspots. `<area>` elements are {{glossary("void element", "void elements")}}, but do require four attributes: - [`shape`](/en-US/docs/Web/HTML/Element/area#shape) [`coords`](/en-US/docs/Web/HTML/Element/area#coords) - : `shape` takes one of four values: `circle`, `rect`, `poly`, and `default`. (An `<area>` whose `shape` is `default` occupies the entire image, minus any other hotspots you've defined.) The shape you choose determines the coordinate information you'll need to provide in `coords`. - For a circle, provide the center's x and y coordinates, followed by the length of the radius. - For a rectangle, provide the x/y coordinates of the upper-left and bottom-right corners. - For a polygon, to provide the x/y coordinates of each corner (so, at least six values). Coordinates are given in CSS pixels. In case of overlap, source order carries the day. - [`href`](/en-US/docs/Web/HTML/Element/area#href) - : The URL of the resource you're linking to. You may leave this attribute blank if you _don't_ want the current area to link anywhere (say, if you're making a hollow circle.) - [`alt`](/en-US/docs/Web/HTML/Element/area#alt) - : A mandatory attribute, telling people where the link goes or what it does. `alt` text only displays when the image is unavailable. Please refer to our [guidelines for writing accessible link text.](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks#writing_accessible_link_text) You may write `alt=""` if the `href` attribute is blank _and_ the entire image already has an `alt` attribute. ```html <map name="example-map-1"> <area shape="circle" coords="200,250,25" href="page-2.html" alt="circle example" /> <area shape="rect" coords="10, 5, 20, 15" href="page-3.html" alt="rectangle example" /> </map> ``` ### Step 3: Make sure it works for everybody You aren't done until you test image maps rigorously on many browsers and devices. Try following links with your keyboard alone. Try turning images off. If your image map is wider than about 240px, you'll need to make further adjustments to make your website responsive. It's not enough to resize the image for small screens, because the coordinates stay the same and no longer match the image. If you must use image maps, you may want to look into [Matt Stow's jQuery plugin.](https://github.com/stowball/jQuery-rwdImageMaps) Alternatively, Dudley Storey demonstrates a way to [use SVG for an image map effect,](https://thenewcode.com/696/Using-SVG-as-an-Alternative-To-Imagemaps) along with a subsequent [combined SVG-raster hack](https://thenewcode.com/760/Create-A-Responsive-Imagemap-With-SVG) for bitmap images. ## Learn more - {{htmlelement("img")}} - {{htmlelement("map")}} - {{htmlelement("area")}} - [Online image map editor](https://maschek.hu/imagemap/imgmap/)
0
data/mdn-content/files/en-us/learn/html/howto
data/mdn-content/files/en-us/learn/html/howto/author_fast-loading_html_pages/index.md
--- title: Tips for authoring fast-loading HTML pages slug: Learn/HTML/Howto/Author_fast-loading_HTML_pages page-type: learn-faq --- {{QuickLinksWithSubpages("/en-US/docs/Learn/HTML/Howto")}} These tips are based on common knowledge and experimentation. An optimized web page not only provides for a more responsive site for your visitors but also reduces the load on your web servers and internet connection. This can be crucial for high volume sites or sites which have a spike in traffic due to unusual circumstances such as breaking news stories. Optimizing page load performance is not just for content which will be viewed by narrowband dial-up or mobile device visitors. It is just as important for broadband content and can lead to dramatic improvements even for your visitors with the fastest connections. ## Tips ### Reduce page weight Page weight is by far the most important factor in page-load performance. Reducing page weight through the elimination of unnecessary whitespace and comments, commonly known as minimization, and by moving inline script and CSS into external files, can improve download performance with minimal need for other changes in the page structure. Tools such as [HTML Tidy](https://www.html-tidy.org) can automatically strip leading whitespace and extra blank lines from valid HTML source. Other tools can "compress" JavaScript by reformatting the source or by obfuscating the source and replacing long identifiers with shorter versions. ### Minimize the number of files Reducing the number of files referenced in a web page lowers the number of [HTTP](/en-US/docs/Web/HTTP) connections required to download a page, thereby reducing the time for these requests to be sent, and for their responses to be received. Depending on a browser's cache settings, it may send a request with the [`If-Modified-Since`](/en-US/docs/Web/HTTP/Headers/If-Modified-Since) header for each referenced file, asking whether the file has been modified since the last time it was downloaded. Too much time spent querying the last modified time of the referenced files can delay the initial display of the web page, since the browser must check the modification time for each of these files, before rendering the page. If you use background images a lot in your CSS, you can reduce the number of HTTP lookups needed by combining the images into one, known as an image sprite. Then you just apply the same image each time you need it for a background and adjust the x/y coordinates appropriately. This technique works best with elements that will have limited dimensions, and will not work for every use of a background image. However, the fewer HTTP requests and single image caching can help reduce page-load time. ### Use a Content Delivery Network (CDN) For the purposes of this article, a CDN is a means to reduce the physical distance between your server and your visitor. As the distance between your server origin and visitor increases, the load times will increase. Suppose your website server is located in the United States and it has a visitor from India; the page load time will be much higher for the Indian visitor compared to a visitor from the US. A CDN is a geographically distributed network of servers that work together to shorten the distance between the user and your website. CDNs store cached versions of your website and serve them to visitors via the network node closest to the user, thereby reducing [latency](/en-US/docs/Web/Performance/Understanding_latency). Further reading: - [Understanding CDNs](https://www.imperva.com/learn/performance/what-is-cdn-how-it-works/) ### Reduce domain lookups Since each separate domain costs time in a DNS lookup, the page load time will grow along with the number of separate domains appearing in CSS link(s) and JavaScript and image src(es). This may not always be practical; however, you should always take care to use only the minimum necessary number of different domains in your pages. ### Cache reused content Make sure that any content that can be cached, is cached, and with appropriate expiration times. In particular, pay attention to the `Last-Modified` header. It allows for efficient page caching; by means of this header, information is conveyed to the user agent about the file it wants to load, such as when it was last modified. Most web servers automatically append the `Last-Modified` header to static pages (e.g. `.html`, `.css`), based on the last-modified date stored in the file system. With dynamic pages (e.g. `.php`, `.aspx`), this, of course, can't be done, and the header is not sent. So, in particular, for pages which are generated dynamically, a little research on this subject is beneficial. It can be somewhat involved, but it will save a lot in page requests on pages which would normally not be cacheable. More information: 1. [HTTP Conditional Get for RSS Hackers](https://fishbowl.pastiche.org/2002/10/21/http_conditional_get_for_rss_hackers) 2. [HTTP 304: Not Modified](https://annevankesteren.nl/2005/05/http-304) 3. [HTTP ETag on Wikipedia](https://en.wikipedia.org/wiki/HTTP_ETag) 4. [Caching in HTTP](https://www.w3.org/Protocols/rfc2616/rfc2616-sec13.html) ### Optimally order the components of the page Download page content first, along with any CSS or JavaScript that may be required for its initial display, so that the user gets the quickest apparent response during the page loading. This content is typically text, and can, therefore, benefit from text compression in transit, thus providing an even quicker response to the user. Any dynamic features that require the page to complete loading before being used, should be initially disabled, and then only enabled after the page has loaded. This will cause the JavaScript to be loaded after the page contents, which will improve the overall appearance of the page load. ### Reduce the number of inline scripts Inline scripts can be expensive for page loading since the parser must assume that an inline script could modify the page structure while parsing is in progress. Reducing the use of inline scripts in general, and reducing the use of `document.write()` to output content in particular, can improve overall page loading. Use [DOM APIs to manipulate page content](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Manipulating_documents), rather than `document.write()`. ### Use modern CSS and valid markup Use of modern CSS reduces the amount of markup, can reduce the need for (spacer) images, in terms of layout, and can very often replace images of stylized text β€” that "cost" much more than the equivalent text-and-CSS. Using valid markup has other advantages. First, browsers will have no need to perform error-correction when parsing the HTML (this is aside from the philosophical issue of whether to allow format variation in user input and then programmatically "correct" or normalize it; or whether, instead, to enforce a strict, no-tolerance input format). Moreover, valid markup allows for the free use of other tools that can _pre-process_ your web pages. For example, [HTML Tidy](https://www.html-tidy.org/) can remove whitespace and optional ending tags; however, it will refuse to run on a page with serious markup errors. ### Chunk your content Tables for layouts are a legacy method that should not be used anymore. Layouts utilizing [floats](/en-US/docs/Learn/CSS/CSS_layout/Floats), [positioning](/en-US/docs/Learn/CSS/CSS_layout/Positioning), [flexbox](/en-US/docs/Learn/CSS/CSS_layout/Flexbox), or [grids](/en-US/docs/Learn/CSS/CSS_layout/Grids) should be used instead. Tables are still considered valid markup but should be used for displaying tabular data. To help the browser render your page quicker, you should avoid nesting your tables. Rather than deeply nesting tables as in: ```html <table> <table> <table> … </table> </table> </table> ``` use non-nested tables or divs as in ```html <table> … </table> <table> … </table> <table> … </table> ``` See also: [CSS Flexible Box Layout](https://www.w3.org/TR/css-flexbox-1/) and [CSS Grid Layout](https://www.w3.org/TR/css-grid-1/) specifications. ### Minify and compress SVG assets SVG produced by most drawing applications often contains unnecessary metadata which can be removed. Configure your servers, apply gzip compression for SVG assets. ### Minify and compress your images Large images cause your page to take more time to load. Consider compressing your images before adding them to your page, using compression features built into image-manipulation tools such as Photoshop, or using a specialized tool such as [Compress Jpeg](https://compressjpeg.com/) or [Tiny PNG](https://tinypng.com). ### Specify sizes for images and tables If the browser can immediately determine the height and/or width of your images and tables, it will be able to display a web page without having to reflow the content. This not only speeds the display of the page but prevents annoying changes in a page's layout when the page completes loading. For this reason, `height` and `width` should be specified for images, whenever possible. Tables should use the CSS selector: property combination: ```css table-layout: fixed; ``` and should specify widths of columns using the [`<col>`](/en-US/docs/Web/HTML/Element/col) and the [`<colgroup>`](/en-US/docs/Web/HTML/Element/colgroup) elements. ### Use lazy loading for images By default, images are loaded **eagerly**; that is, the image is fetched and rendered as soon as it's processed in the HTML. All eagerly loaded images are rendered before the window's [`load`](/en-US/docs/Web/API/Window/load_event) event is sent. Switching to lazy loading of images tells the browser to hold off on loading images until they're about to be needed to draw the {{Glossary("visual viewport")}}. To mark an image for lazy loading, specify its [`loading`](/en-US/docs/Web/HTML/Element/img#loading) attribute with a value of `lazy`. With this set, the image will only be loaded when it's needed. ```html <img src="./images/footerlogo.jpg" loading="lazy" alt="MDN logo" /> ``` Note that lazily-loaded images may not be available when the `load` event is fired. You can determine if a given image is loaded by checking to see if the value of its Boolean {{domxref("HTMLImageElement.complete", "complete")}} property is `true`. ### Choose your user-agent requirements wisely To achieve the greatest improvements in page design, make sure that reasonable user-agent requirements are specified for projects. Do not require your content to appear pixel-perfect in all browsers, especially not in down-version browsers. Ideally, your basic minimum requirements should be based on the consideration of modern browsers that support the relevant standards. This can include recent versions of Firefox, Google Chrome, Opera, and Safari. Note, however, that many of the tips listed in this article are common-sense techniques which apply to any user agent, and can be applied to any web page, regardless of browser-support requirements. ### Use async and defer, if possible Make the JavaScript scripts such that they are compatible with both the [async](/en-US/docs/Web/HTML/Element/script#attributes) and the [defer](/en-US/docs/Web/HTML/Element/script#attributes) attributes, and use [async](/en-US/docs/Web/HTML/Element/script#attributes) whenever possible, especially if you have multiple script elements. With that, the page can stop rendering while JavaScript is still loading. Otherwise, the browser will not render anything that is after the script elements that do not have these attributes. Note: Even though these attributes do help a lot the first time a page is loaded, you should use them but not assume they will work in all browsers. If you already follow all JavaScript best practices, there is no need to change your code. ## Example page structure - `{{htmlelement('html')}}` - `{{htmlelement('head')}}` - `{{htmlelement('link')}}` CSS files required for page appearance. Minimize the number of files for performance while keeping unrelated CSS in separate files for maintenance. - `{{htmlelement('script')}}` JavaScript files for functions **required** during the loading of the page, but not any interaction related JavaScript that can only run after page loads. Minimize the number of files for performance while keeping unrelated JavaScript in separate files for maintenance. - `{{htmlelement('body')}}` User visible page content in small chunks (`{{htmlelement('header')}}`/ `{{htmlelement('main')}}/` `{{htmlelement('table')}}`) that can be displayed without waiting for the full page to download. - `{{htmlelement('script')}}` Any scripts which will be used to perform interactivity. Interaction scripts typically can only run after the page has completely loaded and all necessary objects have been initialized. There is no need to load these scripts before the page content. That only slows down the initial appearance of the page load. Minimize the number of files for performance while keeping unrelated JavaScript in separate files for maintenance. ## See also - Book: ["Speed Up Your Site" by Andy King](http://www.websiteoptimization.com/) - The excellent and very complete [Best Practices for Speeding Up Your Website](https://developer.yahoo.com/performance/rules.html) (Yahoo!) - Tools for analyzing and optimizing performance: [Google PageSpeed Tools](https://developers.google.com/speed)
0
data/mdn-content/files/en-us/learn/html/howto
data/mdn-content/files/en-us/learn/html/howto/use_data_attributes/index.md
--- title: Using data attributes slug: Learn/HTML/Howto/Use_data_attributes page-type: learn-faq --- {{QuickLinksWithSubpages("/en-US/docs/Learn/HTML/Howto")}} HTML is designed with extensibility in mind for data that should be associated with a particular element but need not have any defined meaning. [`data-*` attributes](/en-US/docs/Web/HTML/Global_attributes/data-*) allow us to store extra information on standard, semantic HTML elements without other hacks such as non-standard attributes, or extra properties on DOM. ## HTML syntax The syntax is simple. Any attribute on any element whose attribute name starts with `data-` is a data attribute. Say you have an article and you want to store some extra information that doesn't have any visual representation. Just use `data` attributes for that: ```html <article id="electric-cars" data-columns="3" data-index-number="12314" data-parent="cars"> … </article> ``` ## JavaScript access Reading the values of these attributes out in [JavaScript](/en-US/docs/Web/JavaScript) is also very simple. You could use {{domxref("Element.getAttribute", "getAttribute()")}} with their full HTML name to read them, but the standard defines a simpler way: a {{domxref("DOMStringMap")}} you can read out via a {{domxref("HTMLElement/dataset", "dataset")}} property. To get a `data` attribute through the `dataset` object, get the property by the part of the attribute name after `data-` (note that dashes are converted to {{Glossary("camel_case", "camel case")}}). ```js const article = document.querySelector("#electric-cars"); // The following would also work: // const article = document.getElementById("electric-cars") article.dataset.columns; // "3" article.dataset.indexNumber; // "12314" article.dataset.parent; // "cars" ``` Each property is a string and can be read and written. In the above case setting `article.dataset.columns = 5` would change that attribute to `"5"`. ## CSS access Note that, as data attributes are plain HTML attributes, you can even access them from [CSS](/en-US/docs/Web/CSS). For example to show the parent data on the article you can use [generated content](/en-US/docs/Web/CSS/content) in CSS with the [`attr()`](/en-US/docs/Web/CSS/attr) function: ```css article::before { content: attr(data-parent); } ``` You can also use the [attribute selectors](/en-US/docs/Web/CSS/Attribute_selectors) in CSS to change styles according to the data: ```css article[data-columns="3"] { width: 400px; } article[data-columns="4"] { width: 600px; } ``` You can see all this working together [in this JSBin example](https://jsbin.com/ujiday/2/edit). Data attributes can also be stored to contain information that is constantly changing, like scores in a game. Using the CSS selectors and JavaScript access here this allows you to build some nifty effects without having to write your own display routines. See [this screencast](https://www.youtube.com/watch?v=On_WyUB1gOk) for an example using generated content and CSS transitions ([JSBin example](https://jsbin.com/atawaz/3/edit)). Data values are strings. Number values must be quoted in the selector for the styling to take effect. ## Issues Do not store content that should be visible and accessible in data attributes, because assistive technology may not access them. In addition, search crawlers may not index data attributes' values. ## See also - This article is adapted from [Using data attributes in JavaScript and CSS on hacks.mozilla.org](https://hacks.mozilla.org/2012/10/using-data-attributes-in-javascript-and-css/). - Custom attributes are also supported in SVG 2; see {{domxref("HTMLElement.dataset")}} and {{SVGAttr("data-*")}} for more information. - [How to use HTML data attributes](https://www.sitepoint.com/use-html5-data-attributes/) (Sitepoint)
0
data/mdn-content/files/en-us/learn/html/howto
data/mdn-content/files/en-us/learn/html/howto/use_javascript_within_a_webpage/index.md
--- title: Use JavaScript within a webpage slug: Learn/HTML/Howto/Use_JavaScript_within_a_webpage page-type: learn-faq --- {{QuickLinksWithSubpages("/en-US/docs/Learn/HTML/Howto")}} Take your webpages to the next level by harnessing JavaScript. Learn in this article how to trigger JavaScript right from your HTML documents. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You need to be familiar with how to <a href="/en-US/docs/Learn/Getting_started_with_the_web" >create a basic HTML document</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn how to trigger JavaScript in your HTML file, and learn the most important best practices for keeping JavaScript accessible. </td> </tr> </tbody> </table> ## About JavaScript {{Glossary("JavaScript")}} is a programming language mostly used client-side to make webpages interactive. You _can_ create amazing webpages without JavaScript, but JavaScript opens up a whole new level of possibilities. > **Note:** In this article we're going over the HTML code you need to make JavaScript take effect. If you want to learn JavaScript itself, you can start with our [JavaScript basics](/en-US/docs/Learn/Getting_started_with_the_web/JavaScript_basics) article. If you already know something about JavaScript or if you have a background with other programming languages, we suggest you jump directly into our [JavaScript Guide](/en-US/docs/Web/JavaScript/Guide). ## How to trigger JavaScript from HTML Within a browser, JavaScript doesn't do anything by itself. You run JavaScript from inside your HTML webpages. To call JavaScript code from within HTML, you need the {{htmlelement("script")}} element. There are two ways to use `script`, depending on whether you're linking to an external script or embedding a script right in your webpage. ### Linking an external script Usually, you'll be writing scripts in their own .js files. If you want to execute a .js script from your webpage, just use {{HTMLElement ('script')}} with an `src` attribute pointing to the script file, using its [URL](/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_URL): ```html <script src="path/to/my/script.js"></script> ``` ### Writing JavaScript within HTML You may also add JavaScript code between `<script>` tags rather than providing an `src` attribute. ```html <script> window.addEventListener("load", () => { console.log("This function is executed once the page is fully loaded"); }); </script> ``` That's convenient when you just need a small bit of JavaScript, but if you keep JavaScript in separate files you'll find it easier to - focus on your work - write self-sufficient HTML - write structured JavaScript applications ## Use scripting accessibly Accessibility is a major issue in any software development. JavaScript can make your website more accessible if you use it wisely, or it can become a disaster if you use scripting without care. To make JavaScript work in your favor, it's worth knowing about certain best practices for adding JavaScript: - **Make all content available as (structured) text.** Rely on HTML for your content as much as possible. For example, if you've implemented a nice JavaScript progress bar, make sure to supplement it with matching text percentages inside the HTML. Likewise, your drop-down menus should be structured as [unordered lists](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals#lists) of [links](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks). - **Make all functionality accessible from the keyboard.** - Let users Tab through all controls (e.g., links and form input) in a logical order. - If you use pointer events (like mouse events or touch events), duplicate the functionality with keyboard events. - Test your site using a keyboard only. - **Don't set nor even guess time limits.** It takes extra time to navigate with the keyboard or hear content read out. You can hardly ever predict just how long it will take for users or browsers to complete a process (especially asynchronous actions such as loading resources). - **Keep animations subtle and brief with no flashing.** Flashing is annoying and can [cause seizures](https://www.w3.org/TR/UNDERSTANDING-WCAG20/seizure-does-not-violate.html). Additionally, if an animation lasts more than a couple seconds, give the user a way to cancel it. - **Let users initiate interactions.** That means, don't update content, redirect, or refresh automatically. Don't use carousels or display popups without warning. - **Have a plan B for users without JavaScript.** People may have JavaScript turned off to improve speed and security, and users often face network issues that prevent loading scripts. Moreover, third-party scripts (ads, tracking scripts, browser extensions) might break your scripts. - At a minimum, leave a short message with {{HTMLElement("noscript")}} like this: `<noscript>To use this site, please enable JavaScript.</noscript>` - Ideally, replicate the JavaScript functionality with HTML and server-side scripting when possible. - If you're only looking for simple visual effects, CSS can often get the job done even more intuitively. - _Since almost everybody **does** have JavaScript enabled, `<noscript>` is no excuse for writing inaccessible scripts._ ## Learn more - {{htmlelement("script")}} - {{htmlelement("noscript")}} - [James Edwards' introduction to using JavaScript accessibly](https://www.sitepoint.com/javascript-accessibility-101/) - [Accessibility guidelines from W3C](https://www.w3.org/TR/WCAG20/)
0
data/mdn-content/files/en-us/learn/html
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/index.md
--- title: Multimedia and embedding slug: Learn/HTML/Multimedia_and_embedding page-type: learn-module --- {{LearnSidebar}} We've looked at a lot of text so far in this course, but the web would be really boring only using text. Let's start looking at how to make the web come alive with more interesting content! This module explores how to use HTML to include multimedia in your web pages, including the different ways that images can be included, and how to embed video, audio, and even entire webpages. > **Callout:** > > #### Looking to become a front-end web developer? > > We have put together a course that includes all the essential information you need to > work towards your goal. > > [**Get started**](/en-US/docs/Learn/Front-end_web_developer) ## Prerequisites Before starting this module, you should have a reasonable understanding of the basics of HTML, as previously covered in [Introduction to HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML). If you have not worked through this module (or something similar), work through it first, then come back! > **Note:** If you are working on a computer/tablet/other device where you don't have the ability to create your own files, you could try out (most of) the code examples in an online coding program such as [JSBin](https://jsbin.com/) or [Glitch](https://glitch.com/). ## Guides This module contains the following articles, which will take you through all the fundamentals of embedding multimedia on webpages. - [Images in HTML](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML) - : There are other types of multimedia to consider, but it is logical to start with the humble {{htmlelement("img")}} element used to embed a simple image in a webpage. In this article we'll look at how to use it in more depth, including basics, annotating it with captions using {{htmlelement("figure")}}, and how it relates to CSS background images. - [Video and audio content](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content) - : Next, we'll look at how to use the HTML {{htmlelement("video")}} and {{htmlelement("audio")}} elements to embed video and audio on our pages, including basics, providing access to different file formats to different browsers, adding captions and subtitles, and how to add fallbacks for older browsers. - [From \<object> to \<iframe> β€” other embedding technologies](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies) - : At this point we'd like to take somewhat of a sideways step, looking at a couple of elements that allow you to embed a wide variety of content types into your webpages: the {{htmlelement("iframe")}}, {{htmlelement("embed")}} and {{htmlelement("object")}} elements. `<iframe>`s are for embedding other web pages, and the other two allow you to embed external resources such as PDF files. - [Adding vector graphics to the Web](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Adding_vector_graphics_to_the_Web) - : Vector graphics can be very useful in certain situations. Unlike regular formats like PNG/JPG, they don't distort/pixelate when zoomed in β€” they can remain smooth when scaled. This article introduces you to what vector graphics are and how to include the popular {{glossary("SVG")}} format in web pages. - [Responsive images](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Responsive_images) - : In this article, we'll learn about the concept of responsive images β€” images that work well on devices with widely differing screen sizes, resolutions, and other such features β€” and look at what tools HTML provides to help implement them. This helps to improve performance across different devices. Responsive images are just one part of [responsive design](/en-US/docs/Learn/CSS/CSS_layout/Responsive_Design), a future CSS topic for you to learn. ## Assessments The following assessment will test your understanding of the material covered in the guides above. - [Mozilla splash page](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Mozilla_splash_page) - : In this assessment, we'll test your knowledge of some of the techniques discussed in this module's articles, getting you to add some images and video to a funky splash page all about Mozilla! ## See also - [Add a hitmap on top of an image](/en-US/docs/Learn/HTML/Howto/Add_a_hit_map_on_top_of_an_image) - : Image maps provide a mechanism to make different parts of an image link to different places. (Think of a map linking through to further information about each different country you click on.) This technique can sometimes be useful. - [Web literacy basics II](https://mozilla.github.io/curriculum-final/web-lit-basics-two/session01-why-do-we-use-the-web.html#overview) - : An excellent Mozilla foundation course that explores and tests some of the skills talked about in this _Multimedia and embedding_ module. Dive deeper into the basics of composing webpages, designing for accessibility, sharing resources, using online media, and working open (meaning that your content is freely available and shareable by others).
0
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/video_and_audio_content/index.md
--- title: Video and audio content slug: Learn/HTML/Multimedia_and_embedding/Video_and_audio_content page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Multimedia_and_embedding/Images_in_HTML", "Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies", "Learn/HTML/Multimedia_and_embedding")}} Now that we are comfortable with adding simple images to a webpage, the next step is to start adding video and audio players to your HTML documents! In this article we'll look at doing just that with the {{htmlelement("video")}} and {{htmlelement("audio")}} elements; we'll then finish off by looking at how to add captions/subtitles to your videos. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web/Dealing_with_files" >working with files</a >, familiarity with HTML fundamentals (as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >) and <a href="/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML" >Images in HTML</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn how to embed video and audio content into a webpage, and add captions/subtitles to video. </td> </tr> </tbody> </table> ## Video and audio on the web The first influx of online videos and audio were made possible by proprietary plugin-based technologies like [Flash](https://en.wikipedia.org/wiki/Adobe_Flash) and [Silverlight](https://en.wikipedia.org/wiki/Microsoft_Silverlight). Both of these had security and accessibility issues, and are now obsolete, in favor of native HTML solutions {{htmlelement("video")}} and {{htmlelement("audio")}} elements and the availability of {{Glossary("JavaScript")}} {{Glossary("API","APIs")}} for controlling them. We'll not be looking at JavaScript here β€” just the basic foundations that can be achieved with HTML. We won't be teaching you how to produce audio and video files β€” that requires a completely different skill set. We have provided you with [sample audio and video files and example code](https://github.com/mdn/learning-area/tree/main/html/multimedia-and-embedding/video-and-audio-content) for your own experimentation, in case you are unable to get hold of your own. > **Note:** Before you begin here, you should also know that there are quite a few OVPs (online video providers) like [YouTube](https://www.youtube.com/), [Dailymotion](https://www.dailymotion.com), and [Vimeo](https://vimeo.com/), and online audio providers like [Soundcloud](https://soundcloud.com/). Such companies offer a convenient, easy way to host and consume videos, so you don't have to worry about the enormous bandwidth consumption. OVPs even usually offer ready-made code for embedding video/audio in your webpages; if you use that route, you can avoid some of the difficulties we discuss in this article. We'll be discussing this kind of service a bit more in the next article. ### The \<video> element The {{htmlelement("video")}} element allows you to embed a video very easily. A really simple example looks like this: ```html <video src="rabbit320.webm" controls> <p> Your browser doesn't support HTML video. Here is a <a href="rabbit320.webm">link to the video</a> instead. </p> </video> ``` The features of note are: - [`src`](/en-US/docs/Web/HTML/Element/video#src) - : In the same way as for the {{htmlelement("img")}} element, the `src` (source) attribute contains a path to the video you want to embed. It works in exactly the same way. - [`controls`](/en-US/docs/Web/HTML/Element/video#controls) - : Users must be able to control video and audio playback (it's especially critical for people who have [epilepsy](https://en.wikipedia.org/wiki/Epilepsy#Epidemiology).) You must either use the `controls` attribute to include the browser's own control interface, or build your interface using the appropriate [JavaScript API](/en-US/docs/Web/API/HTMLMediaElement). At a minimum, the interface must include a way to start and stop the media, and to adjust the volume. - The paragraph inside the `<video>` tags - : This is called **fallback content** β€” this will be displayed if the browser accessing the page doesn't support the `<video>` element, allowing us to provide a fallback for older browsers. This can be anything you like; in this case, we've provided a direct link to the video file, so the user can at least access it some way regardless of what browser they are using. The embedded video will look something like this: ![A simple video player showing a video of a small white rabbit](simple-video.png) You can [try the example live](https://mdn.github.io/learning-area/html/multimedia-and-embedding/video-and-audio-content/simple-video.html) here (see also the [source code](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/video-and-audio-content/simple-video.html).) ### Using multiple source formats to improve compatibility There's a problem with the above example. It is possible that the video might not play for you, because different browsers support different video (and audio) formats. Fortunately, there are things you can do to help prevent this from being an issue. #### Contents of a media file First, let's go through the terminology quickly. Formats like MP3, MP4 and WebM are called **[container formats](/en-US/docs/Web/Media/Formats/Containers)**. They define a structure in which the audio and/or video tracks that make up the media are stored, along with metadata describing the media, what codecs are used to encode its channels, and so forth. A WebM file containing a movie which has a main video track and one alternate angle track, plus audio for both English and Spanish, in addition to audio for an English commentary track can be conceptualized as shown in the diagram below. Also included are text tracks containing closed captions for the feature film, Spanish subtitles for the film, and English captions for the commentary. [![Diagram conceptualizing the contents of a media file at the track level.](containersandtracks.png)](containersandtracks.png) The audio and video tracks within the container hold data in the appropriate format for the codec used to encode that media. Different formats are used for audio tracks versus video tracks. Each audio track is encoded using an [audio codec](/en-US/docs/Web/Media/Formats/Audio_codecs), while video tracks are encoded using (as you probably have guessed) [a video codec](/en-US/docs/Web/Media/Formats/Video_codecs). As we talked about before, different browsers support different video and audio formats, and different container formats (like MP3, MP4, and WebM, which in turn can contain different types of video and audio). For example: - A WebM container typically packages Vorbis or Opus audio with VP8/VP9 video. This is supported in all modern browsers, though older versions may not work. - An MP4 container often packages AAC or MP3 audio with H.264 video. This is also supported in all modern browsers. - The Ogg container tends to use Vorbis audio and Theora video. This is best supported in Firefox and Chrome, but has basically been superseded by the better quality WebM format. There are some special cases. For example, for some types of audio, a codec's data is often stored without a container, or with a simplified container. One such instance is the FLAC codec, which is stored most commonly in FLAC files, which are just raw FLAC tracks. Another such situation is the always-popular MP3 file. An "MP3 file" is actually an MPEG-1 Audio Layer III (MP3) audio track stored within an MPEG or MPEG-2 container. This is especially interesting since while most browsers don't support using MPEG media in the {{HTMLElement("video")}} and {{HTMLElement("audio")}} elements, they may still support MP3 due to its popularity. An audio player will tend to play an audio track directly, e.g. an MP3 or Ogg file. These don't need containers. #### Media file support in browsers > **Note:** Several popular formats, such as MP3 and MP4/H.264, are excellent but are encumbered by patents; that is, there are patents covering some or all of the technology that they're based upon. In the United States, patents covered MP3 until 2017, and H.264 is encumbered by patents through at least 2027. > > Because of those patents, browsers that wish to implement support for those codecs must pay typically enormous license fees. In addition, some people prefer to avoid restricted software and prefer to use only open formats. Due to these legal and preferential reasons, web developers find themselves having to support multiple formats to capture their entire audience. The codecs described in the previous section exist to compress video and audio into manageable files, since raw audio and video are both exceedingly large. Each web browser supports an assortment of **{{Glossary("Codec","codecs")}}**, like Vorbis or H.264, which are used to convert the compressed audio and video into binary data and back. Each codec offers its own advantages and drawbacks, and each container may also offer its own positive and negative features affecting your decisions about which to use. Things become slightly more complicated because not only does each browser support a different set of container file formats, they also each support a different selection of codecs. In order to maximize the likelihood that your website or app will work on a user's browser, you may need to provide each media file you use in multiple formats. If your site and the user's browser don't share a media format in common, your media won't play. Due to the intricacies of ensuring your app's media is viewable across every combination of browsers, platforms, and devices you wish to reach, choosing the best combination of codecs and container can be a complicated task. See [Choosing the right container](/en-US/docs/Web/Media/Formats/Containers#choosing_the_right_container) for help selecting the container file format best suited for your needs; similarly, see [Choosing a video codec](/en-US/docs/Web/Media/Formats/Video_codecs#choosing_a_video_codec) and [Choosing an audio codec](/en-US/docs/Web/Media/Formats/Audio_codecs#choosing_an_audio_codec) for help selecting the first media codecs to use for your content and your target audience. One additional thing to keep in mind: mobile browsers may support additional formats not supported by their desktop equivalents, just like they may not support all the same formats the desktop version does. On top of that, both desktop and mobile browsers _may_ be designed to offload handling of media playback (either for all media or only for specific types it can't handle internally). This means media support is partly dependent on what software the user has installed. So how do we do this? Take a look at the following [updated example](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/video-and-audio-content/multiple-video-formats.html) ([try it live here](https://mdn.github.io/learning-area/html/multimedia-and-embedding/video-and-audio-content/multiple-video-formats.html), also): ```html <video controls> <source src="rabbit320.mp4" type="video/mp4" /> <source src="rabbit320.webm" type="video/webm" /> <p> Your browser doesn't support this video. Here is a <a href="rabbit320.mp4">link to the video</a> instead. </p> </video> ``` Here we've taken the `src` attribute out of the actual {{HTMLElement("video")}} tag, and instead included separate {{htmlelement("source")}} elements that point to their own sources. In this case the browser will go through the {{HTMLElement("source")}} elements and play the first one that it has the codec to support. Including WebM and MP4 sources should be enough to play your video on most platforms and browsers these days. Each `<source>` element also has a [`type`](/en-US/docs/Web/HTML/Element/source#type) attribute. This is optional, but it is advised that you include it. The `type` attribute contains the {{glossary("MIME type")}} of the file specified by the `<source>`, and browsers can use the `type` to immediately skip videos they don't understand. If `type` isn't included, browsers will load and try to play each file until they find one that works, which obviously takes time and is an unnecessary use of resources. Refer to our [guide to media types and formats](/en-US/docs/Web/Media/Formats) for help selecting the best containers and codecs for your needs, as well as to look up the right MIME types to specify for each. ### Other \<video> features There are a number of other features you can include when displaying an HTML video. Take a look at our next example: ```html <video controls width="400" height="400" autoplay loop muted preload="auto" poster="poster.png"> <source src="rabbit320.mp4" type="video/mp4" /> <source src="rabbit320.webm" type="video/webm" /> <p> Your browser doesn't support this video. Here is a <a href="rabbit320.mp4">link to the video</a> instead. </p> </video> ``` The resulting UI looks something like this: ![A video player showing a poster image before it plays. The poster image says HTML video example, OMG hell yeah!](poster_screenshot_updated.png) Features include: - [`width`](/en-US/docs/Web/HTML/Element/video#width) and [`height`](/en-US/docs/Web/HTML/Element/video#height) - : You can control the video size either with these attributes or with {{Glossary("CSS")}}. In both cases, videos maintain their native width-height ratio β€” known as the **aspect ratio**. If the aspect ratio is not maintained by the sizes you set, the video will grow to fill the space horizontally, and the unfilled space will just be given a solid background color by default. - [`autoplay`](/en-US/docs/Web/HTML/Element/video#autoplay) - : Makes the audio or video start playing right away, while the rest of the page is loading. You are advised not to use autoplaying video (or audio) on your sites, because users can find it really annoying. - [`loop`](/en-US/docs/Web/HTML/Element/video#loop) - : Makes the video (or audio) start playing again whenever it finishes. This can also be annoying, so only use if really necessary. - [`muted`](/en-US/docs/Web/HTML/Element/video#muted) - : Causes the media to play with the sound turned off by default. - [`poster`](/en-US/docs/Web/HTML/Element/video#poster) - : The URL of an image which will be displayed before the video is played. It is intended to be used for a splash screen or advertising screen. - [`preload`](/en-US/docs/Web/HTML/Element/video#preload) - : Used for buffering large files; it can take one of three values: - `"none"` does not buffer the file - `"auto"` buffers the media file - `"metadata"` buffers only the metadata for the file You can find the above example available to [play live on GitHub](https://mdn.github.io/learning-area/html/multimedia-and-embedding/video-and-audio-content/extra-video-features.html) (also [see the source code](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/video-and-audio-content/extra-video-features.html).) Note that we haven't included the `autoplay` attribute in the live version β€” if the video starts to play as soon as the page loads, you don't get to see the poster! ### The \<audio> element The {{htmlelement("audio")}} element works just like the {{htmlelement("video")}} element, with a few small differences as outlined below. A typical example might look like so: ```html <audio controls> <source src="viper.mp3" type="audio/mp3" /> <source src="viper.ogg" type="audio/ogg" /> <p> Your browser doesn't support this audio file. Here is a <a href="viper.mp3">link to the audio</a> instead. </p> </audio> ``` This produces something like the following in a browser: ![A simple audio player with a play button, timer, volume control, and progress bar](audio-player.png) > **Note:** You can [run the audio demo live](https://mdn.github.io/learning-area/html/multimedia-and-embedding/video-and-audio-content/multiple-audio-formats.html) on GitHub (also see the [audio player source code](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/video-and-audio-content/multiple-audio-formats.html).) This takes up less space than a video player, as there is no visual component β€” you just need to display controls to play the audio. Other differences from HTML video are as follows: - The {{htmlelement("audio")}} element doesn't support the `width`/`height` attributes β€” again, there is no visual component, so there is nothing to assign a width or height to. - It also doesn't support the `poster` attribute β€” again, no visual component. Other than this, `<audio>` supports all the same features as `<video>` β€” review the above sections for more information about them. ## Displaying video text tracks Now we'll discuss a slightly more advanced concept that is really useful to know about. Many people can't or don't want to hear the audio/video content they find on the Web, at least at certain times. For example: - Many people have auditory impairments (such as being hard of hearing or deaf) so can't hear the audio clearly if at all. - Others may not be able to hear the audio because they are in noisy environments (like a crowded bar when a sports game is being shown). - Similarly, in environments where having the audio playing would be a distraction or disruption (such as in a library or when a partner is trying to sleep), having captions can be very useful. - People who don't speak the language of the video might want a text transcript or even translation to help them understand the media content. Wouldn't it be nice to be able to provide these people with a transcript of the words being spoken in the audio/video? Well, thanks to HTML video, you can. To do so we use the [WebVTT](/en-US/docs/Web/API/WebVTT_API) file format and the {{htmlelement("track")}} element. > **Note:** "Transcribe" means "to write down spoken words as text." The resulting text is a "transcript." WebVTT is a format for writing text files containing multiple strings of text along with metadata such as the time in the video at which each text string should be displayed, and even limited styling/positioning information. These text strings are called **cues**, and there are several kinds of cues which are used for different purposes. The most common cues are: - subtitles - : Translations of foreign material, for people who don't understand the words spoken in the audio. - captions - : Synchronized transcriptions of dialog or descriptions of significant sounds, to let people who can't hear the audio understand what is going on. - timed descriptions - : Text which should be spoken by the media player in order to describe important visuals to blind or otherwise visually impaired users. A typical WebVTT file will look something like this: ```plain WEBVTT 1 00:00:22.230 --> 00:00:24.606 This is the first subtitle. 2 00:00:30.739 --> 00:00:34.074 This is the second. … ``` To get this displayed along with the HTML media playback, you need to: 1. Save it as a `.vtt` file in a sensible place. 2. Link to the `.vtt` file with the {{htmlelement("track")}} element. `<track>` should be placed within `<audio>` or `<video>`, but after all `<source>` elements. Use the [`kind`](/en-US/docs/Web/HTML/Element/track#kind) attribute to specify whether the cues are `subtitles`, `captions`, or `descriptions`. Further, use [`srclang`](/en-US/docs/Web/HTML/Element/track#srclang) to tell the browser what language you have written the subtitles in. Finally, add [`label`](/en-US/docs/Web/HTML/Element/track#label) to help readers identify the language they are searching for. Here's an example: ```html <video controls> <source src="example.mp4" type="video/mp4" /> <source src="example.webm" type="video/webm" /> <track kind="subtitles" src="subtitles_es.vtt" srclang="es" label="Spanish" /> </video> ``` This will result in a video that has subtitles displayed, kind of like this: ![Video player with stand controls such as play, stop, volume, and captions on and off. The video playing shows a scene of a man holding a spear-like weapon, and a caption reads "Esta hoja tiene pasado oscuro."](video-player-with-captions.png) For more details, including on how to add labels please read [Adding captions and subtitles to HTML video](/en-US/docs/Web/Media/Audio_and_video_delivery/Adding_captions_and_subtitles_to_HTML5_video). You can [find the example](https://iandevlin.github.io/mdn/video-player-with-captions/) that goes along with this article on GitHub, written by Ian Devlin (see the [source code](https://github.com/iandevlin/iandevlin.github.io/tree/master/mdn/video-player-with-captions) too.) This example uses some JavaScript to allow users to choose between different subtitles. Note that to turn the subtitles on, you need to press the "CC" button and select an option β€” English, Deutsch, or EspaΓ±ol. > **Note:** Text tracks also help you with {{glossary("SEO")}}, since search engines especially thrive on text. Text tracks even allow search engines to link directly to a spot partway through the video. ### Active learning: Embedding your own audio and video For this active learning, we'd (ideally) like you to go out into the world and record some of your own video and audio β€” most phones these days allow you to record audio and video very easily and, provided you can transfer it on to your computer, you can use it. You may have to do some conversion to end up with a WebM and MP4 in the case of video, and an MP3 and Ogg in the case of audio, but there are enough programs out there to allow you to do this without too much trouble, such as [Miro Video Converter](http://www.mirovideoconverter.com/) and [Audacity](https://sourceforge.net/projects/audacity/). We'd like you to have a go! If you are unable to source any video or audio, then you can feel free to use our [sample audio and video files](https://github.com/mdn/learning-area/tree/main/html/multimedia-and-embedding/video-and-audio-content) to carry out this exercise. You can also use our sample code for reference. We would like you to: 1. Save your audio and video files in a new directory on your computer. 2. Create a new HTML file in the same directory, called `index.html`. 3. Add {{HTMLElement("audio")}} and {{HTMLElement("video")}} elements to the page; make them display the default browser controls. 4. Give both of them {{HTMLElement("source")}} elements so that browsers will find the audio format they support best and load it. These should include [`type`](/en-US/docs/Web/HTML/Element/source#type) attributes. 5. Give the `<video>` element a poster that will be displayed before the video starts to be played. Have fun creating your own poster graphic. For an added bonus, you could try researching text tracks, and work out how to add some captions to your video. ## Test your skills! You've reached the end of this article, but can you remember the most important information? You can find some further tests to verify that you've retained this information before you move on β€” see [Test your skills: Multimedia and embedding](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content/Test_your_skills:_Multimedia_and_embedding). Note that the third assessment question in this test assumes knowledge of some of the techniques covered in the [next article](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies), so you may want to read that before attempting it. ## Summary And that's a wrap β€” we hope you had fun playing with video and audio in web pages! In the next article, we'll look at [other ways of embedding content](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies) on the Web, using technologies like {{htmlelement("iframe")}} and {{htmlelement("object")}}. ## See also - The HTML media elements: {{htmlelement("audio")}}, {{htmlelement("video")}}, {{htmlelement("source")}}, and {{htmlelement("track")}} - [Adding captions and subtitles to video](/en-US/docs/Web/Media/Audio_and_video_delivery/Adding_captions_and_subtitles_to_HTML5_video) - [Audio and Video delivery](/en-US/docs/Web/Media/Audio_and_video_delivery): A LOT of detail about putting audio and video onto web pages using HTML and JavaScript. - [Audio and Video manipulation](/en-US/docs/Web/Media/Audio_and_video_manipulation): A LOT of detail about manipulating audio and video using JavaScript (for example adding filters.) - [Web media technologies](/en-US/docs/Web/Media) - [Guide to media types and formats on the web](/en-US/docs/Web/Media/Formats) - [Event reference > Media](/en-US/docs/Web/Events#media) {{PreviousMenuNext("Learn/HTML/Multimedia_and_embedding/Images_in_HTML", "Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies", "Learn/HTML/Multimedia_and_embedding")}}
0
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/video_and_audio_content
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/video_and_audio_content/test_your_skills_colon__multimedia_and_embedding/index.md
--- title: "Test your skills: Multimedia and embedding" slug: Learn/HTML/Multimedia_and_embedding/Video_and_audio_content/Test_your_skills:_Multimedia_and_embedding page-type: learn-module-assessment --- {{learnsidebar}} The aim of this skill test is to assess whether you understand how to [embed video and audio content in HTML](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content), also using [object, iframe and other embedding technologies](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies). > **Note:** You can try solutions in the interactive editors on this page or in an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > > If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## Task 1 In this task, we want you to embed a simple audio file onto the page. You need to: - Add the path to the audio file to an appropriate attribute to embed it on the page. The audio is called `audio.mp3`, and it is in a folder inside the current folder called `media`. - Add an attribute to make browsers display some default controls. - Add some appropriate fallback text for browsers that don't support `<audio>`. Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/multimedia-and-embedding/tasks/media-embed/mediaembed1.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/tasks/media-embed/mediaembed1-download.html) to work in your own editor or in an online editor. ## Task 2 In this task, we want you to mark up a slightly more complex video player, with multiple sources, subtitles, and other features besides. You need to: - Add an attribute to make browsers display some default controls. - Add some appropriate fallback text for browsers that don't support `<video>`. - Add multiple sources, containing the paths to the video files. The files are called `video.mp4` and `video.webm`, and are in a folder inside the current folder called `media`. - Let the browser know in advance what video formats the sources point to, so it can make an informed choice of which one to download ahead of time. - Give the `<video>` a width and height equal to its intrinsic size (320 by 240 pixels). - Make the video muted by default. - Display the text tracks contained in the `media` folder, in a file called `subtitles_en.vtt`, when the video is playing. You must explicitly set the type as subtitles, and the subtitle language to English. - Make sure the readers can identify the subtitle language when they use the default controls. Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/multimedia-and-embedding/tasks/media-embed/mediaembed2.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/tasks/media-embed/mediaembed2-download.html) to work in your own editor or in an online editor. ## Task 3 In this task, we want you to: - Embed a PDF into the page. The PDF is called `mypdf.pdf`, and is contained in the `media` folder. - Go to a sharing site like YouTube or Google Maps, and embed a video or other media item into the page. Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/multimedia-and-embedding/tasks/media-embed/mediaembed3.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/tasks/media-embed/mediaembed3-download.html) to work in your own editor or in an online editor.
0
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/images_in_html/index.md
--- title: Images in HTML slug: Learn/HTML/Multimedia_and_embedding/Images_in_HTML page-type: learn-module-chapter --- {{LearnSidebar}}{{NextMenu("Learn/HTML/Multimedia_and_embedding/Video_and_audio_content", "Learn/HTML/Multimedia_and_embedding")}} In the beginning, the Web was just text, and it was really quite boring. Fortunately, it wasn't too long before the ability to embed images (and other more interesting types of content) inside web pages was added. It is logical to start with the humble {{htmlelement("img")}} element, used to embed a simple image in a webpage, but there are other types of multimedia to consider. In this article we'll look at how to use it in depth, including the basics, annotating it with captions using {{htmlelement("figure")}}, and detailing how it relates to {{glossary("CSS")}} background images, and we'll introduce other graphics available to the web platform. <table> <caption>Multimedia and Embedding Images</caption> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web/Dealing_with_files" >working with files</a >, familiarity with HTML fundamentals (as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >.) </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn how to embed simple images in HTML, annotate them with captions, and how HTML images relate to CSS background images. </td> </tr> </tbody> </table> ## How do we put an image on a webpage? In order to put a simple image on a web page, we use the {{htmlelement("img")}} element. This is a {{Glossary("void element")}} (meaning, it cannot have any child content and cannot have an end tag) that requires two attributes to be useful: `src` and `alt`. The `src` attribute contains a URL pointing to the image you want to embed in the page. As with the `href` attribute for {{htmlelement("a")}} elements, the `src` attribute can be a relative URL or an absolute URL. Without a `src` attribute, an `img` element has no image to load. The [`alt` attribute is described below](#alternative_text). > **Note:** You should read [A quick primer on URLs and paths](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks#a_quick_primer_on_urls_and_paths) to refresh your memory on relative and absolute URLs before continuing. So for example, if your image is called `dinosaur.jpg`, and it sits in the same directory as your HTML page, you could embed the image like so: ```html <img src="dinosaur.jpg" alt="Dinosaur" /> ``` If the image was in an `images` subdirectory, which was inside the same directory as the HTML page, then you'd embed it like this: ```html <img src="images/dinosaur.jpg" alt="Dinosaur" /> ``` And so on. > **Note:** Search engines also read image filenames and count them towards SEO. Therefore, you should give your image a descriptive filename; `dinosaur.jpg` is better than `img835.png`. You could also embed the image using its absolute URL, for example: ```html <img src="https://www.example.com/images/dinosaur.jpg" alt="Dinosaur" /> ``` Linking via absolute URLs is not recommended, however. You should host the images you want to use on your site, which in simple setups means keeping the images for your website on the same server as your HTML. In addition, it is more efficient to use relative URLs than absolute URLs in terms of maintenance (when you move your site to a different domain, you won't need to update all your URLs to include the new domain). In more advanced setups, you might use a [CDN (Content Delivery Network)](/en-US/docs/Glossary/CDN) to deliver your images. If you did not create the images, you should make sure you have the permission to use them under the conditions of the license they are published under (see [Media assets and licensing](#media_assets_and_licensing) below for more information). > **Warning:** _Never_ point the `src` attribute at an image hosted on someone else's website _without permission_. This is called "hotlinking". It is considered unethical, since someone else would be paying the bandwidth costs for delivering the image when someone visits your page. It also leaves you with no control over the image being removed or replaced with something embarrassing. The previous code snippet, either with the absolute or the relative URL, will give us the following result: ![A basic image of a dinosaur, embedded in a browser, with "Images in HTML" written above it](basic-image.png) > **Note:** Elements like {{htmlelement("img")}} and {{htmlelement("video")}} are sometimes referred to as **replaced elements**. This is because the element's content and size are defined by an external resource (like an image or video file), not by the contents of the element itself. You can read more about them at [Replaced elements](/en-US/docs/Web/CSS/Replaced_element). > **Note:** You can find the finished example from this section [running on GitHub](https://mdn.github.io/learning-area/html/multimedia-and-embedding/images-in-html/index.html) (see the [source code](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/images-in-html/index.html) too.) ### Alternative text The next attribute we'll look at is `alt`. Its value is supposed to be a textual description of the image, for use in situations where the image cannot be seen/displayed or takes a long time to render because of a slow internet connection. For example, our above code could be modified like so: ```html <img src="images/dinosaur.jpg" alt="The head and torso of a dinosaur skeleton; it has a large head with long sharp teeth" /> ``` The easiest way to test your `alt` text is to purposely misspell your filename. If for example our image name was spelled `dinosooooor.jpg`, the browser wouldn't display the image, and would display the alt text instead: ![The Images in HTML title, but this time the dinosaur image is not displayed, and alt text is in its place.](alt-text.png) So, why would you ever see or need alt text? It can come in handy for a number of reasons: - The user is visually impaired, and is using a [screen reader](https://en.wikipedia.org/wiki/Screen_reader) to read the web out to them. In fact, having alt text available to describe images is useful to most users. - As described above, the spelling of the file or path name might be wrong. - The browser doesn't support the image type. Some people still use text-only browsers, such as [Lynx](https://en.wikipedia.org/wiki/Lynx_%28web_browser%29), which displays the alt text of images. - You may want to provide text for search engines to utilize; for example, search engines can match alt text with search queries. - Users have turned off images to reduce data transfer volume and distractions. This is especially common on mobile phones, and in countries where bandwidth is limited or expensive. What exactly should you write inside your `alt` attribute? It depends on _why_ the image is there in the first place. In other words, what you lose if your image doesn't show up: - **Decoration.** You should use [CSS background images](#css_background_images) for decorative images, but if you must use HTML, add a blank `alt=""`. If the image isn't part of the content, a screen reader shouldn't waste time reading it. - **Content.** If your image provides significant information, provide the same information in a _brief_ `alt` text – or even better, in the main text which everybody can see. Don't write redundant `alt` text. How annoying would it be for a sighted user if all paragraphs were written twice in the main content? If the image is described adequately by the main text body, you can just use `alt=""`. - **Link.** If you put an image inside {{htmlelement("a")}} tags, to turn an image into a link, you still must provide [accessible link text](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks#use_clear_link_wording). In such cases you may, either, write it inside the same `<a>` element, or inside the image's `alt` attribute – whichever works best in your case. - **Text.** You should not put your text into images. If your main heading needs a drop shadow, for example, [use CSS](/en-US/docs/Web/CSS/text-shadow) for that rather than putting the text into an image. However, If you _really can't avoid doing this_, you should supply the text inside the `alt` attribute. Essentially, the key is to deliver a usable experience, even when the images can't be seen. This ensures all users are not missing any of the content. Try turning off images in your browser and see how things look. You'll soon realize how helpful alt text is if the image cannot be seen. > **Note:** For more information, see our guide to [Text Alternatives](/en-US/docs/Learn/Accessibility/HTML#text_alternatives). ### Width and height You can use the [`width`](/en-US/docs/Web/HTML/Element/img#width) and [`height`](/en-US/docs/Web/HTML/Element/img#height) attributes to specify the width and height of your image. They are given as integers without a unit, and represent the image's width and height in pixels. You can find your image's width and height in a number of ways. For example, on the Mac you can use <kbd>Cmd</kbd> + <kbd>I</kbd> to get the display information for the image file. Returning to our example, we could do this: ```html <img src="images/dinosaur.jpg" alt="The head and torso of a dinosaur skeleton; it has a large head with long sharp teeth" width="400" height="341" /> ``` There's a very good reason to do this. The HTML for your page and the image are separate resources, fetched by the browser as separate HTTP(S) requests. As soon as the browser has received the HTML, it will start to display it to the user. If the images haven't yet been received (and this will often be the case, as image file sizes are often much larger than HTML files), then the browser will render only the HTML, and will update the page with the image as soon as it is received. For example, suppose we have some text after the image: ```html <h1>Images in HTML</h1> <img src="dinosaur.jpg" alt="The head and torso of a dinosaur skeleton; it has a large head with long sharp teeth" title="A T-Rex on display in the Manchester University Museum" /> <blockquote> <p> But down there it would be dark now, and not the lovely lighted aquarium she imagined it to be during the daylight hours, eddying with schools of tiny, delicate animals floating and dancing slowly to their own serene currents and creating the look of a living painting. That was wrong, in any case. The ocean was different from an aquarium, which was an artificial environment. The ocean was a world. And a world is not art. Dorothy thought about the living things that moved in that world: large, ruthless and hungry. Like us up here. </p> <footer>- Rachel Ingalls, <cite>Mrs. Caliban</cite></footer> </blockquote> ``` As soon as the browser downloads the HTML, the browser will start to display the page. Once the image is loaded, the browser adds the image to the page. Because the image takes up space, the browser has to move the text down the page, to fit the image above it: ![Comparison of page layout while the browser is loading a page and when it has finished, when no size is specified for the image.](no-size.png) Moving the text like this is extremely distracting to users, especially if they have already started to read it. If you specify the actual size of the image in your HTML, using the `width` and `height` attributes, then the browser knows, before it has downloaded the image, how much space it has to allow for it. This means that when the image has been downloaded, the browser doesn't have to move the surrounding content. ![Comparison of page layout while the browser is loading a page and when it has finished, when the image size is specified.](size.png) For an excellent article on the history of this feature, see [Setting height and width on images is important again](https://www.smashingmagazine.com/2020/03/setting-height-width-images-important-again/). > **Note:** Although, as we have said, it is good practice to specify the _actual_ size of your images using HTML attributes, you should not use them to _resize_ images. > > If you set the image size too big, you'll end up with images that look grainy, fuzzy, or too small, and wasting bandwidth downloading an image that is not fitting the user's needs. The image may also end up looking distorted, if you don't maintain the correct [aspect ratio](https://en.wikipedia.org/wiki/Aspect_ratio_%28image%29). You should use an image editor to put your image at the correct size before putting it on your webpage. > > If you do need to alter an image's size, you should use [CSS](/en-US/docs/Learn/CSS) instead. ### Image titles As [with links](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks#adding_supporting_information_with_the_title_attribute), you can also add `title` attributes to images, to provide further supporting information if needed. In our example, we could do this: ```html <img src="images/dinosaur.jpg" alt="The head and torso of a dinosaur skeleton; it has a large head with long sharp teeth" width="400" height="341" title="A T-Rex on display in the Manchester University Museum" /> ``` This gives us a tooltip on mouse hover, just like link titles: ![The dinosaur image, with a tooltip title on top of it that reads A T-Rex on display at the Manchester University Museum ](image-with-title.png) However, this is not recommended β€” `title` has a number of accessibility problems, mainly based around the fact that screen reader support is very unpredictable and most browsers won't show it unless you are hovering with a mouse (so e.g. no access to keyboard users). If you are interested in more information about this, read [The Trials and Tribulations of the Title Attribute](https://www.24a11y.com/2017/the-trials-and-tribulations-of-the-title-attribute/) by Scott O'Hara. It is better to include such supporting information in the main article text, rather than attached to the image. ### Active learning: embedding an image It is now your turn to play! This active learning section will have you up and running with a simple embedding exercise. You are provided with a basic {{htmlelement("img")}} tag; we'd like you to embed the image located at the following URL: ```url https://raw.githubusercontent.com/mdn/learning-area/master/html/multimedia-and-embedding/images-in-html/dinosaur_small.jpg ``` Earlier we said to never hotlink to images on other servers, but this is just for learning purposes, so we'll let you off this one time. We would also like you to: - Add some alt text, and check that it works by misspelling the image URL. - Set the image's correct `width` and `height` (hint: it is 200px wide and 171px high), then experiment with other values to see what the effect is. - Set a `title` on the image. If you make a mistake, you can always reset it using the _Reset_ button. If you get really stuck, press the _Show solution_ button to see an answer: ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 100px; width: 95%"> <img> </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = '<img src="https://raw.githubusercontent.com/mdn/learning-area/master/html/multimedia-and-embedding/images-in-html/dinosaur_small.jpg"\n alt="The head and torso of a dinosaur skeleton; it has a large head with long sharp teeth"\n width="200"\n height="171"\n title="A T-Rex on display in the Manchester University Museum">'; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = function () { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_embedding_an_image', 700, 350) }} ## Media assets and licensing Images (and other media asset types) you find on the web are released under various license types. Before you use an image on a site you are building, ensure you own it, have permission to use it, or comply with the owner's licensing conditions. ### Understanding license types Let's look at some common categories of licenses you are likely to find on the web. #### All rights reserved Creators of original work such as songs, books, or software often release their work under closed copyright protection. This means that, by default, they (or their publisher) have exclusive rights to use (for example, display or distribute) their work. If you want to use copyrighted images with an _all rights reserved_ license, you need to do one of the following: - Obtain explicit, written permission from the copyright holder. - Pay a license fee to use them. This can be a one-time fee for unlimited use ("royalty-free"), or it might be "rights-managed", in which case you might have to pay specific fees per use by time slot, geographic region, industry or media type, etc. - Limit your uses to those that would be considered [fair use](https://fairuse.stanford.edu/overview/fair-use/what-is-fair-use/) or [fair dealing](https://copyrightservice.co.uk/copyright/p27_work_of_others) in your jurisdiction. Authors are not required to include a copyright notice or license terms with their work. Copyright exists automatically in an original work of authorship once it is created in a tangible medium. So if you find an image online and there are no copyright notices or license terms, the safest course is to assume it is protected by copyright with all rights reserved. #### Permissive If the image is released under a permissive license, such as [MIT](https://mit-license.org/), [BSD](https://opensource.org/license/BSD-3-clause/), or a suitable [Creative Commons (CC) license](https://creativecommons.org/choose/), you do not need to pay a license fee or seek permission to use it. Still, there are various licensing conditions you will have to fulfill, which vary by license. For example, you might have to: - Provide a link to the original source of the image and credit its creator. - Indicate whether any changes were made to it. - Share any derivative works created using the image under the same license as the original. - Not share any derivative works at all. - Not use the image in any commercial work. - Include a copy of the license along with any release that uses the image. You should consult the applicable license for the specific terms you will need to follow. > **Note:** You may come across the term "copyleft" in the context of permissive licenses. Copyleft licenses (such as the [GNU General Public License (GPL)](https://www.gnu.org/licenses/gpl-3.0.en.html) or "Share Alike" Creative Commons licenses) stipulate that derivative works need to be released under the same license as the original. Copyleft licenses are prominent in the software world. The basic idea is that a new project built with the code of a copyleft-licensed project (this is known as a "fork" of the original software) will also need to be licensed under the same copyleft license. This ensures that the source code of the new project will also be made available for others to study and modify. Note that, in general, licenses that were drafted for software, such as the GPL, are not considered to be good licenses for non-software works as they were not drafted with non-software works in mind. Explore the links provided earlier in this section to read about the different license types and the kinds of conditions they specify. #### Public domain/CC0 Work released into the public domain is sometimes referred to as "no rights reserved" β€” no copyright applies to it, and it can be used without permission and without having to fulfill any licensing conditions. Work can end up in the public domain by various means such as expiration of copyright, or specific waiving of rights. One of the most effective ways to place work in the public domain is to license it under [CC0](https://creativecommons.org/share-your-work/public-domain/cc0/), a specific creative commons license that provides a clear and unambiguous legal tool for this purpose. When using public domain images, obtain proof that the image is in the public domain and keep the proof for your records. For example, take a screenshot of the original source with the licensing status clearly displayed, and consider adding a page to your website with a list of the images acquired along with their license requirements. ### Searching for permissively-licensed images You can find permissive-licensed images for your projects using an image search engine or directly from image repositories. Search for images using a description of the image you are seeking along with relevant licensing terms. For example, when searching for "yellow dinosaur" add "public domain images", "public domain image library", "open licensed images", or similar terms to the search query. Some search engines have tools to help you find images with permissive licenses. For example, when using Google, go to the "Images" tab to search for images, then click "Tools". There is a "Usage Rights" dropdown in the resulting toolbar where you can choose to search specifically for images under creative commons licenses. Image repository sites, such as [Flickr](https://flickr.com/), [ShutterStock](https://www.shutterstock.com), and [Pixabay](https://pixabay.com/), have search options to allow you to search just for permissively-licensed images. Some sites exclusively distribute permissively-licensed images and icons, such as [Picryl](https://picryl.com) and [The Noun Project](https://thenounproject.com/). Complying with the license the image has been released under is a matter of finding the license details, reading the license or instruction page provided by the source, and then following those instructions. Reputable image repositories make their license conditions clear and easy to find. ## Annotating images with figures and figure captions Speaking of captions, there are a number of ways that you could add a caption to go with your image. For example, there would be nothing to stop you from doing this: ```html <div class="figure"> <img src="images/dinosaur.jpg" alt="The head and torso of a dinosaur skeleton; it has a large head with long sharp teeth" width="400" height="341" /> <p>A T-Rex on display in the Manchester University Museum.</p> </div> ``` This is OK. It contains the content you need, and is nicely stylable using CSS. But there is a problem here: there is nothing that semantically links the image to its caption, which can cause problems for screen readers. For example, when you have 50 images and captions, which caption goes with which image? A better solution, is to use the HTML {{htmlelement("figure")}} and {{htmlelement("figcaption")}} elements. These are created for exactly this purpose: to provide a semantic container for figures, and to clearly link the figure to the caption. Our above example could be rewritten like this: ```html <figure> <img src="images/dinosaur.jpg" alt="The head and torso of a dinosaur skeleton; it has a large head with long sharp teeth" width="400" height="341" /> <figcaption> A T-Rex on display in the Manchester University Museum. </figcaption> </figure> ``` The {{htmlelement("figcaption")}} element tells browsers, and assistive technology that the caption describes the other content of the {{htmlelement("figure")}} element. > **Note:** From an accessibility viewpoint, captions and [`alt`](/en-US/docs/Web/HTML/Element/img#alt) text have distinct roles. Captions benefit even people who can see the image, whereas [`alt`](/en-US/docs/Web/HTML/Element/img#alt) text provides the same functionality as an absent image. Therefore, captions and `alt` text shouldn't just say the same thing, because they both appear when the image is gone. Try turning images off in your browser and see how it looks. A figure doesn't have to be an image. It is an independent unit of content that: - Expresses your meaning in a compact, easy-to-grasp way. - Could go in several places in the page's linear flow. - Provides essential information supporting the main text. A figure could be several images, a code snippet, audio, video, equations, a table, or something else. ### Active learning: creating a figure In this active learning section, we'd like you to take the finished code from the previous active learning section, and turn it into a figure: 1. Wrap it in a {{htmlelement("figure")}} element. 2. Copy the text out of the `title` attribute, remove the `title` attribute, and put the text inside a {{htmlelement("figcaption")}} element below the image. If you make a mistake, you can always reset it using the _Reset_ button. If you get really stuck, press the _Show solution_ button to see an answer: ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 100px; width: 95%"></textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = '<figure>\n <img src="https://raw.githubusercontent.com/mdn/learning-area/master/html/multimedia-and-embedding/images-in-html/dinosaur_small.jpg"\n alt="The head and torso of a dinosaur skeleton; it has a large head with long sharp teeth"\n width="200"\n height="171">\n <figcaption>A T-Rex on display in the Manchester University Museum</figcaption>\n</figure>'; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_creating_a_figure', 700, 350) }} ## CSS background images You can also use CSS to embed images into webpages (and JavaScript, but that's another story entirely). The CSS {{cssxref("background-image")}} property, and the other `background-*` properties, are used to control background image placement. For example, to place a background image on every paragraph on a page, you could do this: ```css p { background-image: url("images/dinosaur.jpg"); } ``` The resulting embedded image is arguably easier to position and control than HTML images. So why bother with HTML images? As hinted to above, CSS background images are for decoration only. If you just want to add something pretty to your page to enhance the visuals, this is fine. Though, such images have no semantic meaning at all. They can't have any text equivalents, are invisible to screen readers, and so on. This is where HTML images shine! Summing up: if an image has meaning, in terms of your content, you should use an HTML image. If an image is purely decoration, you should use CSS background images. > **Note:** You'll learn a lot more about [CSS background images](/en-US/docs/Learn/CSS/Building_blocks/Backgrounds_and_borders) in our [CSS](/en-US/docs/Learn/CSS) topic. ## Other graphics on the web We've seen that static images can be displayed using the {{HTMLElement("img")}} element, or by setting the background of HTML elements using the {{cssxref("background-image")}} property. You can also construct graphics on-the-fly, or manipulate images after the fact. The browser offers ways of creating 2D and 3D graphics with code, as well as including video from uploaded files or live streamed from a user's camera. Here are links to articles that provide insight into these more advanced graphics topics: - [Canvas](/en-US/docs/Web/API/Canvas_API) - : The {{HTMLElement("canvas")}} element provides APIs to draw 2D graphics using JavaScript. - [SVG](/en-US/docs/Web/SVG) - : Scalable Vector Graphics (SVG) lets you use lines, curves, and other geometric shapes to render 2D graphics. With vectors, you can create images that scale cleanly to any size. - [WebGL](/en-US/docs/Web/API/WebGL_API) - : The WebGL API guide will get your started with WebGL, the 3D graphics API for the Web that lets you use standard OpenGL ES in web content. - [Using HTML audio and video](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content) - : Just like `<img>`, you can use HTML to embed {{htmlelement("video")}} and {{htmlelement("audio")}} into a web page and control its playback. - [WebRTC](/en-US/docs/Web/API/WebRTC_API) - : The RTC in WebRTC stands for Real-Time Communications, a technology that enables audio/video streaming and data sharing between browser clients (peers). ## Test your skills! You've reached the end of this article, but can you remember the most important information? You can find some further tests to verify that you've retained this information before you move on β€” see [Test your skills: HTML images](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML/Test_your_skills:_HTML_images). ## Summary That's all for now. We have covered images and captions in detail. In the next article, we'll move it up a gear, looking at how to use HTML to embed [video and audio content](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content) in web pages. {{NextMenu("Learn/HTML/Multimedia_and_embedding/Video_and_audio_content", "Learn/HTML/Multimedia_and_embedding")}}
0
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/images_in_html
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/images_in_html/test_your_skills_colon__html_images/index.md
--- title: "Test your skills: HTML images" slug: Learn/HTML/Multimedia_and_embedding/Images_in_HTML/Test_your_skills:_HTML_images page-type: learn-module-assessment --- {{learnsidebar}} The aim of this skill test is to assess whether you understand [images and how to embed them in HTML](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML). > **Note:** You can try solutions in the interactive editors on this page or in an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > > If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## Task 1 In this task, we want you to embed a simple image of some Blueberries into the page. You need to: - Add the path to the image to an appropriate attribute to embed it on the page. The image is called `blueberries.jpg`, and it is in a folder inside the current folder called `images`. - Add some alternative text to an appropriate attribute to describe the image, for people that cannot see it. - Give the `<img>` element an appropriate `width` and `height` so that it displays at the correct aspect ratio, and enough space is left on the page to display it. The image's intrinsic size is 615 x 419 pixels. Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/multimedia-and-embedding/tasks/images/images1.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/tasks/images/images1-download.html) to work in your own editor or in an online editor. ## Task 2 In this task, you already have a full-featured image, but we'd like you to add a tooltip that appears when the image is moused over. You should put some appropriate information into the tooltip. Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/multimedia-and-embedding/tasks/images/images2.html", '100%', 1000)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/tasks/images/images2-download.html) to work in your own editor or in an online editor. ## Task 3 In this task, you are provided with both a full-featured image and some caption text. What you need to do here is add elements that will associate the image with the caption. Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/multimedia-and-embedding/tasks/images/images3.html", '100%', 1000)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/tasks/images/images3-download.html) to work in your own editor or in an online editor.
0
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/mozilla_splash_page/index.md
--- title: Mozilla splash page slug: Learn/HTML/Multimedia_and_embedding/Mozilla_splash_page page-type: learn-module-assessment --- {{LearnSidebar}}{{PreviousMenu("Learn/HTML/Multimedia_and_embedding/Responsive_images", "Learn/HTML/Multimedia_and_embedding")}} In this assessment, we'll test your knowledge of some of the techniques discussed in this module's articles, getting you to add some images and video to a funky splash page all about Mozilla! <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Before attempting this assessment you should have already worked through all the articles in this module. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To test knowledge around embedding images and video in web pages, frames, and HTML responsive image techniques. </td> </tr> </tbody> </table> ## Starting point To start off this assessment, you need to grab the HTML and all the images available in the [mdn-splash-page-start](https://github.com/mdn/learning-area/tree/main/html/multimedia-and-embedding/mdn-splash-page-start) directory on GitHub. Save the contents of [index.html](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/mdn-splash-page-start/index.html) in a file called `index.html` on your local drive, in a new directory. Then save [pattern.png](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/mdn-splash-page-start/pattern.png) in the same directory (right click on the image to get an option to save it.) Access the different images in the [originals](https://github.com/mdn/learning-area/tree/main/html/multimedia-and-embedding/mdn-splash-page-start/originals) directory and save them in the same way; you'll want to save them in a different directory for now, as you'll need to manipulate (some of) them using a graphics editor before they're ready to be used. Alternatively, you could use an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > **Note:** The example HTML file contains quite a lot of CSS, to style the page. You don't need to touch the CSS, just the HTML inside the {{htmlelement("body")}} element β€” as long as you insert the correct markup, the styling will make it look correct. > > If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## Project brief In this assessment we are presenting you with a mostly-finished Mozilla splash page, which aims to say something nice and interesting about what Mozilla stands for, and provide some links to further resources. Unfortunately, no images or video have been added yet β€” this is your job! You need to add some media to make the page look nice and make more sense. The following subsections detail what you need to do: ### Preparing images Using your favorite image editor, create 400px wide and 120px wide versions of: - `firefox_logo-only_RGB.png` - `firefox-addons.jpg` - `mozilla-dinosaur-head.png` Call them something sensible, e.g. `firefoxlogo400.png` and `firefoxlogo120.png`. Along with `mdn.svg`, these images will be your icons to link to further resources, inside the `further-info` area. You'll also link to the Firefox logo in the site header. Save copies of all these inside the same directory as `index.html`. Next, create a 1200px wide landscape version of `red-panda.jpg`, and a 600px wide portrait version that shows the panda in more of a close up shot. Again, call them something sensible so you can easily identify them. Save a copy of both of these inside the same directory as `index.html`. > **Note:** You should optimize your JPG and PNG images to make them as small as possible, while still looking OK. [tinypng.com](https://tinypng.com/) is a great service for doing this easily. ### Adding a logo to the header Inside the {{htmlelement("header")}} element, add an {{htmlelement("img")}} element that will embed the small version of the Firefox logo in the header. ### Adding a video to the main article content Just inside the {{htmlelement("article")}} element (right below the opening tag), embed the YouTube video found at <https://www.youtube.com/watch?v=ojcNcvb1olg>, using the appropriate YouTube tools to generate the code. The video should be 400px wide. ### Adding responsive images to the further info links Inside the {{htmlelement("div")}} with the class of `further-info` you will find four {{htmlelement("a")}} elements β€” each one linking to an interesting Mozilla-related page. To complete this section you'll need to insert an {{htmlelement("img")}} element inside each one containing appropriate [`src`](/en-US/docs/Web/HTML/Element/img#src), [`alt`](/en-US/docs/Web/HTML/Element/img#alt), [`srcset`](/en-US/docs/Web/HTML/Element/img#srcset) and [`sizes`](/en-US/docs/Web/HTML/Element/img#sizes) attributes. In each case (except one β€” which one is inherently responsive?) we want the browser to serve the 120px wide version when the viewport width is 500px wide or less, or the 400px wide version otherwise. Make sure you match the correct images with the correct links! > **Note:** To properly test the `srcset`/`sizes` examples, you'll need to upload your site to a server (using [GitHub pages](/en-US/docs/Learn/Common_questions/Tools_and_setup/Using_GitHub_pages) is an easy and free solution), then from there you can test whether they are working properly using browser developer tools such as the Firefox [Network Monitor](https://firefox-source-docs.mozilla.org/devtools-user/network_monitor/index.html). ### An art directed red panda Inside the {{htmlelement("div")}} with the class of `red-panda`, we want to insert a {{htmlelement("picture")}} element that serves the small portrait panda image if the viewport is 600px wide or less, and the large landscape image otherwise. ## Hints and tips - You can use the [W3C Nu HTML Checker](https://validator.w3.org/nu/) to catch mistakes in your HTML. - You don't need to know any CSS to do this assessment; you just need the provided HTML file. The CSS part is already done for you. - The provided HTML (including the CSS styling) already does most of the work for you, so you can just focus on the media embedding. ## Example The following screenshots show what the splash page should look like after being correctly marked up, on a wide and narrow screen display. ![A wide shot of our example splash page](wide-shot.png) ![A narrow shot of our example splash page](narrow-shot.png) {{PreviousMenu("Learn/HTML/Multimedia_and_embedding/Responsive_images", "Learn/HTML/Multimedia_and_embedding")}}
0
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/other_embedding_technologies/index.md
--- title: From object to iframe β€” other embedding technologies slug: Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Multimedia_and_embedding/Video_and_audio_content", "Learn/HTML/Multimedia_and_embedding/Adding_vector_graphics_to_the_Web", "Learn/HTML/Multimedia_and_embedding")}} By now you should really be getting the hang of embedding things into your web pages, including images, video and audio. At this point we'd like to take somewhat of a sideways step, looking at some elements that allow you to embed a wide variety of content types into your webpages: the {{htmlelement("iframe")}}, {{htmlelement("embed")}} and {{htmlelement("object")}} elements. `<iframe>`s are for embedding other web pages, and the other two allow you to embed external resources such as PDF files. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web/Dealing_with_files" >working with files</a >, familiarity with HTML fundamentals (as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >) and the previous articles in this module. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn how to embed items into web pages using {{htmlelement("object")}}, {{htmlelement("embed")}}, and {{htmlelement("iframe")}}, like PDF documents and other webpages. </td> </tr> </tbody> </table> ## A short history of embedding A long time ago on the Web, it was popular to use **frames** to create websites β€” small parts of a website stored in individual HTML pages. These were embedded in a master document called a **frameset**, which allowed you to specify the area on the screen that each frame filled, rather like sizing the columns and rows of a table. These were considered the height of coolness in the mid to late 90s, and there was evidence that having a webpage split up into smaller chunks like this was better for download speeds β€” especially noticeable with network connections being so slow back then. They did however have many problems, which far outweighed any positives as network speeds got faster, so you don't see them being used anymore. A little while later (late 90s, early 2000s), plugin technologies became very popular, such as [Java Applets](/en-US/docs/Glossary/Java) and [Flash](/en-US/docs/Glossary/Adobe_Flash) β€” these allowed web developers to embed rich content into webpages such as videos and animations, which just weren't available through HTML alone. Embedding these technologies was achieved through elements like {{htmlelement("object")}}, and the lesser-used {{htmlelement("embed")}}, and they were very useful at the time. They have since fallen out of fashion due to many problems, including accessibility, security, file size, and more. These days major browsers have stopped supporting plugins such as Flash. Finally, the {{htmlelement("iframe")}} element appeared (along with other ways of embedding content, such as {{htmlelement("canvas")}}, {{htmlelement("video")}}, etc.) This provides a way to embed an entire web document inside another one, as if it were an {{htmlelement("img")}} or other such element, and is used regularly today. With the history lesson out of the way, let's move on and see how to use some of these. ## Active learning: classic embedding uses In this article we are going to jump straight into an active learning section, to immediately give you a real idea of just what embedding technologies are useful for. The online world is very familiar with [YouTube](https://www.youtube.com), but many people don't know about some of the sharing facilities it has available. Let's look at how YouTube allows us to embed a video in any page we like using an {{htmlelement("iframe")}}. 1. First, go to YouTube and find a video you like. 2. Below the video, you'll find a _Share_ button β€” select this to display the sharing options. 3. Select the _Embed_ button and you'll be given some `<iframe>` code β€” copy this. 4. Insert it into the _Input_ box below, and see what the result is in the _Output_. For bonus points, you could also try embedding a [Google Map](https://www.google.com/maps/) in the example: 1. Go to Google Maps and find a map you like. 2. Click on the "Hamburger Menu" (three horizontal lines) in the top left of the UI. 3. Select the _Share or embed map_ option. 4. Select the Embed map option, which will give you some `<iframe>` code β€” copy this. 5. Insert it into the _Input_ box below, and see what the result is in the _Output_. If you make a mistake, you can always reset it using the _Reset_ button. If you get really stuck, press the _Show solution_ button to see an answer. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 250px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="width: 95%;min-height: 100px;"></textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); let code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } reset.addEventListener("click", function () { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", function () { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); const htmlSolution = '<iframe width="420" height="315" src="https://www.youtube.com/embed/QH2-TGUlwu4" frameborder="0" allowfullscreen>\n</iframe>\n\n<iframe src="https://www.google.com/maps/embed?pb=!1m18!1m12!1m3!1d37995.65748333395!2d-2.273568166412784!3d53.473310471916975!2m3!1f0!2f0!3f0!3m2!1i1024!2i768!4f13.1!3m3!1m2!1s0x487bae6c05743d3d%3A0xf82fddd1e49fc0a1!2sThe+Lowry!5e0!3m2!1sen!2suk!4v1518171785211" width="600" height="450" frameborder="0" style="border:0" allowfullscreen>\n</iframe>'; let solutionEntry = htmlSolution; textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = function (e) { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = function () { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_classic_embedding_uses', 700, 600) }} ## iframes in detail So, that was easy and fun, right? {{htmlelement("iframe")}} elements are designed to allow you to embed other web documents into the current document. This is great for incorporating third-party content into your website that you might not have direct control over and don't want to have to implement your own version of β€” such as video from online video providers, commenting systems like [Disqus](https://disqus.com/), maps from online map providers, advertising banners, etc. Even the live editable examples you've been using through this course are implemented using `<iframe>`s. Before diving into using `<iframe>` elements, there are some security concerns to be aware of. Say you wanted to include the MDN glossary on one of your web pages using the {{htmlelement("iframe")}} element, you might try something like the next code example. If you were to add the code below into one of your pages, you might be surprised to see an error message instead of the glossary page: ```html <head> <style> iframe { border: none; } </style> </head> <body> <iframe src="https://developer.mozilla.org/en-US/docs/Glossary" width="100%" height="500" allowfullscreen sandbox> <p> <a href="/en-US/docs/Glossary"> Fallback link for browsers that don't support iframes </a> </p> </iframe> </body> ``` If you have a look at your browser's console, you'll see an error message like the following: ```plain Refused to display 'https://developer.mozilla.org/' in a frame because it set 'X-Frame-Options' to 'deny'. ``` The [Security](#security_concerns) section below goes into more detail about why you see this error, but first, let's have a look at what our code is doing. The example includes the bare essentials needed to use an `<iframe>`: - [`border: none`](/en-US/docs/Web/CSS/border) - : If used, the `<iframe>` is displayed without a surrounding border. Otherwise, by default, browsers display the `<iframe>` with a surrounding border (which is generally undesirable). - [`allowfullscreen`](/en-US/docs/Web/HTML/Element/iframe#allowfullscreen) - : If set, the `<iframe>` is able to be placed in fullscreen mode using the [Fullscreen API](/en-US/docs/Web/API/Fullscreen_API) (somewhat beyond the scope of this article.) - [`src`](/en-US/docs/Web/HTML/Element/iframe#src) - : This attribute, as with {{htmlelement("video")}}/{{htmlelement("img")}}, contains a path pointing to the URL of the document to be embedded. - [`width`](/en-US/docs/Web/HTML/Element/iframe#width) and [`height`](/en-US/docs/Web/HTML/Element/iframe#height) - : These attributes specify the width and height you want the iframe to be. - [`sandbox`](/en-US/docs/Web/HTML/Element/iframe#sandbox) - : This attribute, which works in slightly more modern browsers than the rest of the `<iframe>` features (e.g. IE 10 and above) requests heightened security settings; we'll say more about this in the next section. > **Note:** In order to improve speed, it's a good idea to set the iframe's `src` attribute with JavaScript after the main content is done with loading. This makes your page usable sooner and decreases your official page load time (an important {{glossary("SEO")}} metric.) ### Security concerns Above we mentioned security concerns β€” let's go into this in a bit more detail now. We are not expecting you to understand all of this content perfectly the first time; we just want to make you aware of this concern, and provide a reference to come back to as you get more experienced and start considering using `<iframe>`s in your experiments and work. Also, there is no need to be scared and not use `<iframe>`s β€” you just need to be careful. Read on… Browser makers and Web developers have learned the hard way that iframes are a common target (official term: **attack vector**) for bad people on the Web (often termed **hackers**, or more accurately, **crackers**) to attack if they are trying to maliciously modify your webpage, or trick people into doing something they don't want to do, such as reveal sensitive information like usernames and passwords. Because of this, spec engineers and browser developers have developed various security mechanisms for making `<iframe>`s more secure, and there are also best practices to consider β€” we'll cover some of these below. > **Note:** [Clickjacking](/en-US/docs/Glossary/Clickjacking) is one kind of common iframe attack where hackers embed an invisible iframe into your document (or embed your document into their own malicious website) and use it to capture users' interactions. This is a common way to mislead users or steal sensitive data. A quick example first though β€” try loading the previous example we showed above into your browser β€” you can [find it live on GitHub](https://mdn.github.io/learning-area/html/multimedia-and-embedding/other-embedding-technologies/iframe-detail.html) ([see the source code](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/other-embedding-technologies/iframe-detail.html) too.) Instead of the page you expected, you'll probably see some kind of message to the effect of "I can't open this page", and if you look at the _Console_ in the [browser developer tools](/en-US/docs/Learn/Common_questions/Tools_and_setup/What_are_browser_developer_tools), you'll see a message telling you why. In Firefox, you'll get told something like _The loading of "https\://developer.mozilla.org/en-US/docs/Glossary" in a frame is denied by "X-Frame-Options" directive set to "DENY"_. This is because the developers that built MDN have included a setting on the server that serves the website pages to disallow them from being embedded inside `<iframe>`s (see [Configure CSP directives](#configure_csp_directives), below.) This makes sense β€” an entire MDN page doesn't really make sense to be embedded in other pages unless you want to do something like embed them on your site and claim them as your own β€” or attempt to steal data via [clickjacking](/en-US/docs/Glossary/Clickjacking), which are both really bad things to do. Plus if everybody started to do this, all the additional bandwidth would start to cost Mozilla a lot of money. #### Only embed when necessary Sometimes it makes sense to embed third-party content β€” like youtube videos and maps β€” but you can save yourself a lot of headaches if you only embed third-party content when completely necessary. A good rule for web security is _"You can never be too cautious. If you made it, double-check it anyway. If someone else made it, assume it's dangerous until proven otherwise."_ Besides security, you should also be aware of intellectual property issues. Most content is copyrighted, offline and online, even content you might not expect (for example, most images on [Wikimedia Commons](https://commons.wikimedia.org/wiki/Main_Page)). Never display content on your webpage unless you own it or the owners have given you written, unequivocal permission. Penalties for copyright infringement are severe. Again, you can never be too cautious. If the content is licensed, you must obey the license terms. For example, the content on MDN is [licensed under CC-BY-SA](/en-US/docs/MDN/Writing_guidelines/Attrib_copyright_license#documentation). That means, you must [credit us properly](https://wiki.creativecommons.org/wiki/Best_practices_for_attribution) when you quote our content, even if you make substantial changes. #### Use HTTPS {{Glossary("HTTPS")}} is the encrypted version of {{Glossary("HTTP")}}. You should serve your websites using HTTPS whenever possible: 1. HTTPS reduces the chance that remote content has been tampered with in transit. 2. HTTPS prevents embedded content from accessing content in your parent document, and vice versa. HTTPS-enabling your site requires a special security certificate to be installed. Many hosting providers offer HTTPS-enabled hosting without you needing to do any setup on your own to put a certificate in place. But if you _do_ need to set up HTTPS support for your site on your own, [Let's Encrypt](https://letsencrypt.org/) provides tools and instructions you can use for automatically creating and installing the necessary certificate β€” with built-in support for the most widely-used web servers, including the Apache web server, Nginx, and others. The Let's Encrypt tooling is designed to make the process as easy as possible, so there's really no good reason to avoid using it or other available means to HTTPS-enable your site. > **Note:** [GitHub pages](/en-US/docs/Learn/Common_questions/Tools_and_setup/Using_GitHub_pages) allow content to be served via HTTPS by default. > If you are using a different hosting provider you should check what support they provide for serving content with HTTPS. #### Always use the `sandbox` attribute You want to give attackers as little power as you can to do bad things on your website, therefore you should give embedded content _only the permissions needed for doing its job._ Of course, this applies to your own content, too. A container for code where it can be used appropriately β€” or for testing β€” but can't cause any harm to the rest of the codebase (either accidental or malicious) is called a [sandbox](<https://en.wikipedia.org/wiki/Sandbox_(computer_security)>). Content that's not sandboxed may be able to execute JavaScript, submit forms, trigger popup windows, etc. By default, you should impose all available restrictions by using the `sandbox` attribute with no parameters, as shown in our previous example. If absolutely required, you can add permissions back one by one (inside the `sandbox=""` attribute value) β€” see the [`sandbox`](/en-US/docs/Web/HTML/Element/iframe#sandbox) reference entry for all the available options. One important note is that you should _never_ add both `allow-scripts` and `allow-same-origin` to your `sandbox` attribute β€” in that case, the embedded content could bypass the [Same-origin policy](/en-US/docs/Glossary/Same-origin_policy) that stops sites from executing scripts, and use JavaScript to turn off sandboxing altogether. > **Note:** Sandboxing provides no protection if attackers can fool people into visiting malicious content directly (outside an `iframe`). If there's any chance that certain content may be malicious (e.g., user-generated content), please serve it from a different {{glossary("domain")}} to your main site. #### Configure CSP directives {{Glossary("CSP")}} stands for **[content security policy](/en-US/docs/Web/HTTP/CSP)** and provides [a set of HTTP Headers](/en-US/docs/Web/HTTP/Headers/Content-Security-Policy) (metadata sent along with your web pages when they are served from a web server) designed to improve the security of your HTML document. When it comes to securing `<iframe>`s, you can _[configure your server to send an appropriate `X-Frame-Options` header.](/en-US/docs/Web/HTTP/Headers/X-Frame-Options)_ This can prevent other websites from embedding your content in their web pages (which would enable [clickjacking](/en-US/docs/Glossary/Clickjacking) and a host of other attacks), which is exactly what the MDN developers have done, as we saw earlier on. > **Note:** You can read Frederik Braun's post [On the X-Frame-Options Security Header](https://blog.mozilla.org/security/2013/12/12/on-the-x-frame-options-security-header/) for more background information on this topic. Obviously, it's rather out of scope for a full explanation in this article. ## The \<embed> and \<object> elements The {{htmlelement("embed")}} and {{htmlelement("object")}} elements serve a different function to {{htmlelement("iframe")}} β€” these elements are general purpose embedding tools for embedding external content, such as PDFs. However, you are unlikely to use these elements very much. If you need to display PDFs, it's usually better to link to them, rather than embedding them in the page. Historically these elements have also been used for embedding content handled by browser {{Glossary("Plugin", "plugins")}} such as {{Glossary("Adobe Flash")}}, but this technology is now obsolete and is not supported by modern browsers. If you find yourself needing to embed plugin content, this is the kind of information you'll need, at a minimum: <table class="standard-table no-markdown"> <thead> <tr> <th scope="col"></th> <th scope="col">{{htmlelement("embed")}}</th> <th scope="col">{{htmlelement("object")}}</th> </tr> </thead> <tbody> <tr> <td>{{glossary("URL")}} of the embedded content</td> <td><a href="/en-US/docs/Web/HTML/Element/embed#src"><code>src</code></a></td> <td><a href="/en-US/docs/Web/HTML/Element/object#data"><code>data</code></a></td> </tr> <tr> <td> <em>accurate </em>{{glossary("MIME type", 'media type')}} of the embedded content </td> <td><a href="/en-US/docs/Web/HTML/Element/embed#type"><code>type</code></a></td> <td><a href="/en-US/docs/Web/HTML/Element/object#type"><code>type</code></a></td> </tr> <tr> <td> height and width (in CSS pixels) of the box controlled by the plugin </td> <td> <a href="/en-US/docs/Web/HTML/Element/embed#height"><code>height</code></a><br /><a href="/en-US/docs/Web/HTML/Element/embed#width"><code>width</code></a> </td> <td> <a href="/en-US/docs/Web/HTML/Element/object#height"><code>height</code></a><br /><a href="/en-US/docs/Web/HTML/Element/object#width"><code>width</code></a> </td> </tr> <tr> <td>names and values, to feed the plugin as parameters</td> <td>ad hoc attributes with those names and values</td> <td> single-tag {{htmlelement("param")}} elements, contained within <code>&#x3C;object></code> </td> </tr> <tr> <td>independent HTML content as fallback for an unavailable resource</td> <td>not supported (<code>&#x3C;noembed></code> is obsolete)</td> <td> contained within <code>&#x3C;object></code>, after <code>&#x3C;param></code> elements </td> </tr> </tbody> </table> Let's look at an `<object>` example that embeds a PDF into a page (see the [live example](https://mdn.github.io/learning-area/html/multimedia-and-embedding/other-embedding-technologies/object-pdf.html) and the [source code](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/other-embedding-technologies/object-pdf.html)): ```html <object data="mypdf.pdf" type="application/pdf" width="800" height="1200"> <p> You don't have a PDF plugin, but you can <a href="mypdf.pdf">download the PDF file. </a> </p> </object> ``` PDFs were a necessary stepping stone between paper and digital, but they pose many [accessibility challenges](https://webaim.org/techniques/acrobat/acrobat) and can be hard to read on small screens. They do still tend to be popular in some circles, but it is much better to link to them so they can be downloaded or read on a separate page, rather than embedding them in a webpage. ## Test your skills! You've reached the end of this article, but can you remember the most important information? You can find some further tests to verify that you've retained this information before you move on β€” see [Test your skills: Multimedia and embedding](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content/Test_your_skills:_Multimedia_and_embedding). ## Summary The topic of embedding other content in web documents can quickly become very complex, so in this article, we've tried to introduce it in a simple, familiar way that will immediately seem relevant, while still hinting at some of the more advanced features of the involved technologies. To start with, you are unlikely to use embedding for much beyond including third-party content like maps and videos on your pages. As you become more experienced, however, you are likely to start finding more uses for them. There are many other technologies that involve embedding external content besides the ones we discussed here. We saw some in earlier articles, such as {{htmlelement("video")}}, {{htmlelement("audio")}}, and {{htmlelement("img")}}, but there are others to discover, such as {{htmlelement("canvas")}} for JavaScript-generated 2D and 3D graphics, and {{SVGElement("svg")}} for embedding vector graphics. We'll look at [SVG](/en-US/docs/Web/SVG) in the next article of the module. {{PreviousMenuNext("Learn/HTML/Multimedia_and_embedding/Video_and_audio_content", "Learn/HTML/Multimedia_and_embedding/Adding_vector_graphics_to_the_Web", "Learn/HTML/Multimedia_and_embedding")}}
0
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/responsive_images/index.md
--- title: Responsive images slug: Learn/HTML/Multimedia_and_embedding/Responsive_images page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Multimedia_and_embedding/Adding_vector_graphics_to_the_Web", "Learn/HTML/Multimedia_and_embedding/Mozilla_splash_page", "Learn/HTML/Multimedia_and_embedding")}} In this article, we'll learn about the concept of responsive images β€” images that work well on devices with widely differing screen sizes, resolutions, and other such features β€” and look at what tools HTML provides to help implement them. This helps to improve performance across different devices. Responsive images are just one part of [responsive design](/en-US/docs/Learn/CSS/CSS_layout/Responsive_Design), a future CSS topic for you to learn. <table class="standard-table"> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should already know the <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML">basics of HTML</a> and how to <a href="/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML" >add static images to a web page</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn how to use features like <a href="/en-US/docs/Web/HTML/Element/img#srcset"><code>srcset</code></a> and the {{htmlelement("picture")}} element to implement responsive image solutions on websites. </td> </tr> </tbody> </table> ## Why responsive images? Let's examine a typical scenario. A typical website may contain a header image and some content images below the header. The header image will likely span the whole of the width of the header, and the content image will fit somewhere inside the content column. Here's a simple example: ![Our example site as viewed on a wide screen - here the first image works OK, as it is big enough to see the detail in the center.](picture-element-wide.png) This works well on a wide screen device, such as a laptop or desktop (you can [see the example live](https://mdn.github.io/learning-area/html/multimedia-and-embedding/responsive-images/not-responsive.html) and find the [source code](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/responsive-images/not-responsive.html) on GitHub.) We won't discuss the CSS much in this lesson, except to say that: - The body content has been set to a maximum width of 1200 pixels β€” in viewports above that width, the body remains at 1200px and centers itself in the available space. In viewports below that width, the body will stay at 100% of the width of the viewport. - The header image has been set so that its center always stays in the center of the header, no matter what width the heading is set at. If the site is being viewed on a narrower screen, the important detail in the center of the image (the people) can still be seen, and the excess is lost off either side. It is 200px high. - The content images have been set so that if the body element becomes smaller than the image, the images start to shrink so that they always stay inside the body, rather than overflowing it. However, issues arise when you start to view the site on a narrow screen device. The header below looks OK, but it's starting to take up a lot of the screen height for a mobile device. And at this size, it is difficult to see faces of the two people within the first content image. ![Our example site as viewed on a narrow screen; the first image has shrunk to the point where it is hard to make out the detail on it.](non-responsive-narrow.png) An improvement would be to display a cropped version of the image which displays the important details of the image when the site is viewed on a narrow screen. A second cropped image could be displayed for a medium-width screen device, like a tablet. The general problem whereby you want to serve different cropped images in that way, for various layouts, is commonly known as the **art direction problem**. In addition, there is no need to embed such large images on the page if it is being viewed on a mobile screen. Doing so can waste bandwidth; in particular, mobile users don't want to waste bandwidth by downloading a large image intended for desktop users, when a small image would do for their device. Conversely, a small [raster image](/en-US/docs/Glossary/Raster_image) starts to look grainy when displayed larger than its original size (a raster image is a set number of pixels wide and a set number of pixels tall, as we saw when we looked at [vector graphics](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Adding_vector_graphics_to_the_Web)). Ideally, multiple resolutions would be made available to the user's web browser. The browser could then determine the optimal resolution to load based on the screen size of the user's device. This is called the **resolution switching problem**. To make things more complicated, some devices have high resolution screens that need larger images than you might expect to display nicely. This is essentially the same problem, but in a slightly different context. You might think that vector images would solve these problems, and they do to a certain degree β€” they are small in file size and scale well, and you should use them wherever possible. However, they aren't suitable for all image types. Vector images are great for simple graphics, patterns, interface elements, etc., but it starts to get very complex to create a vector-based image with the kind of detail that you'd find in say, a photo. Raster image formats such as JPEGs are more suited to the kind of images we see in the above example. This kind of problem didn't exist when the web first existed, in the early to mid 90s β€” back then the only devices in existence to browse the Web were desktops and laptops, so browser engineers and spec writers didn't even think to implement solutions. _Responsive image technologies_ were implemented recently to solve the problems indicated above by letting you offer the browser several image files, either all showing the same thing but containing different numbers of pixels (_resolution switching_), or different images suitable for different space allocations (_art direction_). > **Note:** The new features discussed in this article β€” [`srcset`](/en-US/docs/Web/HTML/Element/img#srcset)/[`sizes`](/en-US/docs/Web/HTML/Element/img#sizes)/{{htmlelement("picture")}} β€” are all supported in modern desktop and mobile browsers. ## How do you create responsive images? In this section, we'll look at the two problems illustrated above and show how to solve them using HTML's responsive image features. You should note that we will be focusing on {{htmlelement("img")}} elements for this section, as seen in the content area of the example above β€” the image in the site header is only for decoration, and therefore implemented using CSS background images. [CSS arguably has better tools for responsive design](https://cloudfour.com/thinks/responsive-images-101-part-8-css-images/) than HTML, and we'll talk about those in a future CSS module. ### Resolution switching: Different sizes So, what is the problem that we want to solve with resolution switching? We want to display identical image content, just larger or smaller depending on the device β€” this is the situation we have with the second content image in our example. The standard {{htmlelement("img")}} element traditionally only lets you point the browser to a single source file: ```html <img src="elva-fairy-800w.jpg" alt="Elva dressed as a fairy" /> ``` We can however use two attributes β€” [`srcset`](/en-US/docs/Web/HTML/Element/img#srcset) and [`sizes`](/en-US/docs/Web/HTML/Element/img#sizes) β€” to provide several additional source images along with hints to help the browser pick the right one. You can see an example of this in our [responsive.html](https://mdn.github.io/learning-area/html/multimedia-and-embedding/responsive-images/responsive.html) example on GitHub (see also [the source code](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/responsive-images/responsive.html)): ```html <img srcset="elva-fairy-480w.jpg 480w, elva-fairy-800w.jpg 800w" sizes="(max-width: 600px) 480px, 800px" src="elva-fairy-800w.jpg" alt="Elva dressed as a fairy" /> ``` The `srcset` and `sizes` attributes look complicated, but they're not too hard to understand if you format them as shown above, with a different part of the attribute value on each line. Each value contains a comma-separated list, and each part of those lists is made up of three sub-parts. Let's run through the contents of each now: **`srcset`** defines the set of images we will allow the browser to choose between, and what size each image is. Each set of image information is separated from the previous one by a comma. For each one, we write: 1. An **image filename** (`elva-fairy-480w.jpg`) 2. A space 3. The image's **intrinsic width in pixels** (`480w`) β€” note that this uses the `w` unit, not `px` as you might expect. An image's [intrinsic size](/en-US/docs/Glossary/Intrinsic_Size) is its real size, which can be found by inspecting the image file on your computer (for example, on a Mac you can select the image in Finder and press <kbd>Cmd</kbd> \+ <kbd>I</kbd> to bring up the info screen). **`sizes`** defines a set of media conditions (e.g. screen widths) and indicates what image size would be best to choose, when certain media conditions are true β€” these are the hints we talked about earlier. In this case, before each comma we write: 1. A **media condition** (`(max-width:600px)`) β€” you'll learn more about these in the [CSS topic](/en-US/docs/Learn/CSS), but for now let's just say that a media condition describes a possible state that the screen can be in. In this case, we are saying "when the viewport width is 600 pixels or less". 2. A space 3. The **width of the slot** the image will fill when the media condition is true (`480px`) > **Note:** For the slot width, rather than providing an absolute width (for example, `480px`), you can alternatively provide a width relative to the viewport (for example, `50vw`) β€” but not a percentage. You may have noticed that the last slot width has no media condition (this is the default that is chosen when none of the media conditions are true). The browser ignores everything after the first matching condition, so be careful how you order the media conditions. So, with these attributes in place, the browser will: 1. Look at screen size, pixel density, zoom level, screen orientation, and network speed. 2. Work out which media condition in the `sizes` list is the first one to be true. 3. Look at the slot size given to that media query. 4. Load the image referenced in the `srcset` list that has the same size as the slot or, if there isn't one, the first image that is bigger than the chosen slot size. And that's it! At this point, if a supporting browser with a viewport width of 480px loads the page, the `(max-width: 600px)` media condition will be true, and so the browser chooses the `480px` slot. The `elva-fairy-480w.jpg` will be loaded, as its inherent width (`480w`) is closest to the slot size. The 800px picture is 128KB on disk, whereas the 480px version is only 63KB β€” a saving of 65KB. Now, imagine if this was a page that had many pictures on it. Using this technique could save mobile users a lot of bandwidth. > **Note:** When testing this with a desktop browser, if the browser fails to load the narrower images when you've got its window set to the narrowest width, have a look at what the viewport is (you can approximate it by going into the browser's JavaScript console and typing in `document.querySelector('html').clientWidth`). Different browsers have minimum sizes that they'll let you reduce the window width to, and they might be wider than you'd think. When testing it with a mobile browser, you can use tools like Firefox's `about:debugging` page to inspect the page loaded on the mobile using the desktop developer tools. > > To see which images were loaded, you can use Firefox DevTools's [Network Monitor](https://firefox-source-docs.mozilla.org/devtools-user/network_monitor/index.html) tab or Chrome DevTools's [Network](https://developer.chrome.com/docs/devtools/network/) panel. For Chrome, you may also want to [disable cache](https://stackoverflow.com/a/7000899/13725861) to prevent it from picking already downloaded images. Older browsers that don't support these features will just ignore them. Instead, those browsers will go ahead and load the image referenced in the [`src`](/en-US/docs/Web/HTML/Element/img#src) attribute as normal. > **Note:** In the {{htmlelement("head")}} of the example linked above, you'll find the line `<meta name="viewport" content="width=device-width">`: this forces mobile browsers to adopt their real viewport width for loading web pages (some mobile browsers lie about their viewport width, and instead load pages at a larger viewport width then shrink the loaded page down, which is not very helpful for responsive images or design). ### Resolution switching: Same size, different resolutions If you're supporting multiple display resolutions, but everyone sees your image at the same real-world size on the screen, you can allow the browser to choose an appropriate resolution image by using `srcset` with x-descriptors and without `sizes` β€” a somewhat easier syntax! You can find an example of what this looks like in [srcset-resolutions.html](https://mdn.github.io/learning-area/html/multimedia-and-embedding/responsive-images/srcset-resolutions.html) (see also [the source code](https://github.com/mdn/learning-area/blob/main/html/multimedia-and-embedding/responsive-images/srcset-resolutions.html)): ```html <img srcset="elva-fairy-320w.jpg, elva-fairy-480w.jpg 1.5x, elva-fairy-640w.jpg 2x" src="elva-fairy-640w.jpg" alt="Elva dressed as a fairy" /> ``` ![A picture of a little girl dressed up as a fairy, with an old camera film effect applied to the image](resolution-example.png)In this example, the following CSS is applied to the image so that it will have a width of 320 pixels on the screen (also called CSS pixels): ```css img { width: 320px; } ``` In this case, `sizes` is not needed β€” the browser works out what resolution the display is that it is being shown on, and serves the most appropriate image referenced in the `srcset`. So if the device accessing the page has a standard/low resolution display, with one device pixel representing each CSS pixel, the `elva-fairy-320w.jpg` image will be loaded (the 1x is implied, so you don't need to include it.) If the device has a high resolution of two device pixels per CSS pixel or more, the `elva-fairy-640w.jpg` image will be loaded. The 640px image is 93KB, whereas the 320px image is only 39KB. ### Art direction To recap, the **art direction problem** involves wanting to change the image displayed to suit different image display sizes. For example, a web page includes a large landscape shot with a person in the middle when viewed on a desktop browser. When viewed on a mobile browser, that same image is shrunk down, making the person in the image very small and hard to see. It would probably be better to show a smaller, portrait image on mobile, which zooms in on the person. The {{htmlelement("picture")}} element allows us to implement just this kind of solution. Returning to our original [not-responsive.html](https://mdn.github.io/learning-area/html/multimedia-and-embedding/responsive-images/not-responsive.html) example, we have an image that badly needs art direction: ```html <img src="elva-800w.jpg" alt="Chris standing up holding his daughter Elva" /> ``` Let's fix this, with {{htmlelement("picture")}}! Like [`<video>` and `<audio>`](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content), the `<picture>` element is a wrapper containing several {{htmlelement("source")}} elements that provide different sources for the browser to choose from, followed by the all-important {{htmlelement("img")}} element. The code in [responsive.html](https://mdn.github.io/learning-area/html/multimedia-and-embedding/responsive-images/responsive.html) looks like so: ```html <picture> <source media="(max-width: 799px)" srcset="elva-480w-close-portrait.jpg" /> <source media="(min-width: 800px)" srcset="elva-800w.jpg" /> <img src="elva-800w.jpg" alt="Chris standing up holding his daughter Elva" /> </picture> ``` - The `<source>` elements include a `media` attribute that contains a media condition β€” as with the first `srcset` example, these conditions are tests that decide which image is shown β€” the first one that returns true will be displayed. In this case, if the viewport width is 799px wide or less, the first `<source>` element's image will be displayed. If the viewport width is 800px or more, it'll be the second one. - The `srcset` attributes contain the path to the image to display. Just as we saw with `<img>` above, `<source>` can take a `srcset` attribute with multiple images referenced, as well as a `sizes` attribute. So, you could offer multiple images via a `<picture>` element, but then also offer multiple resolutions of each one. Realistically, you probably won't want to do this kind of thing very often. - In all cases, you must provide an `<img>` element, with `src` and `alt`, right before `</picture>`, otherwise no images will appear. This provides a default case that will apply when none of the media conditions return true (you could actually remove the second `<source>` element in this example), and a fallback for browsers that don't support the `<picture>` element. This code allows us to display a suitable image on both wide screen and narrow screen displays, as shown below: ![Our example site as viewed on a wide screen - here the first image works OK, as it is big enough to see the detail in the center.](picture-element-wide.png)![Our example site as viewed on a narrow screen with the picture element used to switch the first image to a portrait close up of the detail, making it a lot more useful on a narrow screen](picture-element-narrow.png) > **Note:** You should use the `media` attribute only in art direction scenarios; when you do use `media`, don't also offer media conditions within the `sizes` attribute. ### Why can't we just do this using CSS or JavaScript? When the browser starts to load a page, it starts to download (preload) any images before the main parser has started to load and interpret the page's CSS and JavaScript. That mechanism is useful in general for reducing page load times, but it is not helpful for responsive images β€” hence the need to implement solutions like `srcset`. For example, you couldn't load the {{htmlelement("img")}} element, then detect the viewport width with JavaScript, and then dynamically change the source image to a smaller one if desired. By then, the original image would already have been loaded, and you would load the small image as well, which is even worse in responsive image terms. ## Active learning: Implementing your own responsive images For this active learning, we're expecting you to be brave and do it alone, mostly. We want you to implement your own suitable art-directed narrow screen/wide screenshot using `<picture>`, and a resolution switching example that uses `srcset`. 1. Write some simple HTML to contain your code (use `not-responsive.html` as a starting point, if you like). 2. Find a nice wide screen landscape image with some kind of detail contained in it somewhere. Create a web-sized version of it using a graphics editor, then crop it to show a smaller part that zooms in on the detail, and create a second image (about 480px wide is good for this). 3. Use the `<picture>` element to implement an art direction picture switcher! 4. Create multiple image files of different sizes, each showing the same picture. 5. Use `srcset`/`sizes` to create a resolution switcher example, either to serve the same size image at different resolutions depending on the device resolution or to serve different image sizes depending on the viewport widths. ## Summary That's a wrap for responsive images β€” we hope you enjoyed playing with these new techniques. As a recap, there are two distinct problems we've been discussing here: - **Art direction**: The problem whereby you want to serve cropped images for different layouts β€” for example a landscape image showing a full scene for a desktop layout, and a portrait image showing the main subject zoomed in for a mobile layout. You can solve this problem using the {{htmlelement("picture")}} element. - **Resolution switching**: The problem whereby you want to serve smaller image files to narrow-screen devices, as they don't need huge images like desktop displays do β€” and to serve different resolution images to high density/low density screens. You can solve this problem using [vector graphics](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Adding_vector_graphics_to_the_Web) (SVG images) and the [`srcset`](/en-US/docs/Web/HTML/Element/img#srcset) with [`sizes`](/en-US/docs/Web/HTML/Element/img#sizes) attributes. This also draws to a close the entire [Multimedia and embedding](/en-US/docs/Learn/HTML/Multimedia_and_embedding) module! The only thing to do now before moving on is to try our [Multimedia and embedding assessment](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Mozilla_splash_page), and see how you get on. Have fun! ## See also - [Jason Grigsby's excellent introduction to responsive images](https://cloudfour.com/thinks/responsive-images-101-definitions/) - [Responsive Images: If you're just changing resolutions, use srcset](https://css-tricks.com/responsive-images-youre-just-changing-resolutions-use-srcset/) β€” includes more explanation of how the browser works out which image to use - {{htmlelement("img")}} - {{htmlelement("picture")}} - {{htmlelement("source")}} {{PreviousMenuNext("Learn/HTML/Multimedia_and_embedding/Adding_vector_graphics_to_the_Web", "Learn/HTML/Multimedia_and_embedding/Mozilla_splash_page", "Learn/HTML/Multimedia_and_embedding")}}
0
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding
data/mdn-content/files/en-us/learn/html/multimedia_and_embedding/adding_vector_graphics_to_the_web/index.md
--- title: Adding vector graphics to the web slug: Learn/HTML/Multimedia_and_embedding/Adding_vector_graphics_to_the_Web page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies", "Learn/HTML/Multimedia_and_embedding/Responsive_images", "Learn/HTML/Multimedia_and_embedding")}} Vector graphics are very useful in many circumstances β€” they have small file sizes and are highly scalable, so they don't pixelate when zoomed in or blown up to a large size. In this article we'll show you how to include one in your webpage. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should know the <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML">basics of HTML</a> and how to <a href="/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML" >insert an image into your document</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td>Learn how to embed an SVG (vector) image into a webpage.</td> </tr> </tbody> </table> > **Note:** This article doesn't intend to teach you SVG; just what it is, and how to add it to web pages. ## What are vector graphics? On the web, you'll work with two types of images β€” **raster images**, and **vector images**: - **Raster images** are defined using a grid of pixels β€” a raster image file contains information showing exactly where each pixel is to be placed, and exactly what color it should be. Popular web raster formats include Bitmap (`.bmp`), PNG (`.png`), JPEG (`.jpg`), and GIF (`.gif`.) - **Vector images** are defined using algorithms β€” a vector image file contains shape and path definitions that the computer can use to work out what the image should look like when rendered on the screen. The {{glossary("SVG")}} format allows us to create powerful vector graphics for use on the Web. To give you an idea of the difference between the two, let's look at an example. You can find this example live on our GitHub repo as [vector-versus-raster.html](https://mdn.github.io/learning-area/html/multimedia-and-embedding/adding-vector-graphics-to-the-web/vector-versus-raster.html) β€” it shows two seemingly identical images side by side, of a red star with a black drop shadow. The difference is that the left one is a PNG, and the right one is an SVG image. The difference becomes apparent when you zoom in the page β€” the PNG image becomes pixelated as you zoom in because it contains information on where each pixel should be (and what color). When it is zoomed, each pixel is increased in size to fill multiple pixels on screen, so the image starts to look blocky. The vector image however continues to look nice and crisp, because no matter what size it is, the algorithms are used to work out the shapes in the image, with the values being scaled as it gets bigger. ![Two star images](raster-vector-default-size.png) ![Two star images zoomed in, one crisp and the other blurry](raster-vector-zoomed.png) > **Note:** The images above are actually all PNGs β€” with the left-hand star in each case representing a raster image, and the right-hand star representing a vector image. Again, go to the [vector-versus-raster.html](https://mdn.github.io/learning-area/html/multimedia-and-embedding/adding-vector-graphics-to-the-web/vector-versus-raster.html) demo for a real example! Moreover, vector image files are much lighter than their raster equivalents, because they only need to hold a handful of algorithms, rather than information on every pixel in the image individually. ## What is SVG? [SVG](/en-US/docs/Web/SVG) is an {{glossary("XML")}}-based language for describing vector images. It's basically markup, like HTML, except that you've got many different elements for defining the shapes you want to appear in your image, and the effects you want to apply to those shapes. SVG is for marking up graphics, not content. SVG defines elements for creating basic shapes, like {{svgelement("circle")}} and {{svgelement("rect")}}, as well as elements for creating more complex shapes, like {{svgelement("path")}} and {{svgelement("polygon")}}. More advanced SVG features include {{svgelement("feColorMatrix")}} (transform colors using a transformation matrix), {{svgelement("animate")}} (animate parts of your vector graphic), and {{svgelement("mask")}} (apply a mask over the top of your image). As a basic example, the following code creates a circle and a rectangle: ```html <svg version="1.1" baseProfile="full" width="300" height="200" xmlns="http://www.w3.org/2000/svg"> <rect width="100%" height="100%" fill="black" /> <circle cx="150" cy="100" r="90" fill="blue" /> </svg> ``` This creates the following output: {{ EmbedLiveSample('What_is_SVG', 300, 240, "", "") }} From the example above, you may get the impression that SVG is easy to hand code. Yes, you can hand code simple SVG in a text editor, but for a complex image this quickly starts to get very difficult. For creating SVG images, most people use a vector graphics editor like [Inkscape](https://inkscape.org/) or [Illustrator](https://en.wikipedia.org/wiki/Adobe_Illustrator). These packages allow you to create a variety of illustrations using various graphics tools, and create approximations of photos (for example Inkscape's Trace Bitmap feature.) SVG has some additional advantages besides those described so far: - Text in vector images remains accessible (which also benefits your {{glossary("SEO")}}). - SVGs lend themselves well to styling/scripting, because each component of the image is an element that can be styled via CSS or scripted via JavaScript. So why would anyone want to use raster graphics over SVG? Well, SVG does have some disadvantages: - SVG can get complicated very quickly, meaning that file sizes can grow; complex SVGs can also take significant processing time in the browser. - SVG can be harder to create than raster images, depending on what kind of image you are trying to create. Raster graphics are arguably better for complex precision images such as photos, for the reasons described above. > **Note:** In Inkscape, save your files as Plain SVG to save space. Also, please refer to this [article describing how to prepare SVGs for the Web](http://tavmjong.free.fr/INKSCAPE/MANUAL/html/Web-Inkscape.html). ## Adding SVG to your pages In this section we'll go through the different ways in which you can add SVG vector graphics to your web pages. ### The quick way: `img` element To embed an SVG via an {{htmlelement("img")}} element, you just need to reference it in the src attribute as you'd expect. You will need a `height` or a `width` attribute (or both if your SVG has no inherent aspect ratio). If you have not already done so, please read [Images in HTML](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML). ```html <img src="equilateral.svg" alt="triangle with all three sides equal" height="87" width="100" /> ``` #### Pros - Quick, familiar image syntax with built-in text equivalent available in the `alt` attribute. - You can make the image into a hyperlink easily by nesting the `<img>` inside an {{htmlelement("a")}} element. - The SVG file can be cached by the browser, resulting in faster loading times for any page that uses the image loaded in the future. #### Cons - You cannot manipulate the image with JavaScript. - If you want to control the SVG content with CSS, you must include inline CSS styles in your SVG code. (External stylesheets invoked from the SVG file take no effect.) - You cannot restyle the image with CSS pseudoclasses (like `:focus`). ### Troubleshooting and cross-browser support For browsers that don't support SVG (IE 8 and below, Android 2.3 and below), you could reference a PNG or JPG from your `src` attribute and use a [`srcset`](/en-US/docs/Web/HTML/Element/img#srcset) attribute (which only recent browsers recognize) to reference the SVG. This being the case, only supporting browsers will load the SVG β€” older browsers will load the PNG instead: ```html <img src="equilateral.png" alt="triangle with equal sides" srcset="equilateral.svg" /> ``` You can also use SVGs as CSS background images, as shown below. In the below code, older browsers will stick with the PNG that they understand, while newer browsers will load the SVG: ```css background: url("fallback.png") no-repeat center; background-image: url("image.svg"); background-size: contain; ``` Like the `<img>` method described above, inserting SVGs using CSS background images means that the SVG can't be manipulated with JavaScript, and is also subject to the same CSS limitations. If your SVGs aren't showing up at all, it might be because your server isn't set up properly. If that's the problem, this [article will point you in the right direction](/en-US/docs/Web/SVG/Tutorial/Getting_Started#a_word_on_web_servers_for_.svgz_files). ### How to include SVG code inside your HTML You can also open up the SVG file in a text editor, copy the SVG code, and paste it into your HTML document β€” this is sometimes called putting your **SVG inline**, or **inlining SVG**. Make sure your SVG code snippet begins with an `<svg>` start tag and ends with an `</svg>` end tag. Here's a very simple example of what you might paste into your document: ```html <svg width="300" height="200"> <rect width="100%" height="100%" fill="green" /> </svg> ``` #### Pros - Putting your SVG inline saves an HTTP request, and therefore can reduce your loading time a bit. - You can assign `class`es and `id`s to SVG elements and style them with CSS, either within the SVG or wherever you put the CSS style rules for your HTML document. In fact, you can use any [SVG presentation attribute](/en-US/docs/Web/SVG/Attribute#presentation_attributes) as a CSS property. - Inlining SVG is the only approach that lets you use CSS interactions (like `:focus`) and CSS animations on your SVG image (even in your regular stylesheet.) - You can make SVG markup into a hyperlink by wrapping it in an {{htmlelement("a")}} element. #### Cons - This method is only suitable if you're using the SVG in only one place. Duplication makes for resource-intensive maintenance. - Extra SVG code increases the size of your HTML file. - The browser cannot cache inline SVG as it would cache regular image assets, so pages that include the image will not load faster after the first page containing the image is loaded. - You may include fallback in a {{svgelement("foreignObject")}} element, but browsers that support SVG still download any fallback images. You need to weigh whether the extra overhead is really worthwhile, just to support obsolescent browsers. ### How to embed an SVG with an `iframe` You can open SVG images in your browser just like webpages. So embedding an SVG document with an `<iframe>` is done just like we studied in [From \<object> to \<iframe> β€” other embedding technologies](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies). Here's a quick review: ```html <iframe src="triangle.svg" width="500" height="500" sandbox> <img src="triangle.png" alt="Triangle with three unequal sides" /> </iframe> ``` This is definitely not the best method to choose: #### Cons - `iframe`s do have a fallback mechanism, as you can see, but browsers only display the fallback if they lack support for `iframe`s altogether. - Moreover, unless the SVG and your current webpage have the same {{glossary('origin')}}, you cannot use JavaScript on your main webpage to manipulate the SVG. ## Active Learning: Playing with SVG In this active learning section we'd like you to have a go at playing with some SVG for fun. In the _Input_ section below you'll see that we've already provided you with some samples to get you started. You can also go to the [SVG Element Reference](/en-US/docs/Web/SVG/Element), find out more details about other toys you can use in SVG, and try those out too. This section is all about practising your research skills, and having some fun. If you get stuck and can't get your code working, you can always reset it using the _Reset_ button. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="width: 95%;min-height: 200px;"> <svg width="100%" height="100%"> <rect width="100%" height="100%" fill="red" /> <circle cx="100%" cy="100%" r="150" fill="blue" stroke="black" /> <polygon points="120,0 240,225 0,225" fill="green"/> <text x="50" y="100" font-family="Verdana" font-size="55" fill="white" stroke="black" stroke-width="2"> Hello! </text> </svg> </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" disabled /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); let code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } reset.addEventListener("click", function () { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", function () { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); const htmlSolution = ""; let solutionEntry = htmlSolution; textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = function (e) { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = function () { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_Learning_Playing_with_SVG', 700, 540) }} ## Summary This article has provided you with a quick tour of what vector graphics and SVG are, why they are useful to know about, and how to include SVG inside your webpages. It was never intended to be a full guide to learning SVG, just a pointer so you know what SVG is if you meet it in your travels around the Web. So don't worry if you don't feel like you are an SVG expert yet. We've included some links below that might help you if you wish to go and find out more about how it works. In the last article of this module, we'll explore [responsive images](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Responsive_images) in detail, looking at the tools HTML has to allow you to make your images work better across different devices. ## See also - [SVG tutorial](/en-US/docs/Web/SVG/Tutorial/Getting_Started) on MDN - [Sara Soueidan's tutorial on responsive SVG images](https://tympanus.net/codrops/2014/08/19/making-svgs-responsive-with-css/) - [Accessibility benefits of SVG](https://www.w3.org/TR/SVG-access/) - [SVG Properties and CSS](https://css-tricks.com/svg-properties-and-css/) - [How to scale SVGs](https://css-tricks.com/scale-svg/) (it's not as simple as raster graphics!) {{PreviousMenuNext("Learn/HTML/Multimedia_and_embedding/Other_embedding_technologies", "Learn/HTML/Multimedia_and_embedding/Responsive_images", "Learn/HTML/Multimedia_and_embedding")}}
0
data/mdn-content/files/en-us/learn/html
data/mdn-content/files/en-us/learn/html/cheatsheet/index.md
--- title: HTML Cheat Sheet slug: Learn/HTML/Cheatsheet page-type: guide --- {{LearnSidebar}} While using {{Glossary("HTML")}} it can be very handy to have an easy way to remember how to use HTML tags properly and how to apply them. MDN provides you with an extended [HTML documentation](/en-US/docs/Web/HTML/Element) as well as a deep instructional [HTML how-to](/en-US/docs/Learn/HTML/Howto). However, in many cases we just need some quick hints as we go. That's the whole purpose of the cheat sheet, to give you some quick accurate ready to use code snippets for common usages. > **Note:** HTML tags must be used for their semantic, not their appearance. It's always possible to totally change the look and feel of a given tag using {{Glossary("CSS")}} so, when using HTML, take the time to focus on the meaning rather than the appearance. ## Inline elements An "element" is a single part of a webpage. Some elements are large and hold smaller elements like containers. Some elements are small and are "nested" inside larger ones. By default, "inline elements" appear next to one another in a webpage. They take up only as much width as they need in a page and fit together horizontally like words in a sentence or books shelved side-by-side in a row. All inline elements can be placed within the `<body>` element. <table class="standard-table"> <caption>Inline elements: usage and examples</caption> <thead> <tr> <th scope="col">Usage</th> <th scope="col">Element</th> <th scope="col">Example</th> </tr> </thead> <tbody> <tr> <td>A link</td> <td>{{HTMLElement("a")}}</td> <td id="a-example"> <pre class="brush: html"> &#x3C;a href="https://example.org"> A link to example.org&#x3C;/a>.</pre > {{EmbedLiveSample("a-example", 100, 60)}} </td> </tr> <tr> <td>An image</td> <td>{{HTMLElement("img")}}</td> <td id="img-example"> <pre class="brush: html">&#x3C;img src="beast.png" width="50" /></pre> {{EmbedLiveSample("img-example", 100, 60)}} </td> </tr> <tr> <td>An inline container</td> <td>{{HTMLElement("span")}}</td> <td id="span-example"> <pre class="brush: html"> Used to group elements: for example, to &#x3C;span style="color:blue">style them&#x3C;/span>.</pre > {{EmbedLiveSample("span-example", 100, 60)}} </td> </tr> <tr> <td>Emphasize text</td> <td>{{HTMLElement("em")}}</td> <td id="em-example"> <pre class="brush: html">&#x3C;em>I'm posh&#x3C;/em>.</pre> {{EmbedLiveSample("em-example", 100, 60)}} </td> </tr> <tr> <td>Italic text</td> <td>{{HTMLElement("i")}}</td> <td id="i-example"> <pre class="brush: html"> Mark a phrase in &#x3C;i>italics&#x3C;/i>.</pre > {{EmbedLiveSample("i-example", 100, 60)}} </td> </tr> <tr> <td>Bold text</td> <td>{{HTMLElement("b")}}</td> <td id="b-example"> <pre class="brush: html">Bold &#x3C;b>a word or phrase&#x3C;/b>.</pre> {{EmbedLiveSample("b-example", 100, 60)}} </td> </tr> <tr> <td>Important text</td> <td>{{HTMLElement("strong")}}</td> <td id="strong-example"> <pre class="brush: html">&#x3C;strong>I'm important!&#x3C;/strong></pre> {{EmbedLiveSample("strong-example", 100, 60)}} </td> </tr> <tr> <td>Highlight text</td> <td>{{HTMLElement("mark")}}</td> <td id="mark-example"> <pre class="brush: html">&#x3C;mark>Notice me!&#x3C;/mark></pre> {{EmbedLiveSample("mark-example", 100, 60)}} </td> </tr> <tr> <td>Strikethrough text</td> <td>{{HTMLElement("s")}}</td> <td id="s-example"> <pre class="brush: html">&#x3C;s>I'm irrelevant.&#x3C;/s></pre> {{EmbedLiveSample("s-example", 100, 60)}} </td> </tr> <tr> <td>Subscript</td> <td>{{HTMLElement("sub")}}</td> <td id="sub-example"> <pre class="brush: html">H&#x3C;sub>2&#x3C;/sub>O</pre> {{EmbedLiveSample("sub-example", 100, 60)}} </td> </tr> <tr> <td>Small text</td> <td>{{HTMLElement("small")}}</td> <td id="small-example"> <pre class="brush: html"> Used to represent the &#x3C;small>small print &#x3C;/small>of a document.</pre > {{EmbedLiveSample("small-example", 100, 60)}} </td> </tr> <tr> <td>Address</td> <td>{{HTMLElement("address")}}</td> <td id="address-example"> <pre class="brush: html"> &#x3C;address>Main street 67&#x3C;/address></pre > {{EmbedLiveSample("address-example", 100, 60)}} </td> </tr> <tr> <td>Textual citation</td> <td>{{HTMLElement("cite")}}</td> <td id="cite-example"> <pre class="brush: html"> For more monsters, see &#x3C;cite>The Monster Book of Monsters&#x3C;/cite>.</pre > {{EmbedLiveSample("cite-example", 100, 60)}} </td> </tr> <tr> <td>Superscript</td> <td>{{HTMLElement("sup")}}</td> <td id="sup-example"> <pre class="brush: html">x&#x3C;sup>2&#x3C;/sup></pre> {{EmbedLiveSample("sup-example", 100, 60)}} </td> </tr> <tr> <td>Inline quotation</td> <td>{{HTMLElement("q")}}</td> <td id="q-example"> <pre class="brush: html">&#x3C;q>Me?&#x3C;/q>, she said.</pre> {{EmbedLiveSample("q-example", 100, 60)}} </td> </tr> <tr> <td>A line break</td> <td>{{HTMLElement("br")}}</td> <td id="br-example"> <pre class="brush: html">Line 1&#x3C;br>Line 2</pre> {{EmbedLiveSample("br-example", 100, 80)}} </td> </tr> <tr> <td>A possible line break</td> <td>{{HTMLElement("wbr")}}</td> <td id="wbr-example"> <pre class="brush: html"> &#x3C;div style="width: 200px"> Llanfair&#x3C;wbr>pwllgwyngyllgogerychwyrngogogoch. &#x3C;/div></pre > {{EmbedLiveSample("wbr-example", 100, 80)}} </td> </tr> <tr> <td>Date</td> <td>{{HTMLElement("time")}}</td> <td id="time-example"> <pre class="brush: html"> Used to format the date. For example: &#x3C;time datetime="2020-05-24" pubdate> published on 23-05-2020&#x3C;/time>.</pre > {{EmbedLiveSample("time-example", 100, 60)}} </td> </tr> <tr> <td>Code format</td> <td>{{HTMLElement("code")}}</td> <td id="code-example"> <pre class="brush: html"> This text is in normal format, but &#x3C;code>this text is in code format&#x3C;/code>.</pre > {{EmbedLiveSample("code-example", 100, 60)}} </td> </tr> <tr> <td>Audio</td> <td>{{HTMLElement("audio")}}</td> <td id="audio-example"> <pre class="brush: html"> &#x3C;audio controls> &#x3C;source src="https://interactive-examples.mdn.mozilla.net/media/cc0-audio/t-rex-roar.mp3" type="audio/mpeg"> &#x3C;/audio> </pre> {{EmbedLiveSample("audio-example", 100, 80)}} </td> </tr> <tr> <td>Video</td> <td>{{HTMLElement("video")}}</td> <td id="video-example"> <pre class="brush: html"> &#x3C;video controls width="250" src="https://archive.org/download/ElephantsDream/ed_hd.ogv" > &#x3C;a href="https://archive.org/download/ElephantsDream/ed_hd.ogv">Download OGV video&#x3C;/a> &#x3C;/video></pre > {{EmbedLiveSample("video-example", 100, 200)}} </td> </tr> </tbody> </table> ## Block elements "Block elements," on the other hand, take up the entire width of a webpage. They also take up a full line of a webpage; they do not fit together side-by-side. Instead, they stack like paragraphs in an essay or toy blocks in a tower. > **Note:** Because this cheat sheet is limited to a few elements representing specific structures or having special semantics, the [`div`](/en-US/docs/Web/HTML/Element/div) element is intentionally not included β€” because the `div` element doesn't represent anything and doesn't have any special semantics. <table class="standard-table"> <thead> <tr> <th scope="col">Usage</th> <th scope="col">Element</th> <th scope="col">Example</th> </tr> </thead> <tbody> <tr> <td>A simple paragraph</td> <td>{{HTMLElement("p")}}</td> <td id="p-example"> <pre class="brush: html"> &#x3C;p>I'm a paragraph&#x3C;/p> &#x3C;p>I'm another paragraph&#x3C;/p></pre > {{EmbedLiveSample("p-example", 100, 150)}} </td> </tr> <tr> <td>An extended quotation</td> <td>{{HTMLElement("blockquote")}}</td> <td id="blockquote-example"> <pre class="brush: html"> They said: &#x3C;blockquote>The blockquote element indicates an extended quotation.&#x3C;/blockquote></pre > {{EmbedLiveSample("blockquote-example", 100, 100)}} </td> </tr> <tr> <td>Additional information</td> <td>{{HTMLElement("details")}}</td> <td id="details-example"> <pre class="brush: html"> &#x3C;details> &#x3C;summary>Html Cheat Sheet&#x3C;/summary> &#x3C;p>Inline elements&#x3C;/p> &#x3C;p>Block elements&#x3C;/p> &#x3C;/details></pre > {{EmbedLiveSample("details-example", 100, 150)}} </td> </tr> <tr> <td>An unordered list</td> <td>{{HTMLElement("ul")}}</td> <td id="ul-example"> <pre class="brush: html">&#x3C;ul><br> &#x3C;li>I'm an item&#x3C;/li><br> &#x3C;li>I'm another item&#x3C;/li><br> &#x3C;/ul></pre> {{EmbedLiveSample("ul-example", 100, 100)}} </td> </tr> <tr> <td>An ordered list</td> <td>{{HTMLElement("ol")}}</td> <td id="ol-example"> <pre class="brush: html">&#x3C;ol><br> &#x3C;li>I'm the first item&#x3C;/li><br> &#x3C;li>I'm the second item&#x3C;/li><br> &#x3C;/ol></pre> {{EmbedLiveSample("ol-example", 100, 100)}} </td> </tr> <tr> <td>A definition list</td> <td>{{HTMLElement("dl")}}</td> <td id="dl-example"> <pre class="brush: html">&#x3C;dl> &#x3C;dt>A Term&#x3C;/dt><br> &#x3C;dd>Definition of a term&#x3C;/dd> &#x3C;dt>Another Term&#x3C;/dt> &#x3C;dd>Definition of another term&#x3C;/dd> &#x3C;/dl></pre> {{EmbedLiveSample("dl-example", 100, 150)}} </td> </tr> <tr> <td>A horizontal rule</td> <td>{{HTMLElement("hr")}}</td> <td id="hr-example"> <pre class="brush: html">before&#x3C;hr>after</pre> {{EmbedLiveSample("hr-example", 100, 100)}} </td> </tr> <tr> <td>Text Heading</td> <td> {{HTMLElement("Heading_Elements", "&lt;h1&gt;-&lt;h6&gt;")}} </td> <td id="h1-h6-example"> <pre class="brush: html"> &#x3C;h1> This is Heading 1 &#x3C;/h1> &#x3C;h2> This is Heading 2 &#x3C;/h2> &#x3C;h3> This is Heading 3 &#x3C;/h3> &#x3C;h4> This is Heading 4 &#x3C;/h4> &#x3C;h5> This is Heading 5 &#x3C;/h5> &#x3C;h6> This is Heading 6 &#x3C;/h6></pre > {{EmbedLiveSample("h1-h6-example", 100, 350)}} </td> </tr> </tbody> </table>
0
data/mdn-content/files/en-us/learn/html
data/mdn-content/files/en-us/learn/html/introduction_to_html/index.md
--- title: Introduction to HTML slug: Learn/HTML/Introduction_to_HTML page-type: learn-module --- {{LearnSidebar}} At its heart, {{glossary("HTML")}} is a language made up of {{Glossary("Element","elements")}}, which can be applied to pieces of text to give them different meaning in a document (Is it a paragraph? Is it a bulleted list? Is it part of a table?), structure a document into logical sections (Does it have a header? Three columns of content? A navigation menu?), and embed content such as images and videos into a page. This module will introduce the first two of these and introduce fundamental concepts and syntax you need to know to understand HTML. > **Callout:** > > #### Looking to become a front-end web developer? > > We have put together a course that includes all the essential information you need to > work towards your goal. > > [**Get started**](/en-US/docs/Learn/Front-end_web_developer) ## Prerequisites Before starting this module, you don't need any previous HTML knowledge, but you should have at least basic familiarity with using computers and using the web passively (i.e., just looking at it and consuming content). You should have a basic work environment set up (as detailed in [Installing basic software](/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software)), and understand how to create and manage files (as detailed in [Dealing with files](/en-US/docs/Learn/Getting_started_with_the_web/Dealing_with_files)). Both are parts of our [Getting started with the web](/en-US/docs/Learn/Getting_started_with_the_web) complete beginner's module. > **Note:** If you are working on a computer/tablet/other device where you don't have the ability to create your own files, you could try out (most of) the code examples in an online coding program such as [JSBin](https://jsbin.com/) or [Glitch](https://glitch.com/). ## Guides This module contains the following articles, which will take you through all the basic theory of HTML and provide ample opportunity for you to test out some skills. - [Getting started with HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started) - : Covers the absolute basics of HTML, to get you started β€” we define elements, attributes, and other important terms, and show where they fit in the language. We also show how a typical HTML page is structured and how an HTML element is structured, and explain other important basic language features. Along the way, we'll play with some HTML to get you interested! - [What's in the head? Metadata in HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML) - : The {{Glossary("Head","head")}} of an HTML document is the part that **is not** displayed in the web browser when the page is loaded. It contains information such as the page {{htmlelement("title")}}, links to {{glossary("CSS")}} (if you want to style your HTML content with CSS), links to custom favicons, and metadata (data about the HTML, such as who wrote it, and important keywords that describe the document). - [HTML text fundamentals](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals) - : One of HTML's main jobs is to give text meaning (also known as {{Glossary("Semantics","semantics")}}), so that the browser knows how to display it correctly. This article looks at how to use HTML to break up a block of text into a structure of headings and paragraphs, add emphasis/importance to words, create lists, and more. - [Creating hyperlinks](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks) - : Hyperlinks are really important β€” they are what makes the web a web. This article shows the syntax required to make a link and discusses best practices for links. - [Advanced text formatting](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting) - : There are many other elements in HTML for formatting text that we didn't get to in the [HTML text fundamentals](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals) article. The elements here are less well-known, but still useful to know about. In this article, you'll learn about marking up quotations, description lists, computer code and other related text, subscript and superscript, contact information, and more. - [Document and website structure](/en-US/docs/Learn/HTML/Introduction_to_HTML/Document_and_website_structure) - : As well as defining individual parts of your page (such as "a paragraph" or "an image"), HTML is also used to define areas of your website (such as "the header", "the navigation menu", or "the main content column"). This article looks into how to plan a basic website structure and how to write the HTML to represent this structure. - [Debugging HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/Debugging_HTML) - : Writing HTML is fine, but what if something goes wrong, and you can't work out where the error in the code is? This article will introduce you to some tools that can help. ## Assessments The following assessments will test your understanding of the HTML basics covered in the guides above. - [Marking up a letter](/en-US/docs/Learn/HTML/Introduction_to_HTML/Marking_up_a_letter) - : We all learn to write a letter sooner or later; it is also a useful example to test out text formatting skills. In this assessment, you'll be given a letter to mark up. - [Structuring a page of content](/en-US/docs/Learn/HTML/Introduction_to_HTML/Structuring_a_page_of_content) - : This assessment tests your ability to use HTML to structure a simple page of content, containing a header, a footer, a navigation menu, main content, and a sidebar.
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/test_your_skills_colon__links/index.md
--- title: "Test your skills: Links" slug: Learn/HTML/Introduction_to_HTML/Test_your_skills:_Links page-type: learn-module-assessment --- {{learnsidebar}} The aim of this skill test is to assess whether you understand how to [implement hyperlinks in HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks). > **Note:** You can try solutions in the interactive editors on this page or in an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > > If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## Task 1 In this task, we want you to help fill in the links on our Whales information page: - The first link should be linked to a page called `whales.html`, which is in the same directory as the current page. - We'd also like you to give it a tooltip when moused over that tells the user that the page includes information on Blue Whales and Sperm Whales. - The second link should be turned into a link you can click to open up an email in the user's default mail application, with the recipient set as "whales\@example.com". - You'll get a bonus point if you also set it so that the subject line of the email is automatically filled in as "Question about Whales". > **Note:** The two links in the example have the `target="_blank"` attribute set on them. This is not strictly best practice, but we've done it here so that the links don't open in the embedded `<iframe>`, getting rid of your example code in the process! Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/links/links1.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/tasks/links/links1-download.html) to work in your own editor or in an online editor. ## Task 2 In this task, we want you to fill in the four links so that they link to the appropriate places: - The first link should link to an image called `blue-whale.jpg`, which is located in a directory called `blue` inside the current directory. - The second link should link to an image called `narwhal.jpg`, which is located in a directory called `narwhal`, which is located one directory level above the current directory. - The third link should link to the UK Google Image search. The base URL is `https://www.google.co.uk`, and the image search is located in a subdirectory called `imghp`. - The fourth link should link to the paragraph at the very bottom of the current page. It has an ID of `bottom`. > **Note:** The first three links in the example have the `target="_blank"` attribute set on them, so that when you click on them, they open the linked page in a new tab. This is not strictly best practice, but we've done it here so that the pages don't open in the embedded `<iframe>`, getting rid of your example code in the process! Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/links/links2.html", '100%', 800)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/tasks/links/links2-download.html) to work in your own editor or in an online editor. ## Task 3 The following links link to an info page about Narwhals, a support email address, and a PDF factfile that is 4MB in size. In this task, we want you to: - Take the existing paragraphs with poorly-written link text, and rewrite them so that they have good link text. - Add a warning to any links that need a warning added. > **Note:** The first and third links in the example have the `target="_blank"` attribute set on them, so that when you click on them, they open the linked page in a new tab. This is not strictly best practice, but we've done it here so that the pages don't open in the embedded `<iframe>`, getting rid of your example code in the process! Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/links/links3.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/tasks/links/links3-download.html) to work in your own editor or in an online editor.
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/debugging_html/index.md
--- title: Debugging HTML slug: Learn/HTML/Introduction_to_HTML/Debugging_HTML page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Document_and_website_structure", "Learn/HTML/Introduction_to_HTML/Marking_up_a_letter", "Learn/HTML/Introduction_to_HTML")}} Writing HTML is fine, but what if something goes wrong, and you can't work out where the error in the code is? This article will introduce you to some tools that can help you find and fix errors in HTML. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> HTML familiarity, as covered in, for example, <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >, <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals" >HTML text fundamentals</a >, and <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks" >Creating hyperlinks</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn the basics of using debugging tools to find problems in HTML. </td> </tr> </tbody> </table> ## Debugging isn't scary When writing code of some kind, everything is usually fine, until that dreaded moment when an error occurs β€” you've done something wrong, so your code doesn't work β€” either not at all, or not quite how you wanted it to. For example, the following shows an error reported when trying to {{glossary("compile")}} a simple program written in the [Rust](https://www.rust-lang.org/) language. ![A console window showing the result of trying to compile a rust program with a missing quote around a string in a print statement. The error message reported is error: unterminated double quote string.](error-message.png)Here, the error message is relatively easy to understand β€” "unterminated double quote string". If you look at the listing, you can probably see how `println!(Hello, world!");` might logically be missing a double quote. However, error messages can quickly get more complicated and less easy to interpret as programs get bigger, and even simple cases can look a little intimidating to someone who doesn't know anything about Rust. Debugging doesn't have to be scary though β€” the key to being comfortable with writing and debugging any programming language or code is familiarity with both the language and the tools. ## HTML and debugging HTML is not as complicated to understand as Rust. HTML is not compiled into a different form before the browser parses it and shows the result (it is _interpreted_, not _compiled_). And HTML's {{glossary("element")}} syntax is arguably a lot easier to understand than a "real programming language" like Rust, {{glossary("JavaScript")}}, or {{glossary("Python")}}. The way that browsers parse HTML is a lot more **permissive** than how programming languages are run, which is both a good and a bad thing. ### Permissive code So what do we mean by permissive? Well, generally when you do something wrong in code, there are two main types of error that you'll come across: - **Syntax errors**: These are spelling or punctuation errors in your code that actually cause the program not to run, like the Rust error shown above. These are usually easy to fix as long as you are familiar with the language's syntax and know what the error messages mean. - **Logic errors**: These are errors where the syntax is actually correct, but the code is not what you intended it to be, meaning that the program runs incorrectly. These are often harder to fix than syntax errors, as there isn't an error message to direct you to the source of the error. HTML itself doesn't suffer from syntax errors because browsers parse it permissively, meaning that the page still displays even if there are syntax errors. Browsers have built-in rules to state how to interpret incorrectly written markup, so you'll get something running, even if it is not what you expected. This, of course, can still be a problem! > **Note:** HTML is parsed permissively because when the web was first created, it was decided that allowing people to get their content published was more important than making sure the syntax was absolutely correct. The web would probably not be as popular as it is today, if it had been more strict from the very beginning. ### Active learning: Studying permissive code It's time to study the permissive nature of HTML code. 1. First, download our [debug-example demo](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/debugging-html/debug-example.html) and save it locally. This demo is deliberately written with some built-in errors for us to explore (the HTML markup is said to be **badly-formed**, as opposed to **well-formed**). 2. Next, open it in a browser. You will see something like this:![A simple HTML document with a title of HTML debugging examples, and some information about common HTML errors, such as unclosed elements, badly nested elements, and unclosed attributes. ](badly-formed-html.png) 3. This immediately doesn't look great; let's look at the source code to see if we can work out why (only the body contents are shown): ```html <h1>HTML debugging examples</h1> <p>What causes errors in HTML? <ul> <li>Unclosed elements: If an element is <strong>not closed properly, then its effect can spread to areas you didn't intend <li>Badly nested elements: Nesting elements properly is also very important for code behaving correctly. <strong>strong <em>strong emphasized?</strong> what is this?</em> <li>Unclosed attributes: Another common source of HTML problems. Let's look at an example: <a href="https://www.mozilla.org/>link to Mozilla homepage</a> </ul> ``` 4. Let's review the problems: - The {{htmlelement("p","paragraph")}} and {{htmlelement("li","list item")}} elements have no closing tags. Looking at the image above, this doesn't seem to have affected the markup rendering too badly, as it is easy to infer where one element should end and another should begin. - The first {{htmlelement("strong")}} element has no closing tag. This is a bit more problematic, as it isn't easy to tell where the element is supposed to end. In fact, the whole of the rest of the text has been strongly emphasized. - This section is badly nested: `<strong>strong <em>strong emphasized?</strong> what is this?</em>`. It is not easy to tell how this has been interpreted because of the previous problem. - The [`href`](/en-US/docs/Web/HTML/Element/a#href) attribute value is missing a closing double quote. This seems to have caused the biggest problem β€” the link has not rendered at all. 5. Now let's look at the markup the browser has rendered, as opposed to the markup in the source code. To do this, we can use the browser developer tools. If you are not familiar with how to use your browser's developer tools, take a few minutes to review [Discover browser developer tools](/en-US/docs/Learn/Common_questions/Tools_and_setup/What_are_browser_developer_tools). 6. In the DOM inspector, you can see what the rendered markup looks like: ![The HTML inspector in Firefox, with our example's paragraph highlighted, showing the text "What causes errors in HTML?" Here you can see that the paragraph element has been closed by the browser.](html-inspector.png) 7. Using the DOM inspector, let's explore our code in detail to see how the browser has tried to fix our HTML errors (we did the review in Firefox; other modern browsers _should_ give the same result): - The paragraphs and list items have been given closing tags. - It isn't clear where the first `<strong>` element should be closed, so the browser has wrapped each separate block of text with its own strong tag, right down to the bottom of the document! - The incorrect nesting has been fixed by the browser as shown here: ```html <strong> strong <em>strong emphasized?</em> </strong> <em> what is this?</em> ``` - The link with the missing double quote has been deleted altogether. The last list item looks like this: ```html <li> <strong> Unclosed attributes: Another common source of HTML problems. Let's look at an example: </strong> </li> ``` ### HTML validation So you can see from the above example that you really want to make sure your HTML is well-formed! But how? In a small example like the one seen above, it is easy to search through the lines and find the errors, but what about a huge, complex HTML document? The best strategy is to start by running your HTML page through the [Markup Validation Service](https://validator.w3.org/) β€” created and maintained by the W3C, the organization that looks after the specifications that define HTML, CSS, and other web technologies. This webpage takes an HTML document as an input, goes through it, and gives you a report to tell you what is wrong with your HTML. ![The HTML validator homepage](validator.png) To specify the HTML to validate, you can provide a web address, upload an HTML file, or directly input some HTML code. ### Active learning: Validating an HTML document Let's try this with our [sample document](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/debugging-html/debug-example.html). 1. First, load the [Markup Validation Service](https://validator.w3.org/) in one browser tab, if it isn't already open. 2. Switch to the [Validate by Direct Input](https://validator.w3.org/#validate_by_input) tab. 3. Copy all of the sample document's code (not just the body) and paste it into the large text area shown in the Markup Validation Service. 4. Press the _Check_ button. This should give you a list of errors and other information. ![A list of HTML validation results from the W3C markup validation service](validation-results.png) #### Interpreting the error messages The error messages are usually helpful, but sometimes they are not so helpful; with a bit of practice you can work out how to interpret these to fix your code. Let's go through the error messages and see what they mean. You'll see that each message comes with a line and column number to help you to locate the error easily. - "End tag `li` implied, but there were open elements" (2 instances): These messages indicate that an element is open that should be closed. The ending tag is implied, but not actually there. The line/column information points to the first line after the line where the closing tag should really be, but this is a good enough clue to see what is wrong. - "Unclosed element `strong`": This is really easy to understand β€” a {{htmlelement("strong")}} element is unclosed, and the line/column information points right to where it is. - "End tag `strong` violates nesting rules": This points out the incorrectly nested elements, and the line/column information points out where they are. - "End of file reached when inside an attribute value. Ignoring tag": This one is rather cryptic; it refers to the fact that there is an attribute value not properly formed somewhere, possibly near the end of the file because the end of the file appears inside the attribute value. The fact that the browser doesn't render the link should give us a good clue as to what element is at fault. - "End of file seen and there were open elements": This is a bit ambiguous, but basically refers to the fact there are open elements that need to be properly closed. The line numbers point to the last few lines of the file, and this error message comes with a line of code that points out an example of an open element: ```plain example: <a href="https://www.mozilla.org/>link to Mozilla homepage</a> ↩ </ul>↩ </body>↩</html> ``` > **Note:** An attribute missing a closing quote can result in an open element because the rest of the document is interpreted as the attribute's content. - "Unclosed element `ul`": This is not very helpful, as the {{htmlelement("ul")}} element _is_ closed correctly. This error comes up because the {{htmlelement("a")}} element is not closed, due to the missing closing quote mark. If you can't work out what every error message means, don't worry about it β€” a good idea is to try fixing a few errors at a time. Then try revalidating your HTML to show what errors are left. Sometimes fixing an earlier error will also get rid of other error messages β€” several errors can often be caused by a single problem, in a domino effect. You will know when all your errors are fixed when you see the following banner in your output: ![Banner that reads "The document validates according to the specified schema(s) and to additional constraints checked by the validator."](valid-html-banner.png) ## Summary So there we have it, an introduction to debugging HTML, which should give you some useful skills to count on when you start to debug CSS, JavaScript, and other types of code later on in your career. This also marks the end of the Introduction to HTML module learning articles β€” now you can go on to testing yourself with our assessments: the first one is linked below. {{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Document_and_website_structure", "Learn/HTML/Introduction_to_HTML/Marking_up_a_letter", "Learn/HTML/Introduction_to_HTML")}}
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/document_and_website_structure/index.md
--- title: Document and website structure slug: Learn/HTML/Introduction_to_HTML/Document_and_website_structure page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Advanced_text_formatting", "Learn/HTML/Introduction_to_HTML/Debugging_HTML", "Learn/HTML/Introduction_to_HTML")}} In addition to defining individual parts of your page (such as "a paragraph" or "an image"), {{glossary("HTML")}} also boasts a number of block level elements used to define areas of your website (such as "the header", "the navigation menu", "the main content column"). This article looks into how to plan a basic website structure, and write the HTML to represent this structure. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Basic HTML familiarity, as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >. HTML text formatting, as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals" >HTML text fundamentals</a >. How hyperlinks work, as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks" >Creating hyperlinks</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn how to structure your document using semantic tags, and how to work out the structure of a simple website. </td> </tr> </tbody> </table> ## Basic sections of a document Webpages can and will look pretty different from one another, but they all tend to share similar standard components, unless the page is displaying a fullscreen video or game, is part of some kind of art project, or is just badly structured: - header: - : Usually a big strip across the top with a big heading, logo, and perhaps a tagline. This usually stays the same from one webpage to another. - navigation bar: - : Links to the site's main sections; usually represented by menu buttons, links, or tabs. Like the header, this content usually remains consistent from one webpage to another β€” having inconsistent navigation on your website will just lead to confused, frustrated users. Many web designers consider the navigation bar to be part of the header rather than an individual component, but that's not a requirement; in fact, some also argue that having the two separate is better for [accessibility](/en-US/docs/Learn/Accessibility), as screen readers can read the two features better if they are separate. - main content: - : A big area in the center that contains most of the unique content of a given webpage, for example, the video you want to watch, or the main story you're reading, or the map you want to view, or the news headlines, etc. This is the one part of the website that definitely will vary from page to page! - sidebar: - : Some peripheral info, links, quotes, ads, etc. Usually, this is contextual to what is contained in the main content (for example on a news article page, the sidebar might contain the author's bio, or links to related articles) but there are also cases where you'll find some recurring elements like a secondary navigation system. - footer: - : A strip across the bottom of the page that generally contains fine print, copyright notices, or contact info. It's a place to put common information (like the header) but usually, that information is not critical or secondary to the website itself. The footer is also sometimes used for {{Glossary("SEO")}} purposes, by providing links for quick access to popular content. A "typical website" could be structured something like this: ![a simple website structure example featuring a main heading, navigation menu, main content, side bar, and footer.](sample-website.png) > **Note:** The image above illustrates the main sections of a document, which you can define with HTML. However, the _appearance_ of the page shown here - including the layout, colors, and fonts - is achieved by applying [CSS](/en-US/docs/Learn/CSS) to the HTML. > > In this module we're not teaching CSS, but once you have an understanding of the basics of HTML, try diving into our [CSS first steps](/en-US/docs/Learn/CSS/First_steps) module to start learning how to style your site. ## HTML for structuring content The simple example shown above isn't pretty, but it is perfectly fine for illustrating a typical website layout example. Some websites have more columns, some are a lot more complex, but you get the idea. With the right CSS, you could use pretty much any elements to wrap around the different sections and get it looking how you wanted, but as discussed before, we need to respect semantics and **use the right element for the right job**. This is because visuals don't tell the whole story. We use color and font size to draw sighted users' attention to the most useful parts of the content, like the navigation menu and related links, but what about visually impaired people for example, who might not find concepts like "pink" and "large font" very useful? > **Note:** [Roughly 8% of men and 0.5% of women](https://www.color-blindness.com/) are colorblind; or, to put it another way, approximately 1 in every 12 men and 1 in every 200 women. Blind and visually impaired people represent roughly 4-5% of the world population (in 2015 there were [940 million people with some degree of vision loss](https://en.wikipedia.org/wiki/Visual_impairment), while the total population was [around 7.5 billion](https://en.wikipedia.org/wiki/World_human_population#/media/File:World_population_history.svg)). In your HTML code, you can mark up sections of content based on their _functionality_ β€” you can use elements that represent the sections of content described above unambiguously, and assistive technologies like screen readers can recognize those elements and help with tasks like "find the main navigation", or "find the main content." As we mentioned earlier in the course, there are a number of [consequences of not using the right element structure and semantics for the right job](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals#why_do_we_need_structure). To implement such semantic mark up, HTML provides dedicated tags that you can use to represent such sections, for example: - **header:** {{htmlelement("header")}}. - **navigation bar:** {{htmlelement("nav")}}. - **main content:** {{htmlelement("main")}}, with various content subsections represented by {{HTMLElement("article")}}, {{htmlelement("section")}}, and {{htmlelement("div")}} elements. - **sidebar:** {{htmlelement("aside")}}; often placed inside {{htmlelement("main")}}. - **footer:** {{htmlelement("footer")}}. ### Active learning: exploring the code for our example Our example seen above is represented by the following code (you can also [find the example in our GitHub repository](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/document_and_website_structure/index.html)). We'd like you to look at the example above, and then look over the listing below to see what parts make up what section of the visual. ```html <!doctype html> <html lang="en-US"> <head> <meta charset="utf-8" /> <meta name="viewport" content="width=device-width" /> <title>My page title</title> <link href="https://fonts.googleapis.com/css?family=Open+Sans+Condensed:300|Sonsie+One" rel="stylesheet" /> <link rel="stylesheet" href="style.css" /> </head> <body> <!-- Here is our main header that is used across all the pages of our website --> <header> <h1>Header</h1> </header> <nav> <ul> <li><a href="#">Home</a></li> <li><a href="#">Our team</a></li> <li><a href="#">Projects</a></li> <li><a href="#">Contact</a></li> </ul> <!-- A Search form is another common non-linear way to navigate through a website. --> <form> <input type="search" name="q" placeholder="Search query" /> <input type="submit" value="Go!" /> </form> </nav> <!-- Here is our page's main content --> <main> <!-- It contains an article --> <article> <h2>Article heading</h2> <p> Lorem ipsum dolor sit amet, consectetur adipisicing elit. Donec a diam lectus. Set sit amet ipsum mauris. Maecenas congue ligula as quam viverra nec consectetur ant hendrerit. Donec et mollis dolor. Praesent et diam eget libero egestas mattis sit amet vitae augue. Nam tincidunt congue enim, ut porta lorem lacinia consectetur. </p> <h3>Subsection</h3> <p> Donec ut librero sed accu vehicula ultricies a non tortor. Lorem ipsum dolor sit amet, consectetur adipisicing elit. Aenean ut gravida lorem. Ut turpis felis, pulvinar a semper sed, adipiscing id dolor. </p> <p> Pelientesque auctor nisi id magna consequat sagittis. Curabitur dapibus, enim sit amet elit pharetra tincidunt feugiat nist imperdiet. Ut convallis libero in urna ultrices accumsan. Donec sed odio eros. </p> <h3>Another subsection</h3> <p> Donec viverra mi quis quam pulvinar at malesuada arcu rhoncus. Cum soclis natoque penatibus et manis dis parturient montes, nascetur ridiculus mus. In rutrum accumsan ultricies. Mauris vitae nisi at sem facilisis semper ac in est. </p> <p> Vivamus fermentum semper porta. Nunc diam velit, adipscing ut tristique vitae sagittis vel odio. Maecenas convallis ullamcorper ultricied. Curabitur ornare, ligula semper consectetur sagittis, nisi diam iaculis velit, is fringille sem nunc vet mi. </p> </article> <!-- the aside content can also be nested within the main content --> <aside> <h2>Related</h2> <ul> <li><a href="#">Oh I do like to be beside the seaside</a></li> <li><a href="#">Oh I do like to be beside the sea</a></li> <li><a href="#">Although in the North of England</a></li> <li><a href="#">It never stops raining</a></li> <li><a href="#">Oh well…</a></li> </ul> </aside> </main> <!-- And here is our main footer that is used across all the pages of our website --> <footer> <p>Β©Copyright 2050 by nobody. All rights reversed.</p> </footer> </body> </html> ``` Take some time to look over the code and understand it β€” the comments inside the code should also help you to understand it. We aren't asking you to do much else in this article, because the key to understanding document layout is writing a sound HTML structure, and then laying it out with CSS. We'll wait for this until you start to study CSS layout as part of the CSS topic. ## HTML layout elements in more detail It's good to understand the overall meaning of all the HTML sectioning elements in detail β€” this is something you'll work on gradually as you start to get more experience with web development. You can find a lot of detail by reading our [HTML element reference](/en-US/docs/Web/HTML/Element). For now, these are the main definitions that you should try to understand: - {{HTMLElement('main')}} is for content _unique to this page._ Use `<main>` only _once_ per page, and put it directly inside {{HTMLElement('body')}}. Ideally this shouldn't be nested within other elements. - {{HTMLElement('article')}} encloses a block of related content that makes sense on its own without the rest of the page (e.g., a single blog post). - {{HTMLElement('section')}} is similar to `<article>`, but it is more for grouping together a single part of the page that constitutes one single piece of functionality (e.g., a mini map, or a set of article headlines and summaries), or a theme. It's considered best practice to begin each section with a [heading](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals); also note that you can break `<article>`s up into different `<section>`s, or `<section>`s up into different `<article>`s, depending on the context. - {{HTMLElement('aside')}} contains content that is not directly related to the main content but can provide additional information indirectly related to it (glossary entries, author biography, related links, etc.). - {{HTMLElement('header')}} represents a group of introductory content. If it is a child of {{HTMLElement('body')}} it defines the global header of a webpage, but if it's a child of an {{HTMLElement('article')}} or {{HTMLElement('section')}} it defines a specific header for that section (try not to confuse this with [titles and headings](/en-US/docs/Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML#adding_a_title)). - {{HTMLElement('nav')}} contains the main navigation functionality for the page. Secondary links, etc., would not go in the navigation. - {{HTMLElement('footer')}} represents a group of end content for a page. Each of the aforementioned elements can be clicked on to read the corresponding article in the "HTML element reference" section, providing more detail about each one. ### Non-semantic wrappers Sometimes you'll come across a situation where you can't find an ideal semantic element to group some items together or wrap some content. Sometimes you might want to just group a set of elements together to affect them all as a single entity with some {{glossary("CSS")}} or {{glossary("JavaScript")}}. For cases like these, HTML provides the {{HTMLElement("div")}} and {{HTMLElement("span")}} elements. You should use these preferably with a suitable [`class`](/en-US/docs/Web/HTML/Global_attributes#class) attribute, to provide some kind of label for them so they can be easily targeted. {{HTMLElement("span")}} is an inline non-semantic element, which you should only use if you can't think of a better semantic text element to wrap your content, or don't want to add any specific meaning. For example: ```html <p> The King walked drunkenly back to his room at 01:00, the beer doing nothing to aid him as he staggered through the door. <span class="editor-note"> [Editor's note: At this point in the play, the lights should be down low]. </span> </p> ``` In this case, the editor's note is supposed to merely provide extra direction for the director of the play; it is not supposed to have extra semantic meaning. For sighted users, CSS would perhaps be used to distance the note slightly from the main text. {{HTMLElement("div")}} is a block level non-semantic element, which you should only use if you can't think of a better semantic block element to use, or don't want to add any specific meaning. For example, imagine a shopping cart widget that you could choose to pull up at any point during your time on an e-commerce site: ```html-nolint <div class="shopping-cart"> <h2>Shopping cart</h2> <ul> <li> <p> <a href=""><strong>Silver earrings</strong></a>: $99.95. </p> <img src="../products/3333-0985/thumb.png" alt="Silver earrings" /> </li> <li>…</li> </ul> <p>Total cost: $237.89</p> </div> ``` This isn't really an `<aside>`, as it doesn't necessarily relate to the main content of the page (you want it viewable from anywhere). It doesn't even particularly warrant using a `<section>`, as it isn't part of the main content of the page. So a `<div>` is fine in this case. We've included a heading as a signpost to aid screen reader users in finding it. > **Warning:** Divs are so convenient to use that it's easy to use them too much. As they carry no semantic value, they just clutter your HTML code. Take care to use them only when there is no better semantic solution and try to reduce their usage to the minimum otherwise you'll have a hard time updating and maintaining your documents. ### Line breaks and horizontal rules Two elements that you'll use occasionally and will want to know about are {{htmlelement("br")}} and {{htmlelement("hr")}}. #### \<br>: the line break element `<br>` creates a line break in a paragraph; it is the only way to force a rigid structure in a situation where you want a series of fixed short lines, such as in a postal address or a poem. For example: ```html <p> There once was a man named O'Dell<br /> Who loved to write HTML<br /> But his structure was bad, his semantics were sad<br /> and his markup didn't read very well. </p> ``` Without the `<br>` elements, the paragraph would just be rendered in one long line (as we said earlier in the course, [HTML ignores most whitespace](/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started#whitespace_in_html)); with `<br>` elements in the code, the markup renders like this: {{EmbedLiveSample('br_the_line_break_element', '100%', 150)}} #### \<hr>: the thematic break element `<hr>` elements create a horizontal rule in the document that denotes a thematic change in the text (such as a change in topic or scene). Visually it just looks like a horizontal line. As an example: ```html <p> Ron was backed into a corner by the marauding netherbeasts. Scared, but determined to protect his friends, he raised his wand and prepared to do battle, hoping that his distress call had made it through. </p> <hr /> <p> Meanwhile, Harry was sitting at home, staring at his royalty statement and pondering when the next spin off series would come out, when an enchanted distress letter flew through his window and landed in his lap. He read it hazily and sighed; "better get back to work then", he mused. </p> ``` Would render like this: {{EmbedLiveSample('hr_the_thematic_break_element', '100%', '185px')}} ## Planning a simple website Once you've planned out the structure of a simple webpage, the next logical step is to try to work out what content you want to put on a whole website, what pages you need, and how they should be arranged and link to one another for the best possible user experience. This is called {{glossary("Information architecture")}}. In a large, complex website, a lot of planning can go into this process, but for a simple website of a few pages, this can be fairly simple, and fun! 1. Bear in mind that you'll have a few elements common to most (if not all) pages β€” such as the navigation menu, and the footer content. If your site is for a business, for example, it's a good idea to have your contact information available in the footer on each page. Note down what you want to have common to every page.![the common features of the travel site to go on every page: title and logo, contact, copyright, terms and conditions, language chooser, accessibility policy](common-features.png) 2. Next, draw a rough sketch of what you might want the structure of each page to look like (it might look like our simple website above). Note what each block is going to be.![A simple diagram of a sample site structure, with a header, main content area, two optional sidebars, and footer](site-structure.png) 3. Now, brainstorm all the other (not common to every page) content you want to have on your website β€” write a big list down.![A long list of all the features that we could put on our travel site, from searching, to special offers and country-specific info](feature-list.png) 4. Next, try to sort all these content items into groups, to give you an idea of what parts might live together on different pages. This is very similar to a technique called {{glossary("Card sorting")}}.![The items that should appear on a holiday site sorted into 5 categories: Search, Specials, Country-specific info, Search results, and Buy things](card-sorting.png) 5. Now try to sketch a rough sitemap β€” have a bubble for each page on your site, and draw lines to show the typical workflow between pages. The homepage will probably be in the center, and link to most if not all of the others; most of the pages in a small site should be available from the main navigation, although there are exceptions. You might also want to include notes about how things might be presented.![A map of the site showing the homepage, country page, search results, specials page, checkout, and buy page](site-map.png) ### Active learning: create your own sitemap Try carrying out the above exercise for a website of your own creation. What would you like to make a site about? > **Note:** Save your work somewhere; you might need it later on. ## Summary At this point, you should have a better idea about how to structure a web page/site. In the next article of this module, we'll learn how to [debug HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/Debugging_HTML). {{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Advanced_text_formatting", "Learn/HTML/Introduction_to_HTML/Debugging_HTML", "Learn/HTML/Introduction_to_HTML")}}
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/marking_up_a_letter/index.md
--- title: Marking up a letter slug: Learn/HTML/Introduction_to_HTML/Marking_up_a_letter page-type: learn-module-assessment --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Debugging_HTML", "Learn/HTML/Introduction_to_HTML/Structuring_a_page_of_content", "Learn/HTML/Introduction_to_HTML")}} We all learn to write a letter sooner or later; it is also a useful example to test our text formatting skills. In this assignment, you'll have a letter to mark up as a test for your HTML text formatting skills, as well as hyperlinks and proper use of the HTML `<head>` element. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Before attempting this assessment you should have already worked through <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >, <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML" >What's in the head? Metadata in HTML</a >, <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals" >HTML text fundamentals</a >, <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks" >Creating hyperlinks</a >, and <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting" >Advanced text formatting</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Test basic and advanced HTML text formatting, use of hyperlinks, and use of HTML &#x3C;head>. </td> </tr> </tbody> </table> ## Starting point To begin, get the [raw text you need to mark up](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/marking-up-a-letter-start/letter-text.txt), and the [CSS to style the HTML](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/marking-up-a-letter-start/css.txt). Create a new `.html` file using your text editor or use an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > **Note:** If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## Project brief For this project, your task is to mark up a letter that needs to be hosted on a university intranet. The letter is a response from a research fellow to a prospective PhD student concerning their application to the university. ### Block/structural semantics - Use appropriate document structure including doctype, and {{htmlelement("html")}}, {{htmlelement("head")}} and {{htmlelement("body")}} elements. - In general, the letter should be marked up as an organization of headings and paragraphs, with the following exception. There is one top level heading (the "Re:" line) and three second level headings. - Use an appropriate list type to mark up the semester start dates, study subjects, and exotic dances. - Put the two addresses inside {{htmlelement("address")}} elements. Each line of the address should sit on a new line, but not be in a new paragraph. ### Inline semantics - The names of the sender and receiver (and _Tel_ and _Email_) should be marked up with strong importance. - The four dates in the document should have appropriate elements containing machine-readable dates. - The first address and first date in the letter should have a class attribute value of _sender-column_. The CSS you'll add later will cause these to be right aligned, as it should be in the case in a classic letter layout. - Mark up the following five acronyms/abbreviations in the main text of the letter β€” "PhD," "HTML," "CSS," "BC," and "Esq." β€” to provide expansions of each one. - The six sub/superscripts should be marked up appropriately β€” in the chemical formulae, and the numbers 103 and 104 (they should be 10 to the power of 3 and 4, respectively). - Try to mark up at least two appropriate words in the text with strong importance/emphasis. - There are two places where the letter should have a hyperlink. Add appropriate links with titles. For the location that the links point to, you may use `http://example.com` as the URL. - Mark up the university motto quote and citation with appropriate elements. ### The head of the document - The character set of the document should be set as utf-8 using the appropriate meta tag. - The author of the letter should be specified in an appropriate meta tag. - The provided CSS should be included inside an appropriate tag. ## Hints and tips - Use the [W3C HTML validator](https://validator.w3.org/) to validate your HTML. Award yourself bonus points if it validates. - You don't need to know any CSS to do this assignment. You just need to put the provided CSS inside an HTML element. ## Example The following screenshot shows an example of what the letter might look like after being marked up. ![Example](letter-update.png) {{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Debugging_HTML", "Learn/HTML/Introduction_to_HTML/Structuring_a_page_of_content", "Learn/HTML/Introduction_to_HTML")}}
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/advanced_text_formatting/index.md
--- title: Advanced text formatting slug: Learn/HTML/Introduction_to_HTML/Advanced_text_formatting page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Creating_hyperlinks", "Learn/HTML/Introduction_to_HTML/Document_and_website_structure", "Learn/HTML/Introduction_to_HTML")}} There are many other elements in HTML for formatting text, which we didn't get to in the [HTML text fundamentals](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals) article. The elements described in this article are less known, but still useful to know about (and this is still not a complete list by any means). Here you'll learn about marking up quotations, description lists, computer code and other related text, subscript and superscript, contact information, and more. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Basic HTML familiarity, as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >. HTML text formatting, as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals" >HTML text fundamentals</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn how to use lesser-known HTML elements to mark up advanced semantic features. </td> </tr> </tbody> </table> ## Description lists In HTML text fundamentals, we walked through how to [mark up basic lists](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals#lists) in HTML, but we didn't mention the third type of list you'll occasionally come across β€” **description lists**. The purpose of these lists is to mark up a set of items and their associated descriptions, such as terms and definitions, or questions and answers. Let's look at an example of a set of terms and definitions: ```plain soliloquy In drama, where a character speaks to themselves, representing their inner thoughts or feelings and in the process relaying them to the audience (but not to other characters.) monologue In drama, where a character speaks their thoughts out loud to share them with the audience and any other characters present. aside In drama, where a character shares a comment only with the audience for humorous or dramatic effect. This is usually a feeling, thought or piece of additional background information ``` Description lists use a different wrapper than the other list types β€” {{htmlelement("dl")}}; in addition each term is wrapped in a {{htmlelement("dt")}} (description term) element, and each description is wrapped in a {{htmlelement("dd")}} (description definition) element. ### Description list example Let's finish marking up our example: ```html <dl> <dt>soliloquy</dt> <dd> In drama, where a character speaks to themselves, representing their inner thoughts or feelings and in the process relaying them to the audience (but not to other characters.) </dd> <dt>monologue</dt> <dd> In drama, where a character speaks their thoughts out loud to share them with the audience and any other characters present. </dd> <dt>aside</dt> <dd> In drama, where a character shares a comment only with the audience for humorous or dramatic effect. This is usually a feeling, thought, or piece of additional background information. </dd> </dl> ``` The browser default styles will display description lists with the descriptions indented somewhat from the terms. {{EmbedLiveSample('Description_list_example', '100%', '285px')}} ### Multiple descriptions for one term Note that it is permitted to have a single term with multiple descriptions, for example: ```html <dl> <dt>aside</dt> <dd> In drama, where a character shares a comment only with the audience for humorous or dramatic effect. This is usually a feeling, thought, or piece of additional background information. </dd> <dd> In writing, a section of content that is related to the current topic, but doesn't fit directly into the main flow of content so is presented nearby (often in a box off to the side.) </dd> </dl> ``` {{EmbedLiveSample('Multiple_descriptions_for_one_term', '100%', '193px')}} ### Active learning: Marking up a set of definitions It's time to try your hand at description lists; add elements to the raw text in the _Input_ field so that it appears as a description list in the _Output_ field. You could try using your own terms and descriptions if you like. If you make a mistake, you can always reset it using the _Reset_ button. If you get really stuck, press the _Show solution_ button to see the answer. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 100px; width: 95%"> Bacon The glue that binds the world together. Eggs The glue that binds the cake together. Coffee The drink that gets the world running in the morning. A light brown color. </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = "<dl>\n <dt>Bacon</dt>\n <dd>The glue that binds the world together.</dd>\n <dt>Eggs</dt>\n <dd>The glue that binds the cake together.</dd>\n <dt>Coffee</dt>\n <dd>The drink that gets the world running in the morning.</dd>\n <dd>A light brown color.</dd>\n</dl>"; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Marking_up_a_set_of_definitions', 700, 350) }} ## Quotations HTML also has features available for marking up quotations; which element you use depends on whether you are marking up a block or inline quotation. ### Blockquotes If a section of block level content (be it a paragraph, multiple paragraphs, a list, etc.) is quoted from somewhere else, you should wrap it inside a {{htmlelement("blockquote")}} element to signify this, and include a URL pointing to the source of the quote inside a [`cite`](/en-US/docs/Web/HTML/Element/blockquote#cite) attribute. For example, the following markup is taken from the MDN `<blockquote>` element page: ```html <p> The <strong>HTML <code>&lt;blockquote&gt;</code> Element</strong> (or <em>HTML Block Quotation Element</em>) indicates that the enclosed text is an extended quotation. </p> ``` To turn this into a block quote, we would just do this: ```html <p>Here is a blockquote:</p> <blockquote cite="https://developer.mozilla.org/en-US/docs/Web/HTML/Element/blockquote"> <p> The <strong>HTML <code>&lt;blockquote&gt;</code> Element</strong> (or <em>HTML Block Quotation Element</em>) indicates that the enclosed text is an extended quotation. </p> </blockquote> ``` Browser default styling will render this as an indented paragraph, as an indicator that it is a quote; the paragraph above the quotation is there to demonstrate that. {{EmbedLiveSample('Blockquotes', '100%', '200px')}} ### Inline quotations Inline quotations work in exactly the same way, except that they use the {{htmlelement("q")}} element. For example, the below bit of markup contains a quotation from the MDN `<q>` page: ```html <p> The quote element β€” <code>&lt;q&gt;</code> β€” is <q cite="https://developer.mozilla.org/en-US/docs/Web/HTML/Element/q"> intended for short quotations that don't require paragraph breaks. </q> </p> ``` Browser default styling will render this as normal text put in quotes to indicate a quotation, like so: {{EmbedLiveSample('Inline_quotations', '100%', '78px')}} ### Citations The content of the [`cite`](/en-US/docs/Web/HTML/Element/blockquote#cite) attribute sounds useful, but unfortunately browsers, screen readers, etc. don't really do much with it. There is no way to get the browser to display the contents of `cite`, without writing your own solution using JavaScript or CSS. If you want to make the source of the quotation available on the page you need to make it available in the text via a link or some other appropriate way. There is a {{htmlelement("cite")}} element, but this is meant to contain the title of the resource being quoted, e.g. the name of the book. There is no reason, however, why you couldn't link the text inside `<cite>` to the quote source in some way: ```html-nolint <p> According to the <a href="/en-US/docs/Web/HTML/Element/blockquote"> <cite>MDN blockquote page</cite></a>: </p> <blockquote cite="https://developer.mozilla.org/en-US/docs/Web/HTML/Element/blockquote"> <p> The <strong>HTML <code>&lt;blockquote&gt;</code> Element</strong> (or <em>HTML Block Quotation Element</em>) indicates that the enclosed text is an extended quotation. </p> </blockquote> <p> The quote element β€” <code>&lt;q&gt;</code> β€” is <q cite="https://developer.mozilla.org/en-US/docs/Web/HTML/Element/q"> intended for short quotations that don't require paragraph breaks. </q> β€” <a href="/en-US/docs/Web/HTML/Element/q"><cite>MDN q page</cite></a>. </p> ``` Citations are styled in italic font by default. {{EmbedLiveSample('Citations', '100%', '179px')}} ### Active learning: Who said that? Time for another active learning example! In this example we'd like you to: 1. Turn the middle paragraph into a blockquote, which includes a `cite` attribute. 2. Turn "The Need To Eliminate Negative Self Talk" in the third paragraph into an inline quote, and include a `cite` attribute. 3. Wrap the title of each source in `<cite>` tags and turn each one into a link to that source. The citation sources you need are: - `http://www.brainyquote.com/quotes/authors/c/confucius.html` for the Confucius quote - `http://example.com/affirmationsforpositivethinking` for "The Need To Eliminate Negative Self Talk". If you make a mistake, you can always reset it using the _Reset_ button. If you get really stuck, press the _Show solution_ button to see the answer. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 150px; width: 95%"> <p>Hello and welcome to my motivation page. As Confucius' quotes site says:</p> <p>It does not matter how slowly you go as long as you do not stop.</p> <p>I also love the concept of positive thinking, and The Need To Eliminate Negative Self Talk (as mentioned in Affirmations for Positive Thinking.)</p> </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = '<p>Hello and welcome to my motivation page. As <a href="http://www.brainyquote.com/quotes/authors/c/confucius.html"><cite>Confucius\' quotes site</cite></a> says:</p>\n\n<blockquote cite="http://www.brainyquote.com/quotes/authors/c/confucius.html">\n <p>It does not matter how slowly you go as long as you do not stop.</p>\n</blockquote>\n\n<p>I also love the concept of positive thinking, and <q cite="http://example.com/affirmationsforpositivethinking">The Need To Eliminate Negative Self Talk</q> (as mentioned in <a href="http://example.com/affirmationsforpositivethinking"><cite>Affirmations for Positive Thinking</cite></a>.)</p>'; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Who_said_that', 700, 450) }} ## Abbreviations Another fairly common element you'll meet when looking around the Web is {{htmlelement("abbr")}} β€” this is used to wrap around an abbreviation or acronym. When including either, provide a full expansion of the term in plain text on first use, along with the `<abbr>` to mark up the abbreviation. This provides a hint to user agents on how to announce/display the content while informing all users what the abbreviation means. If providing the expansion in addition to the abbreviation makes little sense, and the abbreviation or acronym is a fairly shortened term, provide the full expansion of the term as the value of [`title`](/en-US/docs/Web/HTML/Global_attributes#title) attribute: ### Abbreviation example Let's look at an example. ```html <p> We use <abbr>HTML</abbr>, Hypertext Markup Language, to structure our web documents. </p> <p> I think <abbr title="Reverend">Rev.</abbr> Green did it in the kitchen with the chainsaw. </p> ``` These will come out looking something like this: {{EmbedLiveSample('Abbreviation_example', '100%', '150')}} > **Note:** Earlier versions of html also included support for the {{htmlelement("acronym")}} element, but it was removed from the HTML spec in favor of using `<abbr>` to represent both abbreviations and acronyms. `<acronym>` should not be used. ### Active learning: marking up an abbreviation For this simple active learning assignment, we'd like you to mark up an abbreviation. You can use our sample below, or replace it with one of your own. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 50px; width: 95%"> <p>NASA, the National Aeronautics and Space Administration, sure does some exciting work.</p> </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = "<p><abbr>NASA</abbr>, the National Aeronautics and Space Administration, sure does some exciting work.</p>"; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_marking_up_an_abbreviation', 700, 300) }} ## Marking up contact details HTML has an element for marking up contact details β€” {{htmlelement("address")}}. This wraps around your contact details, for example: ```html <address>Chris Mills, Manchester, The Grim North, UK</address> ``` It could also include more complex markup, and other forms of contact information, for example: ```html <address> <p> Chris Mills<br /> Manchester<br /> The Grim North<br /> UK </p> <ul> <li>Tel: 01234 567 890</li> <li>Email: [email protected]</li> </ul> </address> ``` Note that something like this would also be OK, if the linked page contained the contact information: ```html <address> Page written by <a href="../authors/chris-mills/">Chris Mills</a>. </address> ``` > **Note:** The {{htmlelement("address")}} element should only be used to provide contact information for the document contained with the nearest {{htmlelement("article")}} or {{htmlelement("body")}} element. It would be correct to use it in the footer of a site to include the contact information of the entire site, or inside an article for the contact details of the author, but not to mark up a list of addresses unrelated to the content of that page. ## Superscript and subscript You will occasionally need to use superscript and subscript when marking up items like dates, chemical formulae, and mathematical equations so they have the correct meaning. The {{htmlelement("sup")}} and {{htmlelement("sub")}} elements handle this job. For example: ```html <p>My birthday is on the 25<sup>th</sup> of May 2001.</p> <p> Caffeine's chemical formula is C<sub>8</sub>H<sub>10</sub>N<sub>4</sub>O<sub>2</sub>. </p> <p>If x<sup>2</sup> is 9, x must equal 3 or -3.</p> ``` The output of this code looks like so: {{ EmbedLiveSample('Superscript_and_subscript', '100%', 160) }} ## Representing computer code There are a number of elements available for marking up computer code using HTML: - {{htmlelement("code")}}: For marking up generic pieces of computer code. - {{htmlelement("pre")}}: For retaining whitespace (generally code blocks) β€” if you use indentation or excess whitespace inside your text, browsers will ignore it and you will not see it on your rendered page. If you wrap the text in `<pre></pre>` tags however, your whitespace will be rendered identically to how you see it in your text editor. - {{htmlelement("var")}}: For specifically marking up variable names. - {{htmlelement("kbd")}}: For marking up keyboard (and other types of) input entered into the computer. - {{htmlelement("samp")}}: For marking up the output of a computer program. Let's look at examples of these elements and how they're used to represent computer code. If you want to see the full file, take a look at the [other-semantics.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/advanced-text-formatting/other-semantics.html) sample file. You can download the file and open it in your browser to see for yourself, but here is a snippet of the code: ```html <pre><code>const para = document.querySelector('p'); para.onclick = function() { alert('Owww, stop poking me!'); }</code></pre> <p> You shouldn't use presentational elements like <code>&lt;font&gt;</code> and <code>&lt;center&gt;</code>. </p> <p> In the above JavaScript example, <var>para</var> represents a paragraph element. </p> <p>Select all the text with <kbd>Ctrl</kbd>/<kbd>Cmd</kbd> + <kbd>A</kbd>.</p> <pre>$ <kbd>ping mozilla.org</kbd> <samp>PING mozilla.org (63.245.215.20): 56 data bytes 64 bytes from 63.245.215.20: icmp_seq=0 ttl=40 time=158.233 ms</samp></pre> ``` The above code will look like so: {{ EmbedLiveSample('Representing_computer_code','100%',350) }} ## Marking up times and dates HTML also provides the {{htmlelement("time")}} element for marking up times and dates in a machine-readable format. For example: ```html <time datetime="2016-01-20">20 January 2016</time> ``` Why is this useful? Well, there are many different ways that humans write down dates. The above date could be written as: <!-- markdownlint-disable MD033 --> - 20 January 2016 - 20th January 2016 - Jan 20 2016 - 20/01/16 - 01/20/16 - The 20th of next month - <span lang="fr">20e Janvier 2016</span> - <span lang="ja">2016 εΉ΄ 1 月 20 ζ—₯</span> - And so on <!-- markdownlint-enable MD033 --> But these different forms cannot be easily recognized by computers β€” what if you wanted to automatically grab the dates of all events in a page and insert them into a calendar? The {{htmlelement("time")}} element allows you to attach an unambiguous, machine-readable time/date for this purpose. The basic example above just provides a simple machine readable date, but there are many other options that are possible, for example: ```html <!-- Standard simple date --> <time datetime="2016-01-20">20 January 2016</time> <!-- Just year and month --> <time datetime="2016-01">January 2016</time> <!-- Just month and day --> <time datetime="01-20">20 January</time> <!-- Just time, hours and minutes --> <time datetime="19:30">19:30</time> <!-- You can do seconds and milliseconds too! --> <time datetime="19:30:01.856">19:30:01.856</time> <!-- Date and time --> <time datetime="2016-01-20T19:30">7.30pm, 20 January 2016</time> <!-- Date and time with timezone offset --> <time datetime="2016-01-20T19:30+01:00"> 7.30pm, 20 January 2016 is 8.30pm in France </time> <!-- Calling out a specific week number --> <time datetime="2016-W04">The fourth week of 2016</time> ``` ## Test your skills! You've reached the end of this article, but can you remember the most important information? You can find some further tests to verify that you've retained this information before you move on β€” see [Test your skills: Advanced HTML text](/en-US/docs/Learn/HTML/Introduction_to_HTML/Test_your_skills:_Advanced_HTML_text). ## Summary That marks the end of our study of HTML text semantics. Bear in mind that what you have seen during this course is not an exhaustive list of HTML text elements β€” we wanted to try to cover the essentials, and some of the more common ones you will see in the wild, or at least might find interesting. To find way more HTML elements, you can take a look at our [HTML element reference](/en-US/docs/Web/HTML/Element) (the [Inline text semantics](/en-US/docs/Web/HTML/Element#inline_text_semantics) section would be a great place to start). In the next article, we'll look at the HTML elements you'd use to [structure the different parts of an HTML document](/en-US/docs/Learn/HTML/Introduction_to_HTML/Document_and_website_structure). {{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Creating_hyperlinks", "Learn/HTML/Introduction_to_HTML/Document_and_website_structure", "Learn/HTML/Introduction_to_HTML")}}
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/test_your_skills_colon__advanced_html_text/index.md
--- title: "Test your skills: Advanced HTML text" slug: Learn/HTML/Introduction_to_HTML/Test_your_skills:_Advanced_HTML_text page-type: learn-module-assessment --- {{learnsidebar}} The aim of this skill test is to assess whether you understand how to use [lesser-known HTML elements to mark up advanced semantic features](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting). > **Note:** You can try solutions in the interactive editors on this page or in an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > > If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## Task 1 In this task, we want you to turn the provided animals and their definitions into a description list. The finished example should look like this: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/advanced-text/advanced-text1-finished.html", '100%', 250)}} Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/advanced-text/advanced-text1.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/tasks/advanced-text/advanced-text1-download.html) to work in your own editor or in an online editor. ## Task 2 In this task, we want you to add some semantics to the provided HTML as follows: - Turn the second paragraph into a block-level quote, and semantically indicate that the quote is taken from [Accessibility](/en-US/docs/Learn/Accessibility). - Semantically mark up "HTML" and "CSS" as acronyms, providing expansions as tooltips. - Use subscript and superscript to provide correct semantics for the chemical formulae and dates, and make them display correctly. - Semantically associate machine-readable dates with the dates in the text. The finished example should look like this: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/advanced-text/advanced-text2-finished.html", '100%', 300)}} Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/advanced-text/advanced-text2.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/tasks/advanced-text/advanced-text2-download.html) to work in your own editor or in an online editor.
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/html_text_fundamentals/index.md
--- title: HTML text fundamentals slug: Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML", "Learn/HTML/Introduction_to_HTML/Creating_hyperlinks", "Learn/HTML/Introduction_to_HTML")}} One of HTML's main jobs is to give text structure so that a browser can display an HTML document the way its developer intends. This article explains the way {{glossary("HTML")}} can be used to structure a page of text by adding headings and paragraphs, emphasizing words, creating lists, and more. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Basic HTML familiarity, as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn how to mark up a basic page of text to give it structure and meaning β€” including paragraphs, headings, lists, emphasis, and quotations. </td> </tr> </tbody> </table> ## The basics: headings and paragraphs Most structured text consists of headings and paragraphs, whether you are reading a story, a newspaper, a college textbook, a magazine, etc. ![An example of a newspaper front cover, showing use of a top level heading, subheadings and paragraphs.](newspaper_small.jpg) Structured content makes the reading experience easier and more enjoyable. In HTML, each paragraph has to be wrapped in a {{htmlelement("p")}} element, like so: ```html <p>I am a paragraph, oh yes I am.</p> ``` Each heading has to be wrapped in a heading element: ```html <h1>I am the title of the story.</h1> ``` There are six heading elements: {{htmlelement("Heading_Elements", "h1")}}, {{htmlelement("Heading_Elements", "h2")}}, {{htmlelement("Heading_Elements", "h3")}}, {{htmlelement("Heading_Elements", "h4")}}, {{htmlelement("Heading_Elements", "h5")}}, and {{htmlelement("Heading_Elements", "h6")}}. Each element represents a different level of content in the document; `<h1>` represents the main heading, `<h2>` represents subheadings, `<h3>` represents sub-subheadings, and so on. ### Implementing structural hierarchy For example, in this story, the `<h1>` element represents the title of the story, the `<h2>` elements represent the title of each chapter, and the `<h3>` elements represent subsections of each chapter: ```html <h1>The Crushing Bore</h1> <p>By Chris Mills</p> <h2>Chapter 1: The dark night</h2> <p> It was a dark night. Somewhere, an owl hooted. The rain lashed down on the… </p> <h2>Chapter 2: The eternal silence</h2> <p>Our protagonist could not so much as a whisper out of the shadowy figure…</p> <h3>The specter speaks</h3> <p> Several more hours had passed, when all of a sudden the specter sat bolt upright and exclaimed, "Please have mercy on my soul!" </p> ``` It's really up to you what the elements involved represent, as long as the hierarchy makes sense. You just need to bear in mind a few best practices as you create such structures: - Preferably, you should use a single `<h1>` per pageβ€”this is the top level heading, and all others sit below this in the hierarchy. - Make sure you use the headings in the correct order in the hierarchy. Don't use `<h3>` elements to represent subheadings, followed by `<h2>` elements to represent sub-subheadingsβ€”that doesn't make sense and will lead to weird results. - Of the six heading levels available, you should aim to use no more than three per page, unless you feel it is necessary. Documents with many levels (for example, a deep heading hierarchy) become unwieldy and difficult to navigate. On such occasions, it is advisable to spread the content over multiple pages if possible. ### Why do we need structure? To answer this question, let's take a look at [text-start.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/html-text-formatting/text-start.html)β€”the starting point of our running example for this article (a nice hummus recipe). You should save a copy of this file on your local machine, as you'll need it for the exercises later on. This document's body currently contains multiple pieces of content. They aren't marked up in any way, but they are separated with line breaks (Enter/Return pressed to go onto the next line). However, when you open the document in your browser, you'll see that the text appears as a big chunk! ![A webpage that shows a wall of unformatted text, because there are no elements on the page to structure it.](screen_shot_2017-03-29_at_09.20.35.png) This is because there are no elements to give the content structure, so the browser does not know what is a heading and what is a paragraph. Furthermore: - Users looking at a web page tend to scan quickly to find relevant content, often just reading the headings, to begin with. (We usually [spend a very short time on a web page](https://www.nngroup.com/articles/how-long-do-users-stay-on-web-pages/).) If they can't see anything useful within a few seconds, they'll likely get frustrated and go somewhere else. - Search engines indexing your page consider the contents of headings as important keywords for influencing the page's search rankings. Without headings, your page will perform poorly in terms of {{glossary("SEO")}} (Search Engine Optimization). - Severely visually impaired people often don't read web pages; they listen to them instead. This is done with software called a [screen reader](https://en.wikipedia.org/wiki/Screen_reader). This software provides ways to get fast access to given text content. Among the various techniques used, they provide an outline of the document by reading out the headings, allowing their users to find the information they need quickly. If headings are not available, they will be forced to listen to the whole document read out loud. - To style content with {{glossary("CSS")}}, or make it do interesting things with {{glossary("JavaScript")}}, you need to have elements wrapping the relevant content, so CSS/JavaScript can effectively target it. Therefore, we need to give our content structural markup. ### Active learning: Giving our content structure Let's jump straight in with a live example. In the example below, add elements to the raw text in the _Input_ field so that it appears as a heading and two paragraphs in the _Output_ field. If you make a mistake, you can always reset it using the _Reset_ button. If you get stuck, press the _Show solution_ button to see the answer. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 100px; width: 95%"> My short story I am a statistician and my name is Trish. My legs are made of cardboard and I am married to a fish. </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = `<h1>My short story</h1> <p> I am a statistician and my name is Trish. </p> <p> My legs are made of cardboard and I am married to a fish. </p>`; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // Stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = function () { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Giving_our_content_structure', 700, 400, "", "") }} ### Why do we need semantics? Semantics are relied on everywhere around usβ€”we rely on previous experience to tell us what the function of an everyday object is; when we see something, we know what its function will be. So, for example, we expect a red traffic light to mean "stop," and a green traffic light to mean "go." Things can get tricky very quickly if the wrong semantics are applied. (Do any countries use red to mean "go"? We hope not.) In a similar way, we need to make sure we are using the correct elements, giving our content the correct meaning, function, or appearance. In this context, the {{htmlelement("Heading_Elements", "h1")}} element is also a semantic element, which gives the text it wraps around the role (or meaning) of "a top level heading on your page." ```html <h1>This is a top level heading</h1> ``` By default, the browser will give it a large font size to make it look like a heading (although you could style it to look like anything you wanted using CSS). More importantly, its semantic value will be used in multiple ways, for example by search engines and screen readers (as mentioned above). On the other hand, you could make any element _look_ like a top level heading. Consider the following: ```html <span style="font-size: 32px; margin: 21px 0; display: block;"> Is this a top level heading? </span> ``` This is a {{htmlelement("span")}} element. It has no semantics. You use it to wrap content when you want to apply CSS to it (or do something to it with JavaScript) without giving it any extra meaning. (You'll find out more about these later on in the course.) We've applied some CSS to it to make it look like a top level heading, but since it has no semantic value, it will not get any of the extra benefits described above. It is a good idea to use the relevant HTML element for the job. ## Lists Now let's turn our attention to lists. Lists are everywhere in lifeβ€”from your shopping list to the list of directions you subconsciously follow to get to your house every day, to the lists of instructions you are following in these tutorials! Lists are everywhere on the web, too, and we've got three different types to worry about. ### Unordered Unordered lists are used to mark up lists of items for which the order of the items doesn't matter. Let's take a shopping list as an example: ```plain milk eggs bread hummus ``` Every unordered list starts off with a {{htmlelement("ul")}} elementβ€”this wraps around all the list items: ```html-nolint <ul> milk eggs bread hummus </ul> ``` The last step is to wrap each list item in a {{htmlelement("li")}} (list item) element: ```html <ul> <li>milk</li> <li>eggs</li> <li>bread</li> <li>hummus</li> </ul> ``` #### Active learning: Marking up an unordered list Try editing the live sample below to create your very own HTML unordered list. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 100px; width: 95%"> milk eggs bread hummus </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = "<ul>\n<li>milk</li>\n<li>eggs</li>\n<li>bread</li>\n<li>hummus</li>\n</ul>"; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Marking_up_an_unordered_list', 700, 400, "", "") }} ### Ordered Ordered lists are lists in which the order of the items _does_ matter. Let's take a set of directions as an example: ```plain Drive to the end of the road Turn right Go straight across the first two roundabouts Turn left at the third roundabout The school is on your right, 300 meters up the road ``` The markup structure is the same as for unordered lists, except that you have to wrap the list items in an {{htmlelement("ol")}} element, rather than `<ul>`: ```html <ol> <li>Drive to the end of the road</li> <li>Turn right</li> <li>Go straight across the first two roundabouts</li> <li>Turn left at the third roundabout</li> <li>The school is on your right, 300 meters up the road</li> </ol> ``` #### Active learning: Marking up an ordered list Try editing the live sample below to create your very own HTML ordered list. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 200px; width: 95%"> Drive to the end of the road Turn right Go straight across the first two roundabouts Turn left at the third roundabout The school is on your right, 300 meters up the road </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = "<ol>\n<li>Drive to the end of the road</li>\n<li>Turn right</li>\n<li>Go straight across the first two roundabouts</li>\n<li>Turn left at the third roundabout</li>\n<li>The school is on your right, 300 meters up the road</li>\n</ol>"; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Marking_up_an_ordered_list', 700, 500, "", "") }} ### Description Description lists enclose groups of terms and descriptions. Common uses for this element are implementing a glossary or displaying metadata (a list of key-value pairs). Let's consider some fishes with their interesting characteristics: ```plain Albacore Tuna The albacore is a very fast swimmer. Asian Carp Asian carp can consume 40% of their body weight in food a day! Barracuda Can grow to nearly 2 meters long! ``` The list is enclosed in a `<dl>` element, terms are enclosed in `<dt>` elements, and descriptions are enclosed in `<dd>` elements: ```html <dl> <dt>Albacore Tuna</dt> <dd>The albacore is a very fast swimmer.</dd> <dt>Asian Carp</dt> <dd>Asian carp can consume 40% of their body weight in food a day!</dd> <dt>Barracuda</dt> <dd>Can grow to nearly 2 meters long!</dd> </dl> ``` #### Active learning: Marking up a description list Try editing the live sample below to create your very own HTML description list. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 200px; width: 95%"> Albacore Tuna The albacore is a very fast swimmer. Asian Carp Asian carp can consume 40% of their body weight in food a day! Barracuda Can grow to nearly 2 meters long! </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = "<dl>\n <dt>Albacore Tuna</dt>\n <dd>The albacore is a very fast swimmer.</dd>\n <dt>Asian Carp</dt>\n <dd>Asian carp can consume 40% of their body weight in food a day!</dd>\n <dt>Barracuda</dt>\n <dd>Can grow to nearly 2 meters long!</dd>\n</dl>"; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Marking_up_a_description_list', 700, 500, "", "") }} ### Active learning: Marking up our recipe page So at this point in the article, you have all the information you need to mark up our recipe page example. You can choose to either save a local copy of our [text-start.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/html-text-formatting/text-start.html) starting file and do the work there or do it in the editable example below. Doing it locally will probably be better, as then you'll get to save the work you are doing, whereas if you fill it in to the editable example, it will be lost the next time you open the page. Both have pros and cons. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 200px; width: 95%"> Quick hummus recipe This recipe makes quick, tasty hummus, with no messing. It has been adapted from a number of different recipes that I have read over the years. Hummus is a delicious thick paste used heavily in Greek and Middle Eastern dishes. It is very tasty with salad, grilled meats and pitta breads. Ingredients 1 can (400g) of chick peas (garbanzo beans) 175g of tahini 6 sundried tomatoes Half a red pepper A pinch of cayenne pepper 1 clove of garlic A dash of olive oil Instructions Remove the skin from the garlic, and chop coarsely Remove all the seeds and stalk from the pepper, and chop coarsely Add all the ingredients into a food processor Process all the ingredients into a paste If you want a coarse "chunky" hummus, process it for a short time If you want a smooth hummus, process it for a longer time For a different flavor, you could try blending in a small measure of lemon and coriander, chili pepper, lime and chipotle, harissa and mint, or spinach and feta cheese. Experiment and see what works for you. Storage Refrigerate the finished hummus in a sealed container. You should be able to use it for about a week after you've made it. If it starts to become fizzy, you should definitely discard it. Hummus is suitable for freezing; you should thaw it and use it within a couple of months. </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = '<h1>Quick hummus recipe</h1>\n\n<p>This recipe makes quick, tasty hummus, with no messing. It has been adapted from a number of different recipes that I have read over the years.</p>\n\n<p>Hummus is a delicious thick paste used heavily in Greek and Middle Eastern dishes. It is very tasty with salad, grilled meats and pitta breads.</p>\n\n<h2>Ingredients</h2>\n\n<ul>\n<li>1 can (400g) of chick peas (garbanzo beans)</li>\n<li>175g of tahini</li>\n<li>6 sundried tomatoes</li>\n<li>Half a red pepper</li>\n<li>A pinch of cayenne pepper</li>\n<li>1 clove of garlic</li>\n<li>A dash of olive oil</li>\n</ul>\n\n<h2>Instructions</h2>\n\n<ol>\n<li>Remove the skin from the garlic, and chop coarsely.</li>\n<li>Remove all the seeds and stalk from the pepper, and chop coarsely.</li>\n<li>Add all the ingredients into a food processor.</li>\n<li>Process all the ingredients into a paste.</li>\n<li>If you want a coarse "chunky" hummus, process it for a short time.</li>\n<li>If you want a smooth hummus, process it for a longer time.</li>\n</ol>\n\n<p>For a different flavor, you could try blending in a small measure of lemon and coriander, chili pepper, lime and chipotle, harissa and mint, or spinach and feta cheese. Experiment and see what works for you.</p>\n\n<h2>Storage</h2>\n\n<p>Refrigerate the finished hummus in a sealed container. You should be able to use it for about a week after you\'ve made it. If it starts to become fizzy, you should definitely discard it.</p>\n\n<p>Hummus is suitable for freezing; you should thaw it and use it within a couple of months.</p>'; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Marking_up_our_recipe_page', 900, 620, "", "") }} If you get stuck, you can always press the _Show solution_ button, or check out our [text-complete.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/html-text-formatting/text-complete.html) example on our GitHub repo. ### Nesting lists It is perfectly OK to nest one list inside another one. You might want to have some sub-bullets sitting below a top-level bullet. Let's take the second list from our recipe example: ```html <ol> <li>Remove the skin from the garlic, and chop coarsely.</li> <li>Remove all the seeds and stalk from the pepper, and chop coarsely.</li> <li>Add all the ingredients into a food processor.</li> <li>Process all the ingredients into a paste.</li> <li>If you want a coarse "chunky" hummus, process it for a short time.</li> <li>If you want a smooth hummus, process it for a longer time.</li> </ol> ``` Since the last two bullets are very closely related to the one before them (they read like sub-instructions or choices that fit below that bullet), it might make sense to nest them inside their own unordered list and put that list inside the current fourth bullet. This would look like so: ```html <ol> <li>Remove the skin from the garlic, and chop coarsely.</li> <li>Remove all the seeds and stalk from the pepper, and chop coarsely.</li> <li>Add all the ingredients into a food processor.</li> <li> Process all the ingredients into a paste. <ul> <li> If you want a coarse "chunky" hummus, process it for a short time. </li> <li>If you want a smooth hummus, process it for a longer time.</li> </ul> </li> </ol> ``` Try going back to the previous active learning example and updating the second list like this. ## Emphasis and importance In human language, we often emphasize certain words to alter the meaning of a sentence, and we often want to mark certain words as important or different in some way. HTML provides various semantic elements to allow us to mark up textual content with such effects, and in this section, we'll look at a few of the most common ones. ### Emphasis When we want to add emphasis in spoken language, we _stress_ certain words, subtly altering the meaning of what we are saying. Similarly, in written language we tend to stress words by putting them in italics. For example, the following two sentences have different meanings. > I am glad you weren't late. > > I am _glad_ you weren't _late_. The first sentence sounds genuinely relieved that the person wasn't late. In contrast, the second one, with both the words "glad" and "late" in italics, sounds sarcastic or passive-aggressive, expressing annoyance that the person arrived a bit late. In HTML we use the {{htmlelement("em")}} (emphasis) element to mark up such instances. As well as making the document more interesting to read, these are recognized by screen readers, which can be configured to speak them in a different tone of voice. Browsers style this as italic by default, but you shouldn't use this tag purely to get italic styling. To do that, you'd use a {{htmlelement("span")}} element and some CSS, or perhaps an {{htmlelement("i")}} element (see below). ```html <p>I am <em>glad</em> you weren't <em>late</em>.</p> ``` ### Strong importance To emphasize important words, we tend to stress them in spoken language and **bold** them in written language. For example: > This liquid is **highly toxic**. > > I am counting on you. **Do not** be late! In HTML we use the {{htmlelement("strong")}} (strong importance) element to mark up such instances. As well as making the document more useful, again these are recognized by screen readers, which can be configured to speak them in a different tone of voice. Browsers style this as bold text by default, but you shouldn't use this tag purely to get bold styling. To do that, you'd use a {{htmlelement("span")}} element and some CSS, or perhaps a {{htmlelement("b")}} element (see below). ```html <p>This liquid is <strong>highly toxic</strong>.</p> <p>I am counting on you. <strong>Do not</strong> be late!</p> ``` You can nest strong and emphasis inside one another if desired: ```html-nolint <p>This liquid is <strong>highly toxic</strong> β€” if you drink it, <strong>you may <em>die</em></strong>.</p> ``` {{EmbedLiveSample('Strong importance')}} ### Active learning: Let's be important In this active learning section, we've provided an editable example. Inside it, we'd like you to try adding emphasis and strong importance to the words you think need them, just to have some practice. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 200px; width: 95%"> <h1>Important notice</h1> <p>On Sunday January 9th 2010, a gang of goths were spotted stealing several garden gnomes from a shopping center in downtown Milwaukee. They were all wearing green jumpsuits and silly hats, and seemed to be having a whale of a time. If anyone has any information about this incident, please contact the police now.</p> </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = "<h1>Important notice</h1>\n<p>On <strong>Sunday January 9th 2010</strong>, a gang of <em>goths</em> were spotted stealing <strong><em>several</em> garden gnomes</strong> from a shopping center in downtown <strong>Milwaukee</strong>. They were all wearing <em>green jumpsuits</em> and <em>silly hats</em>, and seemed to be having a whale of a time. If anyone has <strong>any</strong> information about this incident, please contact the police <strong>now</strong>.</p>"; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // Stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Lets_be_important', 700, 520, "", "") }} ### Italic, bold, underline… The elements we've discussed so far have clear-cut associated semantics. The situation with {{htmlelement("b")}}, {{htmlelement("i")}}, and {{htmlelement("u")}} is somewhat more complicated. They came about so people could write bold, italics, or underlined text in an era when CSS was still supported poorly or not at all. Elements like this, which only affect presentation and not semantics, are known as **presentational elements** and should no longer be used because, as we've seen before, semantics is so important to accessibility, SEO, etc. HTML5 redefined `<b>`, `<i>`, and `<u>` with new, somewhat confusing, semantic roles. Here's the best rule you can remember: It's only appropriate to use `<b>`, `<i>`, or `<u>` to convey a meaning traditionally conveyed with bold, italics, or underline when there isn't a more suitable element; and there usually is. Consider whether `<strong>`, `<em>`, `<mark>`, or `<span>` might be more appropriate. Always keep an accessibility mindset. The concept of italics isn't very helpful to people using screen readers, or to people using a writing system other than the Latin alphabet. - {{HTMLElement('i')}} is used to convey a meaning traditionally conveyed by italic: foreign words, taxonomic designation, technical terms, a thought… - {{HTMLElement('b')}} is used to convey a meaning traditionally conveyed by bold: keywords, product names, lead sentence… - {{HTMLElement('u')}} is used to convey a meaning traditionally conveyed by underline: proper name, misspelling… > **Note:** People strongly associate underlining with hyperlinks. Therefore, on the web, it's best to only underline links. Use the `<u>` element when it's semantically appropriate, but consider using CSS to change the default underline to something more appropriate on the web. The example below illustrates how it can be done. ```html <!-- scientific names --> <p> The Ruby-throated Hummingbird (<i>Archilochus colubris</i>) is the most common hummingbird in Eastern North America. </p> <!-- foreign words --> <p> The menu was a sea of exotic words like <i lang="uk-latn">vatrushka</i>, <i lang="id">nasi goreng</i> and <i lang="fr">soupe Γ  l'oignon</i>. </p> <!-- a known misspelling --> <p>Someday I'll learn how to <u class="spelling-error">spel</u> better.</p> <!-- term being defined when used in a definition --> <dl> <dt>Semantic HTML</dt> <dd> Use the elements based on their <b>semantic</b> meaning, not their appearance. </dd> </dl> ``` {{EmbedLiveSample('Italic, bold, underline…','100%','270')}} ## Test your skills! You've reached the end of this article, but can you remember the most important information? You can find some further tests to verify that you've retained this information before you move on β€” see [Test your skills: HTML text basics](/en-US/docs/Learn/HTML/Introduction_to_HTML/Test_your_skills:_HTML_text_basics). ## Summary That's it for now! This article should have given you a good idea of how to start marking up text in HTML and introduced you to some of the most important elements in this area. There are a lot more semantic elements to cover in this area, and we'll look at a lot more in our [Advanced text formatting](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting) article later on in the course. In the next article, we'll be looking in detail at how to [create hyperlinks](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks), possibly the most important element on the web. {{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML", "Learn/HTML/Introduction_to_HTML/Creating_hyperlinks", "Learn/HTML/Introduction_to_HTML")}}
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/creating_hyperlinks/index.md
--- title: Creating hyperlinks slug: Learn/HTML/Introduction_to_HTML/Creating_hyperlinks page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals", "Learn/HTML/Introduction_to_HTML/Advanced_text_formatting", "Learn/HTML/Introduction_to_HTML")}} Hyperlinks are really important β€” they are what makes the Web _a web_. This article shows the syntax required to make a link, and discusses link best practices. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Basic HTML familiarity, as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >. HTML text formatting, as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals" >HTML text fundamentals</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn how to implement a hyperlink effectively, and link multiple files together. </td> </tr> </tbody> </table> ## What is a hyperlink? Hyperlinks are one of the most exciting innovations the Web has to offer. They've been a feature of the Web since the beginning, and are what makes the Web _a web._ Hyperlinks allow us to link documents to other documents or resources, link to specific parts of documents, or make apps available at a web address. Almost any web content can be converted to a link so that when clicked or otherwise activated the web browser goes to another web address ({{glossary("URL")}}). > **Note:** A URL can point to HTML files, text files, images, text documents, video and audio files, or anything else that lives on the Web. > If the web browser doesn't know how to display or handle the file, it will ask you if you want to open the file (in which case the duty of opening or handling the file is passed to a suitable native app on the device) or download the file (in which case you can try to deal with it later on). For example, the BBC homepage contains many links that point not only to multiple news stories, but also different areas of the site (navigation functionality), login/registration pages (user tools), and more. ![front page of bbc.co.uk, showing many news items, and navigation menu functionality](updated-bbc-website.png) ## Anatomy of a link A basic link is created by wrapping the text or other content inside an {{htmlelement("a")}} element and using the [`href`](/en-US/docs/Web/HTML/Element/a#href) attribute, also known as a **Hypertext Reference**, or **target**, that contains the web address. ```html <p> I'm creating a link to <a href="https://www.mozilla.org/en-US/">the Mozilla homepage</a>. </p> ``` This gives us the following result:\ I'm creating a link to [the Mozilla homepage](https://www.mozilla.org/en-US/). ### Block level links As mentioned before, almost any content can be made into a link, even {{Glossary("Block/CSS", "block-level elements")}}. If you want to make a heading element a link then wrap it in an anchor (`<a>`) element as shown in the following code snippet: ```html <a href="https://developer.mozilla.org/en-US/"> <h1>MDN Web Docs</h1> </a> <p> Documenting web technologies, including CSS, HTML, and JavaScript, since 2005. </p> ``` This turns the heading into a link: {{EmbedLiveSample('Block level links', '100%', 150)}} ### Image links If you have an image you want to make into a link, use the {{htmlelement("a")}} element to wrap the image file referenced with the {{htmlelement("img")}} element. The example below uses a relative path to reference a locally stored SVG image file. ```css hidden img { height: 100px; width: 150px; border: 1px solid gray; } ``` ```html <a href="https://developer.mozilla.org/en-US/"> <img src="mdn_logo.svg" alt="MDN Web Docs" /> </a> ``` This makes the MDN logo a link: {{EmbedLiveSample('Image links', '100%', 150)}} > **Note:** You'll find out more about using images on the Web in a future article. ### Adding supporting information with the title attribute Another attribute you may want to add to your links is `title`. The title contains additional information about the link, such as which kind of information the page contains, or things to be aware of on the website. ```html-nolint <p> I'm creating a link to <a href="https://www.mozilla.org/en-US/" title="The best place to find more information about Mozilla's mission and how to contribute"> the Mozilla homepage</a>. </p> ``` This gives us the following result and hovering over the link displays the title as a tooltip: {{EmbedLiveSample('Adding supporting information with the title attribute', '100%', 150)}} > **Note:** A link title is only revealed on mouse hover, which means that people relying on keyboard controls or touchscreens to navigate web pages will have difficulty accessing title information. > If a title's information is truly important to the usability of the page, then you should present it in a manner that will be accessible to all users, for example by putting it in the regular text. ### Active learning: creating your own example link Create an HTML document using your local code editor and our [getting started template](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/getting-started/index.html). - Inside the HTML body, add one or more paragraphs or other types of content you already know about. - Change some of the content into links. - Include title attributes. ## A quick primer on URLs and paths To fully understand link targets, you need to understand URLs and file paths. This section gives you the information you need to achieve this. A URL, or Uniform Resource Locator is a string of text that defines where something is located on the Web. For example, Mozilla's English homepage is located at `https://www.mozilla.org/en-US/`. URLs use paths to find files. Paths specify where the file you're interested in is located in the filesystem. Let's look at an example of a directory structure, see the [creating-hyperlinks](https://github.com/mdn/learning-area/tree/main/html/introduction-to-html/creating-hyperlinks) directory. ![A simple directory structure. The parent directory is called creating-hyperlinks and contains two files called index.html and contacts.html, and two directories called projects and pdfs, which contain an index.html and a project-brief.pdf file, respectively](simple-directory.png) The **root** of this directory structure is called `creating-hyperlinks`. When working locally with a website, you'll have one directory that contains the entire site. Inside the **root**, we have an `index.html` file and a `contacts.html`. In a real website, `index.html` would be our home page or landing page (a web page that serves as the entry point for a website or a particular section of a website.). There are also two directories inside our root β€” `pdfs` and `projects`. These each have a single file inside them β€” a PDF (`project-brief.pdf`) and an `index.html` file, respectively. Note that you can have two `index.html` files in one project, as long as they're in different filesystem locations. The second `index.html` would perhaps be the main landing page for project-related information. - **Same directory**: If you wanted to include a hyperlink inside `index.html` (the top level `index.html`) pointing to `contacts.html`, you would specify the filename that you want to link to, because it's in the same directory as the current file. The URL you would use is `contacts.html`: ```html <p> Want to contact a specific staff member? Find details on our <a href="contacts.html">contacts page</a>. </p> ``` - **Moving down into subdirectories**: If you wanted to include a hyperlink inside `index.html` (the top level `index.html`) pointing to `projects/index.html`, you would need to go down into the `projects` directory before indicating the file you want to link to. This is done by specifying the directory's name, then a forward slash, then the name of the file. The URL you would use is `projects/index.html`: ```html <p>Visit my <a href="projects/index.html">project homepage</a>.</p> ``` - **Moving back up into parent directories**: If you wanted to include a hyperlink inside `projects/index.html` pointing to `pdfs/project-brief.pdf`, you'd have to go up a directory level, then back down into the `pdfs` directory. To go up a directory, use two dots β€” `..` β€” so the URL you would use is `../pdfs/project-brief.pdf`: ```html <p>A link to my <a href="../pdfs/project-brief.pdf">project brief</a>.</p> ``` > **Note:** You can combine multiple instances of these features into complex URLs, if needed, for example: `../../../complex/path/to/my/file.html`. ### Document fragments It's possible to link to a specific part of an HTML document, known as a **document fragment**, rather than just to the top of the document. To do this you first have to assign an [`id`](/en-US/docs/Web/HTML/Global_attributes#id) attribute to the element you want to link to. It normally makes sense to link to a specific heading, so this would look something like the following: ```html <h2 id="Mailing_address">Mailing address</h2> ``` Then to link to that specific `id`, you'd include it at the end of the URL, preceded by a hash/pound symbol (`#`), for example: ```html <p> Want to write us a letter? Use our <a href="contacts.html#Mailing_address">mailing address</a>. </p> ``` You can even use the document fragment reference on its own to link to _another part of the current document_: ```html <p> The <a href="#Mailing_address">company mailing address</a> can be found at the bottom of this page. </p> ``` ### Absolute versus relative URLs Two terms you'll come across on the Web are **absolute URL** and **relative URL:** **absolute URL**: Points to a location defined by its absolute location on the web, including {{glossary("protocol")}} and {{glossary("domain name")}}. For example, if an `index.html` page is uploaded to a directory called `projects` that sits inside the **root** of a web server, and the website's domain is `https://www.example.com`, the page would be available at `https://www.example.com/projects/index.html` (or even just `https://www.example.com/projects/`, as most web servers just look for a landing page such as `index.html` to load if it isn't specified in the URL.) An absolute URL will always point to the same location, no matter where it's used. **relative URL**: Points to a location that is _relative_ to the file you are linking from, more like what we looked at in the previous section. For example, if we wanted to link from our example file at `https://www.example.com/projects/index.html` to a PDF file in the same directory, the URL would just be the filename β€” `project-brief.pdf` β€” no extra information needed. If the PDF was available in a subdirectory inside `projects` called `pdfs`, the relative link would be `pdfs/project-brief.pdf` (the equivalent absolute URL would be `https://www.example.com/projects/pdfs/project-brief.pdf`.) A relative URL will point to different places depending on the actual location of the file you refer from β€” for example if we moved our `index.html` file out of the `projects` directory and into the **root** of the website (the top level, not in any directories), the `pdfs/project-brief.pdf` relative URL link inside it would now point to a file located at `https://www.example.com/pdfs/project-brief.pdf`, not a file located at `https://www.example.com/projects/pdfs/project-brief.pdf`. Of course, the location of the `project-brief.pdf` file and `pdfs` folder won't suddenly change because you moved the `index.html` file β€” this would make your link point to the wrong place, so it wouldn't work if clicked on. You need to be careful! ## Link best practices There are some best practices to follow when writing links. Let's look at these now. ### Use clear link wording It's easy to throw links up on your page. That's not enough. We need to make our links _accessible_ to all readers, regardless of their current context and which tools they prefer. For example: - Screen reader users like jumping around from link to link on the page, and reading links out of context. - Search engines use link text to index target files, so it is a good idea to include keywords in your link text to effectively describe what is being linked to. - Visual readers skim over the page rather than reading every word, and their eyes will be drawn to page features that stand out, like links. They will find descriptive link text useful. Let's look at a specific example: **Good** link text: [Download Firefox](https://www.mozilla.org/en-US/firefox/new/?redirect_source=firefox-com) ```html example-good <p><a href="https://www.mozilla.org/firefox/">Download Firefox</a></p> ``` **Bad** link text: [Click here](https://www.mozilla.org/firefox/) to download Firefox ```html example-bad <p> <a href="https://www.mozilla.org/firefox/">Click here</a> to download Firefox </p> ``` Other tips: - Don't repeat the URL as part of the link text β€” URLs look ugly, and sound even uglier when a screen reader reads them out letter by letter. - Don't say "link" or "links to" in the link text β€” it's just noise. Screen readers tell people there's a link. Visual users will also know there's a link, because links are generally styled in a different color and underlined (this convention generally shouldn't be broken, as users are used to it). - Keep your link text as short as possible β€” this is helpful because screen readers need to interpret the entire link text. - Minimize instances where multiple copies of the same text are linked to different places. This can cause problems for screen reader users, if there's a list of links out of context that are labeled "click here", "click here", "click here". ### Linking to non-HTML resources β€” leave clear signposts When linking to a resource that will be downloaded (like a PDF or Word document), streamed (like video or audio), or has another potentially unexpected effect (opens a popup window), you should add clear wording to reduce any confusion. For example: - If you're on a low bandwidth connection, click a link, and then a multiple megabyte download starts unexpectedly. Let's look at some examples, to see what kind of text can be used here: ```html <p> <a href="https://www.example.com/large-report.pdf"> Download the sales report (PDF, 10MB) </a> </p> <p> <a href="https://www.example.com/video-stream/" target="_blank"> Watch the video (stream opens in separate tab, HD quality) </a> </p> ``` ### Use the download attribute when linking to a download When you are linking to a resource that's to be downloaded rather than opened in the browser, you can use the `download` attribute to provide a default save filename. Here's an example with a download link to the latest Windows version of Firefox: ```html <a href="https://download.mozilla.org/?product=firefox-latest-ssl&os=win64&lang=en-US" download="firefox-latest-64bit-installer.exe"> Download Latest Firefox for Windows (64-bit) (English, US) </a> ``` ## Active learning: creating a navigation menu For this exercise, we'd like you to link some pages together with a navigation menu to create a multipage website. This is one common way in which a website is created β€” the same page structure is used on every page, including the same navigation menu, so when links are clicked it gives the impression that you are staying in the same place, and different content is being brought up. You'll need to make local copies of the following four pages, all in the same directory. For a complete file list, see the [navigation-menu-start](https://github.com/mdn/learning-area/tree/main/html/introduction-to-html/navigation-menu-start) directory: - [index.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/navigation-menu-start/index.html) - [projects.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/navigation-menu-start/projects.html) - [pictures.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/navigation-menu-start/pictures.html) - [social.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/navigation-menu-start/social.html) You should: 1. Add an unordered list in the indicated place on one page that includes the names of the pages to link to. A navigation menu is usually just a list of links, so this is semantically OK. 2. Change each page name into a link to that page. 3. Copy the navigation menu across to each page. 4. On each page, remove just the link to that same page β€” it's confusing and unnecessary for a page to include a link to itself. And, the lack of a link acts a good visual reminder of which page you are currently on. The finished example should look similar to the following page: ![An example of a simple HTML navigation menu, with home, pictures, projects, and social menu items](navigation-example.png) > **Note:** If you get stuck, or aren't sure if you have got it right, you can check the [navigation-menu-marked-up](https://github.com/mdn/learning-area/tree/main/html/introduction-to-html/navigation-menu-marked-up) directory to see the correct answer. ## Email links It's possible to create links or buttons that, when clicked, open a new outgoing email message rather than linking to a resource or page. This is done using the {{HTMLElement("a")}} element and the `mailto:` URL scheme. In its most basic and commonly used form, a `mailto:` link indicates the email address of the intended recipient. For example: ```html <a href="mailto:[email protected]">Send email to nowhere</a> ``` This results in a link that looks like this: [Send email to nowhere](mailto:[email protected]). In fact, the email address is optional. If you omit it and your [`href`](/en-US/docs/Web/HTML/Element/a#href) is "mailto:", a new outgoing email window will be opened by the user's email client with no destination address. This is often useful as "Share" links that users can click to send an email to an address of their choosing. ### Specifying details In addition to the email address, you can provide other information. In fact, any standard mail header fields can be added to the `mailto` URL you provide. The most commonly used of these are "subject", "cc", and "body" (which is not a true header field, but allows you to specify a short content message for the new email). Each field and its value is specified as a query term. Here's an example that includes a cc, bcc, subject and body: ```html <a href="mailto:[email protected][email protected]&[email protected]&subject=The%20subject%20of%20the%20email&body=The%20body%20of%20the%20email"> Send mail with cc, bcc, subject and body </a> ``` > **Note:** The values of each field must be URL-encoded with non-printing characters (invisible characters like tabs, carriage returns, and page breaks) and spaces [percent-escaped](https://en.wikipedia.org/wiki/Percent-encoding). > Also, note the use of the question mark (`?`) to separate the main URL from the field values, and ampersands (&) to separate each field in the `mailto:` URL. > This is standard URL query notation. > Read [The GET method](/en-US/docs/Learn/Forms/Sending_and_retrieving_form_data#the_get_method) to understand what URL query notation is more commonly used for. Here are a few other sample `mailto` URLs: - <mailto:> - <mailto:[email protected]> - <mailto:[email protected],[email protected]> - <mailto:[email protected][email protected]> - <mailto:[email protected][email protected]&subject=This%20is%20the%20subject> ## Test your skills! You've reached the end of this article, but can you remember the most important information? You can find some further tests to verify that you've retained this information before you move on β€” see [Test your skills: Links](/en-US/docs/Learn/HTML/Introduction_to_HTML/Test_your_skills:_Links). ## Summary That's it for links, for now anyway! You'll return to links later on in the course when you start to look at styling them. Next up for HTML, we'll return to text semantics and look at some more advanced/unusual features that you'll find useful β€” [Advanced text formatting](/en-US/docs/Learn/HTML/Introduction_to_HTML/Advanced_text_formatting) is your next stop. {{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals", "Learn/HTML/Introduction_to_HTML/Advanced_text_formatting", "Learn/HTML/Introduction_to_HTML")}}
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/creating_hyperlinks/mdn_logo.svg
<svg id="mdn-docs-logo" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 361 104.2" style="enable-background:new 0 0 361 104.2" xml:space="preserve" role="img"><title>MDN Web Docs</title><path d="M197.6 73.2h-17.1v-5.5h3.8V51.9c0-3.7-.7-6.3-2.1-7.9-1.4-1.6-3.3-2.3-5.7-2.3-3.2 0-5.6 1.1-7.2 3.4s-2.4 4.6-2.5 6.9v15.6h6v5.5h-17.1v-5.5h3.8V51.9c0-3.8-.7-6.4-2.1-7.9-1.4-1.5-3.3-2.3-5.6-2.3-3.2 0-5.5 1.1-7.2 3.3-1.6 2.2-2.4 4.5-2.5 6.9v15.8h6.9v5.5h-20.2v-5.5h6V42.4h-6.1v-5.6h13.4v6.4c1.2-2.1 2.7-3.8 4.7-5.2 2-1.3 4.4-2 7.3-2s5.3.7 7.5 2.1c2.2 1.4 3.7 3.5 4.5 6.4 1.1-2.5 2.7-4.5 4.9-6.1s4.8-2.4 7.9-2.4c3.5 0 6.5 1.1 8.9 3.3s3.7 5.6 3.7 10.2v18.2h6.1v5.5zm42.5 0h-13.2V66c-1.2 2.2-2.8 4.1-4.9 5.6-2.1 1.6-4.8 2.4-8.3 2.4-4.8 0-8.7-1.6-11.6-4.9-2.9-3.2-4.3-7.7-4.3-13.3 0-5 1.3-9.6 4-13.7 2.6-4.1 6.9-6.2 12.8-6.2s9.8 2.2 12.3 6.5V22.7h-8.6v-5.6h15.8v50.6h6v5.5zm-13.3-16.8V52c-.1-3-1.2-5.5-3.2-7.3s-4.4-2.8-7.2-2.8c-3.6 0-6.3 1.3-8.2 3.9-1.9 2.6-2.8 5.8-2.8 9.6 0 4.1 1 7.3 3 9.5s4.5 3.3 7.4 3.3c3.2 0 5.8-1.3 7.8-3.8 2.1-2.6 3.1-5.3 3.2-8zm61.5 16.8H269v-5.5h6V51.9c0-3.7-.7-6.3-2.2-7.9-1.4-1.6-3.4-2.3-5.7-2.3-3.1 0-5.6 1-7.4 3s-2.8 4.4-2.9 7v15.9h6v5.5h-19.3v-5.5h6V42.4h-6.2v-5.6h13.6V43c2.6-4.6 6.8-6.9 12.7-6.9 3.6 0 6.7 1.1 9.2 3.3s3.7 5.6 3.7 10.2v18.2h6v5.4h-.2z" style="fill:var(--text-primary)"></path><g style="fill:var(--text-link)"><path d="M42 .2 13.4 92.3H1.7L30.2.2H42zM52.4.2v92.1H42V.2h10.4zm40.3 0L64.2 92.3H52.5L81 .2h11.7zM103.1.2v92.1H92.7V.2h10.4zM294 95h67v8.8h-67V95z"></path></g></svg>
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/getting_started/index.md
--- title: Getting started with HTML slug: Learn/HTML/Introduction_to_HTML/Getting_started page-type: learn-module-chapter --- {{LearnSidebar}}{{NextMenu("Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML", "Learn/HTML/Introduction_to_HTML")}} In this article, we cover the absolute basics of HTML. To get you started, this article defines elements, attributes, and all the other important terms you may have heard. It also explains where these fit into HTML. You will learn how HTML elements are structured, how a typical HTML page is structured, and other important basic language features. Along the way, there will be an opportunity to play with HTML too! <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> <a href="/en-US/docs/Learn/Getting_started_with_the_web/Installing_basic_software" >Basic software installed</a >, and basic knowledge of <a href="/en-US/docs/Learn/Getting_started_with_the_web/Dealing_with_files" >working with files</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To gain basic familiarity with HTML, and practice writing a few HTML elements. </td> </tr> </tbody> </table> ## What is HTML? {{glossary("HTML")}} (HyperText Markup Language) is a _markup language_ that tells web browsers how to structure the web pages you visit. It can be as complicated or as simple as the web developer wants it to be. HTML consists of a series of {{glossary("Element", "elements")}}, which you use to enclose, wrap, or _mark up_ different parts of content to make it appear or act in a certain way. The enclosing {{glossary("Tag", "tags")}} can make content into a hyperlink to connect to another page, italicize words, and so on. For example, consider the following line of text: ```plain My cat is very grumpy ``` If we wanted the text to stand by itself, we could specify that it is a paragraph by enclosing it in a paragraph ({{htmlelement("p")}}) element: ```html <p>My cat is very grumpy</p> ``` > **Note:** Tags in HTML are not case-sensitive. This means they can be written in uppercase or lowercase. For example, a {{htmlelement("title")}} tag could be written as `<title>`, `<TITLE>`, `<Title>`, `<TiTlE>`, etc., and it will work. However, it is best practice to write all tags in lowercase for consistency and readability. ## Anatomy of an HTML element Let's further explore our paragraph element from the previous section: ![A sample code snippet demonstrating the structure of an html element.<p> My cat is very grumpy </p>.](grumpy-cat-small.png) The anatomy of our element is: - **The opening tag:** This consists of the name of the element (in this example, _p_ for paragraph), wrapped in opening and closing angle brackets. This opening tag marks where the element begins or starts to take effect. In this example, it precedes the start of the paragraph text. - **The content:** This is the content of the element. In this example, it is the paragraph text. - **The closing tag:** This is the same as the opening tag, except that it includes a forward slash before the element name. This marks where the element ends. Failing to include a closing tag is a common beginner error that can produce peculiar results. The element is the opening tag, followed by content, followed by the closing tag. ### Active learning: creating your first HTML element Edit the line below in the "Editable code" area by wrapping it with the tags `<em>` and `</em>.` To _open the element_, put the opening tag `<em>` at the start of the line. To _close the element_, put the closing tag `</em>` at the end of the line. Doing this should give the line italic text formatting! See your changes update live in the _Output_ area. If you make a mistake, you can clear your work using the _Reset_ button. If you get really stuck, press the _Show solution_ button to see the answer. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="playable-code" style="min-height: 100px;width: 95%"> This is my text. </textarea> <div class="controls"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: "Open Sans Light", Helvetica, Arial, sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = "<em>This is my text.</em>"; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_creating_your_first_HTML_element', 700, 400, "", "") }} ### Nesting elements Elements can be placed within other elements. This is called _nesting_. If we wanted to state that our cat is **very** grumpy, we could wrap the word _very_ in a {{htmlelement("strong")}} element, which means that the word is to have strong(er) text formatting: ```html <p>My cat is <strong>very</strong> grumpy.</p> ``` There is a right and wrong way to do nesting. In the example above, we opened the `p` element first, then opened the `strong` element. For proper nesting, we should close the `strong` element first, before closing the `p`. The following is an example of the _wrong_ way to do nesting: ```html-nolint example-bad <p>My cat is <strong>very grumpy.</p></strong> ``` The **tags have to open and close in a way that they are inside or outside one another**. With the kind of overlap in the example above, the browser has to guess at your intent. This kind of guessing can result in unexpected results. ### Void elements Not all elements follow the pattern of an opening tag, content, and a closing tag. Some elements consist of a single tag, which is typically used to insert/embed something in the document. Such elements are called {{glossary("void element", "void elements")}}. For example, the {{htmlelement("img")}} element embeds an image file onto a page: ```html <img src="https://raw.githubusercontent.com/mdn/beginner-html-site/gh-pages/images/firefox-icon.png" alt="Firefox icon" /> ``` This would output the following: {{ EmbedLiveSample('Void_elements', 700, 300, "", "") }} > **Note:** In HTML, there is no requirement to add a `/` at the end of a void element's tag, for example: `<img src="images/cat.jpg" alt="cat" />`. However, it is also a valid syntax, and you may do this when you want your HTML to be valid XML. ## Attributes Elements can also have attributes. Attributes look like this: ![paragraph tag with 'class="editor-note"' attribute emphasized](grumpy-cat-attribute-small.png) Attributes contain extra information about the element that won't appear in the content. In this example, the **`class`** attribute is an identifying name used to target the element with style information. An attribute should have: - A space between it and the element name. (For an element with more than one attribute, the attributes should be separated by spaces too.) - The attribute name, followed by an equal sign. - An attribute value, wrapped with opening and closing quote marks. ### Active learning: Adding attributes to an element The `<img>` element can take a number of attributes, including: - `src` - : The `src` attribute is a **required** attribute that specifies the location of the image. For example: `src="https://raw.githubusercontent.com/mdn/beginner-html-site/gh-pages/images/firefox-icon.png"`. - `alt` - : The `alt` attribute specifies a text description of the image. For example: `alt="The Firefox icon"`. - `width` - : The `width` attribute specifies the width of the image with the unit being pixels. For example: `width="300"`. - `height` - : The `height` attribute specifies the height of the image with the unit being pixels. For example: `height="300"`. Edit the line below in the _Input_ area to turn it into an image. 1. Find your favorite image online, right click it, and press _Copy Image Link/Address_. 2. Back in the area below, add the `src` attribute and fill it with the link from step 1. 3. Set the `alt` attribute. 4. Add the `width` and `height` attributes. You will be able to see your changes live in the _Output_ area. If you make a mistake, you can always reset it using the _Reset_ button. If you get really stuck, press the _Show solution_ button to see the answer. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 100px;width: 95%"> &lt;img alt="I should be an image" &gt; </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = '<img src="https://raw.githubusercontent.com/mdn/beginner-html-site/gh-pages/images/firefox-icon.png" alt="Firefox icon" width="100" height="100" />'; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Adding_attributes_to_an_element', 700, 400, "", "") }} ### Boolean attributes Sometimes you will see attributes written without values. This is entirely acceptable. These are called Boolean attributes. Boolean attributes can only have one value, which is generally the same as the attribute name. For example, consider the [`disabled`](/en-US/docs/Web/HTML/Element/input#disabled) attribute, which you can assign to form input elements. (You use this to _disable_ the form input elements so the user can't make entries. The disabled elements typically have a grayed-out appearance.) For example: ```html <input type="text" disabled="disabled" /> ``` As shorthand, it is acceptable to write this as follows: ```html <!-- using the disabled attribute prevents the end user from entering text into the input box --> <input type="text" disabled /> <!-- text input is allowed, as it doesn't contain the disabled attribute --> <input type="text" /> ``` For reference, the example above also includes a non-disabled form input element. The HTML from the example above produces this result: {{ EmbedLiveSample('Boolean_attributes', 700, 100, "", "") }} ### Omitting quotes around attribute values If you look at code for a lot of other sites, you might come across a number of strange markup styles, including attribute values without quotes. This is permitted in certain circumstances, but it can also break your markup in other circumstances. The element in the code snippet below, `<a>`, is called an anchor. Anchors enclose text and turn them into links. The `href` attribute specifies the web address the link points to. You can write this basic version below with _only_ the `href` attribute, like this: ```html <a href=https://www.mozilla.org/>favorite website</a> ``` Anchors can also have a `title` attribute, a description of the linked page. However, as soon as we add the `title` in the same fashion as the `href` attribute there are problems: ```html-nolint example-bad <a href=https://www.mozilla.org/ title=The Mozilla homepage>favorite website</a> ``` As written above, the browser misinterprets the markup, mistaking the `title` attribute for three attributes: a title attribute with the value `The`, and two Boolean attributes, `Mozilla` and `homepage`. Obviously, this is not intended! It will cause errors or unexpected behavior, as you can see in the live example below. Try hovering over the link to view the title text! {{ EmbedLiveSample('Omitting_quotes_around_attribute_values', 700, 100, "", "") }} Always include the attribute quotes. It avoids such problems, and results in more readable code. ### Single or double quotes? In this article, you will also notice that the attributes are wrapped in double quotes. However, you might see single quotes in some HTML code. This is a matter of style. You can feel free to choose which one you prefer. Both of these lines are equivalent: ```html-nolint <a href='https://www.example.com'>A link to my example.</a> <a href="https://www.example.com">A link to my example.</a> ``` Make sure you don't mix single quotes and double quotes. This example (below) shows a kind of mixing of quotes that will go wrong: ```html-nolint example-bad <a href="https://www.example.com'>A link to my example.</a> ``` However, if you use one type of quote, you can include the other type of quote _inside_ your attribute values: ```html <a href="https://www.example.com" title="Isn't this fun?"> A link to my example. </a> ``` To use quote marks inside other quote marks of the same type (single quote or double quote), use [HTML entities](#entity_references_including_special_characters_in_html). For example, this will break: ```html-nolint example-bad <a href="https://www.example.com" title="An "interesting" reference">A link to my example.</a> ``` Instead, you need to do this: ```html-nolint <a href="https://www.example.com" title="An &quot;interesting&quot; reference">A link to my example.</a> ``` ## Anatomy of an HTML document Individual HTML elements aren't very useful on their own. Next, let's examine how individual elements combine to form an entire HTML page: ```html <!doctype html> <html lang="en-US"> <head> <meta charset="utf-8" /> <title>My test page</title> </head> <body> <p>This is my page</p> </body> </html> ``` Here we have: 1. `<!DOCTYPE html>`: The doctype. When HTML was young (1991-1992), doctypes were meant to act as links to a set of rules that the HTML page had to follow to be considered good HTML. Doctypes used to look something like this: ```html <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> ``` More recently, the doctype is a historical artifact that needs to be included for everything else to work right. `<!DOCTYPE html>` is the shortest string of characters that counts as a valid doctype. That is all you need to know! 2. `<html></html>`: The {{htmlelement("html")}} element. This element wraps all the content on the page. It is sometimes known as the root element. 3. `<head></head>`: The {{htmlelement("head")}} element. This element acts as a container for everything you want to include on the HTML page, **that isn't the content** the page will show to viewers. This includes keywords and a page description that would appear in search results, CSS to style content, character set declarations, and more. You will learn more about this in the next article of the series. 4. `<meta charset="utf-8">`: The {{htmlelement("meta")}} element. This element represents metadata that cannot be represented by other HTML meta-related elements, like {{htmlelement("base")}}, {{htmlelement("link")}}, {{htmlelement("script")}}, {{htmlelement("style")}} or {{htmlelement("title")}}. The [`charset`](/en-US/docs/Web/HTML/Element/meta#charset) attribute specifies the character encoding for your document as UTF-8, which includes most characters from the vast majority of human written languages. With this setting, the page can now handle any textual content it might contain. There is no reason not to set this, and it can help avoid some problems later. 5. `<title></title>`: The {{htmlelement("title")}} element. This sets the title of the page, which is the title that appears in the browser tab the page is loaded in. The page title is also used to describe the page when it is bookmarked. 6. `<body></body>`: The {{htmlelement("body")}} element. This contains _all_ the content that displays on the page, including text, images, videos, games, playable audio tracks, or whatever else. ### Active learning: Adding some features to an HTML document If you want to experiment with writing some HTML on your local computer, you can: 1. Copy the HTML page example listed above. 2. Create a new file in your text editor. 3. Paste the code into the new text file. 4. Save the file as `index.html`. > **Note:** You can also find this basic HTML template on the [MDN Learning Area GitHub repo](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/getting-started/index.html). You can now open this file in a web browser to see what the rendered code looks like. Edit the code and refresh the browser to see what the result is. Initially, the page looks like this: ![A simple HTML page that says This is my page](template-screenshot.png)In this exercise, you can edit the code locally on your computer, as described previously, or you can edit it in the sample window below (the editable sample window represents just the contents of the {{htmlelement("body")}} element, in this case). Sharpen your skills by implementing the following tasks: - Just below the opening tag of the {{htmlelement("body")}} element, add a main title for the document. This should be wrapped inside an `<h1>` opening tag and `</h1>` closing tag. - Edit the paragraph content to include text about a topic that you find interesting. - Make important words stand out in bold by wrapping them inside a `<strong>` opening tag and `</strong>` closing tag. - Add a link to your paragraph, as [explained earlier in the article](#active_learning_adding_attributes_to_an_element). - Add an image to your document. Place it below the paragraph, as [explained earlier in the article](#void_elements). Earn bonus points if you manage to link to a different image (either locally on your computer or somewhere else on the web). If you make a mistake, you can always reset it using the _Reset_ button. If you get really stuck, press the _Show solution_ button to see the answer. ```html hidden <h2>Live output</h2> <div class="output" style="min-height: 50px;"></div> <h2>Editable code</h2> <p class="a11y-label"> Press Esc to move focus away from the code area (Tab inserts a tab character). </p> <textarea id="code" class="input" style="min-height: 100px;width: 95%"> &lt;p&gt;This is my page&lt;/p&gt; </textarea> <div class="playable-buttons"> <input id="reset" type="button" value="Reset" /> <input id="solution" type="button" value="Show solution" /> </div> ``` ```css hidden html { font-family: sans-serif; } h1 { color: blue; } h2 { font-size: 16px; } .a11y-label { margin: 0; text-align: right; font-size: 0.7rem; width: 98%; } img { max-width: 100%; } body { margin: 10px; background: #f5f9fa; } ``` ```js hidden const textarea = document.getElementById("code"); const reset = document.getElementById("reset"); const solution = document.getElementById("solution"); const output = document.querySelector(".output"); const code = textarea.value; let userEntry = textarea.value; function updateCode() { output.innerHTML = textarea.value; } const htmlSolution = '<h1>Some music</h1><p>I really enjoy <strong>playing the drums</strong>. One of my favorite drummers is Neal Peart, who plays in the band <a href="https://en.wikipedia.org/wiki/Rush_%28band%29" title="Rush Wikipedia article">Rush</a>. My favorite Rush album is currently <a href="http://www.deezer.com/album/942295">Moving Pictures</a>.</p> <img src="http://www.cygnus-x1.net/links/rush/images/albums/sectors/sector2-movingpictures-cover-s.jpg" alt="Rush Moving Pictures album cover">'; let solutionEntry = htmlSolution; reset.addEventListener("click", () => { textarea.value = code; userEntry = textarea.value; solutionEntry = htmlSolution; solution.value = "Show solution"; updateCode(); }); solution.addEventListener("click", () => { if (solution.value === "Show solution") { textarea.value = solutionEntry; solution.value = "Hide solution"; } else { textarea.value = userEntry; solution.value = "Show solution"; } updateCode(); }); textarea.addEventListener("input", updateCode); window.addEventListener("load", updateCode); // stop tab key tabbing out of textarea and // make it write a tab at the caret position instead textarea.onkeydown = (e) => { if (e.keyCode === 9) { e.preventDefault(); insertAtCaret("\t"); } if (e.keyCode === 27) { textarea.blur(); } }; function insertAtCaret(text) { const scrollPos = textarea.scrollTop; let caretPos = textarea.selectionStart; const front = textarea.value.substring(0, caretPos); const back = textarea.value.substring( textarea.selectionEnd, textarea.value.length, ); textarea.value = front + text + back; caretPos += text.length; textarea.selectionStart = caretPos; textarea.selectionEnd = caretPos; textarea.focus(); textarea.scrollTop = scrollPos; } // Update the saved userCode every time the user updates the text area code textarea.onkeyup = () => { // We only want to save the state when the user code is being shown, // not the solution, so that solution is not saved over the user code if (solution.value === "Show solution") { userEntry = textarea.value; } else { solutionEntry = textarea.value; } updateCode(); }; ``` {{ EmbedLiveSample('Active_learning_Adding_some_features_to_an_HTML_document', 700, 500) }} ### Whitespace in HTML In the examples above, you may have noticed that a lot of whitespace is included in the code. This is optional. These two code snippets are equivalent: ```html-nolint <p id="noWhitespace">Dogs are silly.</p> <p id="whitespace">Dogs are silly.</p> ``` No matter how much whitespace you use inside HTML element content (which can include one or more space characters, but also line breaks), the HTML parser reduces each sequence of whitespace to a single space when rendering the code. So why use so much whitespace? The answer is readability. It can be easier to understand what is going on in your code if you have it nicely formatted. In our HTML we've got each nested element indented by two spaces more than the one it is sitting inside. It is up to you to choose the style of formatting (how many spaces for each level of indentation, for example), but you should consider formatting it. Let's have a look at how the browser renders the two paragraphs above with and without whitespace: {{ EmbedLiveSample('Whitespace_in_HTML', 700, 100) }} > **Note:** Accessing the [innerHTML](/en-US/docs/Web/API/Element/innerHTML) of elements from JavaScript will keep all the whitespace intact. > This may return unexpected results if the whitespace is trimmed by the browser. ```js const noWhitespace = document.getElementById("noWhitespace").innerHTML; console.log(noWhitespace); // "Dogs are silly." const whitespace = document.getElementById("whitespace").innerHTML; console.log(whitespace); // "Dogs // are // silly." ``` ## Entity references: Including special characters in HTML In HTML, the characters `<`, `>`,`"`,`'`, and `&` are special characters. They are parts of the HTML syntax itself. So how do you include one of these special characters in your text? For example, if you want to use an ampersand or less-than sign, and not have it interpreted as code. You do this with character references. These are special codes that represent characters, to be used in these exact circumstances. Each character reference starts with an ampersand (&), and ends with a semicolon (;). | Literal character | Character reference equivalent | | ----------------- | ------------------------------ | | < | `&lt;` | | > | `&gt;` | | " | `&quot;` | | ' | `&apos;` | | & | `&amp;` | The character reference equivalent could be easily remembered because the text it uses can be seen as less than for `&lt;`, quotation for `&quot;` and similarly for others. To find more about entity references, see [List of XML and HTML character entity references](https://en.wikipedia.org/wiki/List_of_XML_and_HTML_character_entity_references) (Wikipedia). In the example below, there are two paragraphs: ```html-nolint <p>In HTML, you define a paragraph using the <p> element.</p> <p>In HTML, you define a paragraph using the &lt;p&gt; element.</p> ``` In the live output below, you can see that the first paragraph has gone wrong. The browser interprets the second instance of `<p>` as starting a new paragraph. The second paragraph looks fine because it has angle brackets with character references. {{ EmbedLiveSample('Entity_references_Including_special_characters_in_HTML', 700, 200, "", "") }} > **Note:** You don't need to use entity references for any other symbols, as modern browsers will handle the actual symbols just fine as long as your HTML's [character encoding is set to UTF-8](/en-US/docs/Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML#specifying_your_documents_character_encoding). ## HTML comments HTML has a mechanism to write comments in the code. Browsers ignore comments, effectively making comments invisible to the user. The purpose of comments is to allow you to include notes in the code to explain your logic or coding. This is very useful if you return to a code base after being away for long enough that you don't completely remember it. Likewise, comments are invaluable as different people are making changes and updates. To write an HTML comment, wrap it in the special markers `<!--` and `-->`. For example: ```html <p>I'm not inside a comment</p> <!-- <p>I am!</p> --> ``` As you can see below, only the first paragraph is displayed in the live output. {{ EmbedLiveSample('HTML_comments', 700, 100, "", "") }} ## Summary You made it to the end of the article! We hope you enjoyed your tour of the basics of HTML. At this point, you should understand what HTML looks like, and how it works at a basic level. You should also be able to write a few elements and attributes. The subsequent articles of this module go further on some of the topics introduced here, as well as presenting other concepts of the language. - As you start to learn more about HTML, consider learning the basics of CSS (Cascading Style Sheets). [CSS](/en-US/docs/Learn/CSS) is the language used to style web pages, such as changing fonts or colors or altering the page layout. HTML and CSS work well together, as you will soon discover. ## See also - [Applying color to HTML elements using CSS](/en-US/docs/Web/CSS/CSS_colors/Applying_color) {{NextMenu("Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML", "Learn/HTML/Introduction_to_HTML")}}
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/the_head_metadata_in_html/index.md
--- title: What's in the head? Metadata in HTML slug: Learn/HTML/Introduction_to_HTML/The_head_metadata_in_HTML page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Getting_started", "Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals", "Learn/HTML/Introduction_to_HTML")}} The {{glossary("Head", "head")}} of an HTML document is the part that is not displayed in the web browser when the page is loaded. It contains information such as the page {{htmlelement("title")}}, links to {{glossary("CSS")}} (if you choose to style your HTML content with CSS), links to custom favicons, and other metadata (data about the HTML, such as the author, and important keywords that describe the document). Web browsers use information contained in the {{glossary("Head", "head")}} to render the HTML document correctly. In this article we'll cover all of the above and more, in order to give you a good basis for working with markup. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Basic HTML familiarity, as covered in <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started" >Getting started with HTML</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn about the HTML head, its purpose, the most important items it can contain, and what effect it can have on the HTML document. </td> </tr> </tbody> </table> ## What is the HTML head? Let's revisit the simple [HTML document we covered in the previous article](/en-US/docs/Learn/HTML/Introduction_to_HTML/Getting_started#anatomy_of_an_html_document): ```html <!doctype html> <html lang="en-US"> <head> <meta charset="utf-8" /> <title>My test page</title> </head> <body> <p>This is my page</p> </body> </html> ``` The HTML head is the contents of the {{htmlelement("head")}} element. Unlike the contents of the {{htmlelement("body")}} element (which are displayed on the page when loaded in a browser), the head's content is not displayed on the page. Instead, the head's job is to contain {{glossary("Metadata", "metadata")}} about the document. In the above example, the head is quite small: ```html <head> <meta charset="utf-8" /> <title>My test page</title> </head> ``` In larger pages however, the head can get quite large. Try going to some of your favorite websites and use the [developer tools](/en-US/docs/Learn/Common_questions/Tools_and_setup/What_are_browser_developer_tools) to check out their head contents. Our aim here is not to show you how to use everything that can possibly be put in the head, but rather to teach you how to use the major elements that you'll want to include in the head, and give you some familiarity. Let's get started. ## Adding a title We've already seen the {{htmlelement("title")}} element in action β€” this can be used to add a title to the document. This however can get confused with the {{htmlelement("Heading_Elements", "h1")}} element, which is used to add a top level heading to your body content β€” this is also sometimes referred to as the page title. But they are different things! - The {{htmlelement("Heading_Elements", "h1")}} element appears on the page when loaded in the browser β€” generally this should be used once per page, to mark up the title of your page content (the story title, or news headline, or whatever is appropriate to your usage.) - The {{htmlelement("title")}} element is metadata that represents the title of the overall HTML document (not the document's content.) ### Active learning: Inspecting a simple example 1. To start off this active learning, we'd like you to go to our GitHub repo and download a copy of our [title-example.html page](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/the-html-head/title-example.html). To do this, either 1. Copy and paste the code out of the page and into a new text file in your code editor, then save it in a sensible place. 2. Press the "Raw" button on the GitHub page, which causes the raw code to appear (possibly in a new browser tab). Next, choose your browser's _Save Page As…_ menu and choose a sensible place to save the file. 2. Now open the file in your browser. You should see something like this: ![A web page with 'title' text in the browser's page tab and 'h1' text as a page heading in the document body.](title-example.png) It should now be completely obvious where the `<h1>` content appears and where the `<title>` content appears! 3. You should also try opening the code up in your code editor, editing the contents of these elements, then refreshing the page in your browser. Have some fun with it. The `<title>` element contents are also used in other ways. For example, if you try bookmarking the page (_Bookmarks > Bookmark This Page_ or the star icon in the URL bar in Firefox), you will see the `<title>` contents filled in as the suggested bookmark name. ![A webpage being bookmarked in Firefox. The bookmark name has been automatically filled in with the contents of the 'title' element](bookmark-example.png) The `<title>` contents are also used in search results, as you'll see below. ## Metadata: the `<meta>` element Metadata is data that describes data, and HTML has an "official" way of adding metadata to a document β€” the {{htmlelement("meta")}} element. Of course, the other stuff we are talking about in this article could also be thought of as metadata too. There are a lot of different types of `<meta>` elements that can be included in your page's `<head>`, but we won't try to explain them all at this stage, as it would just get too confusing. Instead, we'll explain a few things that you might commonly see, just to give you an idea. ### Specifying your document's character encoding In the example we saw above, this line was included: ```html <meta charset="utf-8" /> ``` This element specifies the document's character encoding β€” the character set that the document is permitted to use. `utf-8` is a universal character set that includes pretty much any character from any human language. This means that your web page will be able to handle displaying any language; it's therefore a good idea to set this on every web page you create! For example, your page could handle English and Japanese just fine: ![a web page containing English and Japanese characters, with the character encoding set to universal, or utf-8. Both languages display fine,](correct-encoding.png)If you set your character encoding to `ISO-8859-1`, for example (the character set for the Latin alphabet), your page rendering may appear all messed up: ![a web page containing English and Japanese characters, with the character encoding set to latin. The Japanese characters don't display correctly](bad-encoding.png) > **Note:** Some browsers (like Chrome) automatically fix incorrect encodings, so depending on what browser you use, you may not see this problem. You should still set an encoding of `utf-8` on your page anyway to avoid any potential problems in other browsers. ### Active learning: Experiment with character encoding To try this out, revisit the simple HTML template you obtained in the previous section on `<title>` (the [title-example.html page](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/the-html-head/title-example.html)), try changing the meta charset value to `ISO-8859-1`, and add the Japanese to your page. This is the code we used: ```html <p>Japanese example: γ”ι£―γŒη†±γ„γ€‚</p> ``` ### Adding an author and description Many `<meta>` elements include `name` and `content` attributes: - `name` specifies the type of meta element it is; what type of information it contains. - `content` specifies the actual meta content. Two such meta elements that are useful to include on your page define the author of the page, and provide a concise description of the page. Let's look at an example: ```html <meta name="author" content="Chris Mills" /> <meta name="description" content="The MDN Web Docs Learning Area aims to provide complete beginners to the Web with all they need to know to get started with developing websites and applications." /> ``` Specifying an author is beneficial in many ways: it is useful to be able to understand who wrote the page, if you have any questions about the content and you would like to contact them. Some content management systems have facilities to automatically extract page author information and make it available for such purposes. Specifying a description that includes keywords relating to the content of your page is useful as it has the potential to make your page appear higher in relevant searches performed in search engines (such activities are termed [Search Engine Optimization](/en-US/docs/Glossary/SEO), or {{glossary("SEO")}}.) ### Active learning: The description's use in search engines The description is also used on search engine result pages. Let's go through an exercise to explore this 1. Go to the [front page of The Mozilla Developer Network](/en-US/). 2. View the page's source (right-click on the page, choose _View Page Source_ from the context menu.) 3. Find the description meta tag. It will look something like this (although it may change over time): ```html <meta name="description" content="The MDN Web Docs site provides information about Open Web technologies including HTML, CSS, and APIs for both websites and progressive web apps." /> ``` 4. Now search for "MDN Web Docs" in your favorite search engine (We used Google.) You'll notice the description `<meta>` and `<title>` element content used in the search result β€” definitely worth having! ![A Yahoo search result for "Mozilla Developer Network"](mdn-search-result.png) > **Note:** In Google, you will see some relevant subpages of MDN Web Docs listed below the main homepage link β€” these are called sitelinks, and are configurable in [Google's webmaster tools](https://search.google.com/search-console/about?hl=en) β€” a way to make your site's search results better in the Google search engine. > **Note:** Many `<meta>` features just aren't used anymore. For example, the keyword `<meta>` element (`<meta name="keywords" content="fill, in, your, keywords, here">`) β€” which is supposed to provide keywords for search engines to determine the relevance of that page for different search terms β€” is ignored by search engines, because spammers were just filling the keyword list with hundreds of keywords, biasing results. ### Other types of metadata As you travel around the web, you'll find other types of metadata, too. Many of the features you'll see on websites are proprietary creations designed to provide certain sites (such as social networking sites) with specific information they can use. For example, [Open Graph Data](https://ogp.me/) is a metadata protocol that Facebook invented to provide richer metadata for websites. In the MDN Web Docs sourcecode, you'll find this: ```html <meta property="og:image" content="https://developer.mozilla.org/mdn-social-share.png" /> <meta property="og:description" content="The Mozilla Developer Network (MDN) provides information about Open Web technologies including HTML, CSS, and APIs for both websites and HTML Apps." /> <meta property="og:title" content="Mozilla Developer Network" /> ``` One effect of this is that when you link to MDN Web Docs on Facebook, the link appears along with an image and description: a richer experience for users. ![Open graph protocol data from the MDN homepage as displayed on facebook, showing an image, title, and description.](facebook-output.png) ## Adding custom icons to your site To further enrich your site design, you can add references to custom icons in your metadata, and these will be displayed in certain contexts. The most commonly used of these is the **favicon** (short for "favorites icon", referring to its use in the "favorites" or "bookmarks" lists in browsers). The humble favicon has been around for many years. It is the first icon of this type: a 16-pixel square icon used in multiple places. You may see (depending on the browser) favicons displayed in the browser tab containing each open page, and next to bookmarked pages in the bookmarks panel. A favicon can be added to your page by: 1. Saving it in the same directory as the site's index page, saved in `.ico` format (most also support favicons in more common formats like `.gif` or `.png`) 2. Adding the following line into your HTML's {{HTMLElement("head")}} block to reference it: ```html <link rel="icon" href="favicon.ico" type="image/x-icon" /> ``` Here is an example of a favicon in a bookmarks panel: ![The Firefox bookmarks panel, showing a bookmarked example with a favicon displayed next to it.](bookmark-favicon.png) There are lots of other icon types to consider these days as well. For example, you'll find this in the source code of the MDN Web Docs homepage: ```html <!-- third-generation iPad with high-resolution Retina display: --> <link rel="apple-touch-icon" sizes="144x144" href="https://developer.mozilla.org/static/img/favicon144.png" /> <!-- iPhone with high-resolution Retina display: --> <link rel="apple-touch-icon" sizes="114x114" href="https://developer.mozilla.org/static/img/favicon114.png" /> <!-- first- and second-generation iPad: --> <link rel="apple-touch-icon" sizes="72x72" href="https://developer.mozilla.org/static/img/favicon72.png" /> <!-- non-Retina iPhone, iPod Touch, and Android 2.1+ devices: --> <link rel="apple-touch-icon" href="https://developer.mozilla.org/static/img/favicon57.png" /> <!-- basic favicon --> <link rel="icon" href="https://developer.mozilla.org/static/img/favicon32.png" /> ``` The comments explain what each icon is used for β€” these elements cover things like providing a nice high resolution icon to use when the website is saved to an iPad's home screen. Don't worry too much about implementing all these types of icon right now β€” this is a fairly advanced feature, and you won't be expected to have knowledge of this to progress through the course. The main purpose here is to let you know what such things are, in case you come across them while browsing other websites' source code. > **Note:** If your site uses a Content Security Policy (CSP) to enhance its security, the policy applies to the favicon. If you encounter problems with the favicon not loading, verify that the {{HTTPHeader("Content-Security-Policy")}} header's [`img-src` directive](/en-US/docs/Web/HTTP/Headers/Content-Security-Policy/img-src) is not preventing access to it. ## Applying CSS and JavaScript to HTML Just about all websites you'll use in the modern day will employ {{glossary("CSS")}} to make them look cool, and {{glossary("JavaScript")}} to power interactive functionality, such as video players, maps, games, and more. These are most commonly applied to a web page using the {{htmlelement("link")}} element and the {{htmlelement("script")}} element, respectively. - The {{htmlelement("link")}} element should always go inside the head of your document. This takes two attributes, `rel="stylesheet"`, which indicates that it is the document's stylesheet, and `href`, which contains the path to the stylesheet file: ```html <link rel="stylesheet" href="my-css-file.css" /> ``` - The {{htmlelement("script")}} element should also go into the head, and should include a `src` attribute containing the path to the JavaScript you want to load, and `defer`, which basically instructs the browser to load the JavaScript after the page has finished parsing the HTML. This is useful as it makes sure that the HTML is all loaded before the JavaScript runs, so that you don't get errors resulting from JavaScript trying to access an HTML element that doesn't exist on the page yet. There are actually a number of ways to handle loading JavaScript on your page, but this is the most reliable one to use for modern browsers (for others, read [Script loading strategies](/en-US/docs/Learn/JavaScript/First_steps/What_is_JavaScript#script_loading_strategies)). ```html <script src="my-js-file.js" defer></script> ``` > **Note:** The `<script>` element may look like a {{glossary("void element")}}, but it's not, and so needs a closing tag. Instead of pointing to an external script file, you can also choose to put your script inside the `<script>` element. ### Active learning: applying CSS and JavaScript to a page 1. To start this active learning, grab a copy of our [meta-example.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/the-html-head/meta-example.html), [script.js](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/the-html-head/script.js) and [style.css](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/the-html-head/style.css) files, and save them on your local computer in the same directory. Make sure they are saved with the correct names and file extensions. 2. Open the HTML file in both your browser, and your text editor. 3. By following the information given above, add {{htmlelement("link")}} and {{htmlelement("script")}} elements to your HTML, so that your CSS and JavaScript are applied to your HTML. If done correctly, when you save your HTML and refresh your browser you should be able to see that things have changed: ![Example showing a page with CSS and JavaScript applied to it. The CSS has made the page go green, whereas the JavaScript has added a dynamic list to the page.](js-and-css.png) - The JavaScript has added an empty list to the page. Now when you click anywhere outside the list, a dialog box will pop up asking you to enter some text for a new list item. When you press the OK button, a new list item will be added to the list containing the text. When you click on an existing list item, a dialog box will pop up allowing you to change the item's text. - The CSS has caused the background to go green, and the text to become bigger. It has also styled some of the content that the JavaScript has added to the page (the red bar with the black border is the styling the CSS has added to the JS-generated list.) > **Note:** If you get stuck in this exercise and can't get the CSS/JS to apply, try checking out our [css-and-js.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/the-html-head/css-and-js.html) example page. ## Setting the primary language of the document Finally, it's worth mentioning that you can (and really should) set the language of your page. This can be done by adding the [lang attribute](/en-US/docs/Web/HTML/Global_attributes/lang) to the opening HTML tag (as seen in the [meta-example.html](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/the-html-head/meta-example.html) and shown below.) ```html <html lang="en-US"> … </html> ``` This is useful in many ways. Your HTML document will be indexed more effectively by search engines if its language is set (allowing it to appear correctly in language-specific results, for example), and it is useful to people with visual impairments using screen readers (for example, the word "six" exists in both French and English, but is pronounced differently.) You can also set subsections of your document to be recognized as different languages. For example, we could set our Japanese language section to be recognized as Japanese, like so: ```html <p>Japanese example: <span lang="ja">γ”ι£―γŒη†±γ„γ€‚</span>.</p> ``` These codes are defined by the [ISO 639-1](https://en.wikipedia.org/wiki/ISO_639-1) standard. You can find more about them in [Language tags in HTML and XML](https://www.w3.org/International/articles/language-tags/). ## Summary That marks the end of our quickfire tour of the HTML head β€” there's a lot more you can do in here, but an exhaustive tour would be boring and confusing at this stage, and we just wanted to give you an idea of the most common things you'll find in there for now! In the next article, we'll be looking at [HTML text fundamentals](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals). {{PreviousMenuNext("Learn/HTML/Introduction_to_HTML/Getting_started", "Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals", "Learn/HTML/Introduction_to_HTML")}}
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/test_your_skills_colon__html_text_basics/index.md
--- title: "Test your skills: HTML text basics" slug: Learn/HTML/Introduction_to_HTML/Test_your_skills:_HTML_text_basics page-type: learn-module-assessment --- {{learnsidebar}} The aim of this skill test is to assess whether you understand how to [mark up text in HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/HTML_text_fundamentals) to give it structure and meaning. > **Note:** You can try solutions in the interactive editors on this page or in an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > > If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## Task 1 In this task, we want you to mark up the provided HTML using semantic heading and paragraph elements. The finished example should look like this: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/basic-text/basic-text1-finished.html", '100%', 300)}} Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/basic-text/basic-text1.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/tasks/basic-text/basic-text1-download.html) to work in your own editor or in an online editor. ## Task 2 In this task, we want you to turn the first un-marked up list into an unordered list, and the second one into an ordered list. The finished example should look like this: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/basic-text/basic-text2-finished.html", '100%', 400)}} Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/basic-text/basic-text2.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/tasks/basic-text/basic-text2-download.html) to work in your own editor or in an online editor. ## Task 3 In this task, you are provided with a paragraph, and your aim is to use some inline elements to mark up a couple of appropriate words with strong importance, and a couple with emphasis. The finished example should look like this: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/basic-text/basic-text3-finished.html", '100%', 120)}} Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/html/introduction-to-html/tasks/basic-text/basic-text3.html", '100%', 700)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/html/introduction-to-html/tasks/basic-text/basic-text3-download.html) to work in your own editor or in an online editor.
0
data/mdn-content/files/en-us/learn/html/introduction_to_html
data/mdn-content/files/en-us/learn/html/introduction_to_html/structuring_a_page_of_content/index.md
--- title: Structuring a page of content slug: Learn/HTML/Introduction_to_HTML/Structuring_a_page_of_content page-type: learn-module-assessment --- {{LearnSidebar}}{{PreviousMenu("Learn/HTML/Introduction_to_HTML/Marking_up_a_letter", "Learn/HTML/Introduction_to_HTML")}} Structuring a page of content ready for laying it out using CSS is a very important skill to master, so in this assessment you'll be tested on your ability to think about how a page might end up looking, and choose appropriate structural semantics to build a layout on top of. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Before attempting this assessment you should have already worked through the rest of the course, with a particular emphasis on <a href="/en-US/docs/Learn/HTML/Introduction_to_HTML/Document_and_website_structure" >Document and website structure</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To test knowledge of web page structures, and how to represent a prospective layout design in markup. </td> </tr> </tbody> </table> ## Starting point To get this assessment started, you should go and grab the [zip file containing all the starting assets](https://raw.githubusercontent.com/mdn/learning-area/main/html/introduction-to-html/structuring-a-page-of-content-start/assets.zip). The zip file contains: - The HTML you need to add structural markup to. - CSS to style your markup. - Images that are used on the page. Create the example on your local computer, or alternatively use an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > **Note:** If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## Project brief For this project, your task is to take the content for the homepage of a bird watching website and add structural elements to it so it can have a page layout applied to it. It needs to have: - A header spanning the full width of the site containing the main title for the page, the site logo, and the navigation menu. The title and logo appear side by side once styling is applied, and the navigation appears below those two items. - A main content area containing two columns β€” a main block to contain the welcome text, and a sidebar to contain image thumbnails. - A footer containing copyright information and credits. You need to add a suitable wrapper for: - The header - The navigation menu - The main content - The welcome text - The image sidebar - The footer You should also: - Apply the provided CSS to the page by adding another {{htmlelement("link")}} element just below the existing one provided at the start. ## Hints and tips - Use the [W3C Nu HTML Checker](https://validator.w3.org/nu/) to catch unintended mistakes in your HTML, CSS, and SVG β€” mistakes you might have otherwise missed β€” so that you can fix them. - You don't need to know any CSS to do this assessment; you just need to put the provided CSS inside an HTML element. - The provided CSS is designed so that when the correct structural elements are added to the markup, they will appear green in the rendered page. - If you are getting stuck and can't envisage what elements to put where, draw out a simple block diagram of the page layout, and write on the elements you think should wrap each block. This is extremely helpful. ## Example The following screenshot shows an example of what the homepage might look like after being marked up. ![The finished example for the assessment; a simple webpage about birdwatching, including a heading of "Birdwatching", bird photos, and a welcome message](example-page.png) {{PreviousMenu("Learn/HTML/Introduction_to_HTML/Marking_up_a_letter", "Learn/HTML/Introduction_to_HTML")}}
0
data/mdn-content/files/en-us/learn
data/mdn-content/files/en-us/learn/common_questions/index.md
--- title: Common questions slug: Learn/Common_questions page-type: landing-page --- {{LearnSidebar}} This section of the Learning Area is designed to provide answers to common questions that may come up, which are not necessarily part of the structured core learning pathways (e.g. the [HTML](/en-US/docs/Learn/HTML) or [CSS](/en-US/docs/Learn/CSS) learning articles.) These articles are designed to work on their own. - [HTML questions](/en-US/docs/Learn/HTML/Howto) - [CSS questions](/en-US/docs/Learn/CSS/Howto) - [JavaScript questions](/en-US/docs/Learn/JavaScript/Howto) - [Web mechanics](/en-US/docs/Learn/Common_questions/Web_mechanics) - [Tools and setup](/en-US/docs/Learn/Common_questions/Tools_and_setup) - [Design and accessibility](/en-US/docs/Learn/Common_questions/Design_and_accessibility)
0
data/mdn-content/files/en-us/learn/common_questions
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/index.md
--- title: Tools and setup slug: Learn/Common_questions/Tools_and_setup page-type: landing-page --- {{LearnSidebar}} This section lists questions related to the tools/software you can use to build websites. - [What software do I need to build a website?](/en-US/docs/Learn/Common_questions/Tools_and_setup/What_software_do_I_need) - : In this article we explain which software components you need to edit, upload, or view a website. - [How much does it cost to do something on the web?](/en-US/docs/Learn/Common_questions/Tools_and_setup/How_much_does_it_cost) - : When you're launching a website, you may spend nothing or your costs may go through the roof. In this article we discuss how much everything costs and what you get for what you pay (or don't pay). - [What text editors are available?](/en-US/docs/Learn/Common_questions/Tools_and_setup/Available_text_editors) - : In this article we highlight some things to think about when choosing and installing a text editor for web development. - [What are browser developer tools?](/en-US/docs/Learn/Common_questions/Tools_and_setup/What_are_browser_developer_tools) - : Every browser features a set of devtools for debugging HTML, CSS, and other web code. This article explains how to use the basic functions of your browser's devtools. - [How do you make sure your website works properly?](/en-US/docs/Learn/Common_questions/Tools_and_setup/Checking_that_your_web_site_is_working_properly) - : So you've published your website online β€” very good! But are you sure it works properly? This article provides some basic troubleshooting steps. - [How do you set up a local testing server?](/en-US/docs/Learn/Common_questions/Tools_and_setup/set_up_a_local_testing_server) - : This article explains how to set up a simple local testing server on your machine, and the basics of how to use it. - [How do you upload files to a web server?](/en-US/docs/Learn/Common_questions/Tools_and_setup/Upload_files_to_a_web_server) - : This article shows how to publish your site online with {{Glossary("FTP")}} tools β€” one of the most common ways to get a website online so others can access it from their computers. - [How do I use GitHub Pages?](/en-US/docs/Learn/Common_questions/Tools_and_setup/Using_GitHub_pages) - : This article provides a basic guide to publishing content using GitHub's gh-pages feature. - [How do you host your website on Google App Engine?](/en-US/docs/Learn/Common_questions/Tools_and_setup/How_do_you_host_your_website_on_Google_App_Engine) - : Looking for a place to host your website? Here's a step-by-step guide to hosting your website on Google App Engine. - [What tools are available to debug and improve website performance?](https://firefox-source-docs.mozilla.org/devtools-user/performance/index.html) - : This set of articles shows you how to use the Developer Tools in Firefox to debug and improve performance of your website, using the tools to check memory usage, the JavaScript call tree, the number of DOM nodes being rendered, and more.
0
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/set_up_a_local_testing_server/index.md
--- title: How do you set up a local testing server? slug: Learn/Common_questions/Tools_and_setup/set_up_a_local_testing_server page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} This article explains how to set up a simple local testing server on your machine, and the basics of how to use it. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You need to first know <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/How_does_the_Internet_work" >how the Internet works</a >, and <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_web_server" >what a Web server is</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td>You will learn how to set up a local testing server.</td> </tr> </tbody> </table> ## Local files vs. remote files Throughout most of the learning area, we tell you to just open your examples directly in a browser β€” this can be done by double-clicking the HTML file, dragging and dropping it into the browser window, or choosing _File_ > _Open…_ and navigating to the HTML file. There are many ways to achieve this. If the web address path starts with `file://` followed by the path to the file on your local hard drive, a local file is being used. In contrast, if you view one of our examples hosted on GitHub (or an example on some other remote server), the web address will start with `http://` or `https://`, to show that the file has been received via HTTP. ## The problem with testing local files Some examples won't run if you open them as local files. This can be due to a variety of reasons, the most likely being: - **They feature asynchronous requests**. Some browsers (including Chrome) will not run async requests (see [Fetching data from the server](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Fetching_data)) if you just run the example from a local file. This is because of security restrictions (for more on web security, read [Website security](/en-US/docs/Learn/Server-side/First_steps/Website_security)). - **They feature a server-side language**. Server-side languages (such as PHP or Python) require a special server to interpret the code and deliver the results. - **They include other files**. Browsers commonly treat requests to load resources using the `file://` schema as cross-origin requests. So if you load a local file that includes other local files, this may trigger a {{Glossary("CORS")}} error. ## Running a simple local HTTP server To get around the problem of async requests, we need to test such examples by running them through a local web server. ### Using an extension in your code editor If you only need HTML, CSS and JavaScript, and no server-side language, the easiest way may be to check for extensions in your code editor. As well as automating installation and set-up for your local HTTP server, they also integrate nicely with your code editors. Testing local files in an HTTP server may be one click away. For VSCode, you can check the following free extension: - `vscode-preview-server`. You can check it on its [home page](https://marketplace.visualstudio.com/items?itemName=yuichinukiyama.vscode-preview-server). ### Using Python Another way to achieve this is to use Python's `http.server` module. > **Note:** Older versions of Python (up to version 2.7) provided a similar module named `SimpleHTTPServer`. If you are using Python 2.x, you can follow this guide by replacing all uses of `http.server` with `SimpleHTTPServer`. However, we recommend you use the latest version of Python. To do this: 1. Install Python. If you are using Linux or macOS, it should be available on your system already. If you are a Windows user, you can get an installer from the Python homepage and follow the instructions to install it: - Go to [python.org](https://www.python.org/) - Under the Download section, click the link for Python "3.xxx". - At the bottom of the page, click the _Windows Installer_ link to download the installer file. - When it has downloaded, run it. - On the first installer page, make sure you check the "Add Python 3.xxx to PATH" checkbox. - Click _Install_, then click _Close_ when the installation has finished. 2. Open your command prompt (Windows) / terminal (macOS/ Linux). To check if Python is installed, enter the following command: ```bash python -V # If the above fails, try: python3 -V # Or, if the "py" command is available, try: py -V ``` 3. This should return a version number. If this is OK, navigate to the directory that contains the website code you want to test, using the `cd` command. ```bash # include the directory name to enter it, for example cd Desktop # use two dots to jump up one directory level if you need to cd .. ``` 4. Enter the command to start up the server in that directory: ```bash # If Python version returned above is 3.X # On Windows, try "python -m http.server" or "py -3 -m http.server" python3 -m http.server # If Python version returned above is 2.X python -m SimpleHTTPServer ``` 5. By default, this will run the contents of the directory on a local web server, on port 8000. You can go to this server by going to the URL `localhost:8000` in your web browser. Here you'll see the contents of the directory listed β€” click the HTML file you want to run. > **Note:** If you already have something running on port 8000, you can choose another port by running the server command followed by an alternative port number, e.g. `python3 -m http.server 7800` (Python 3.x) or `python -m SimpleHTTPServer 7800` (Python 2.x). You can then access your content at `localhost:7800`. ## Running server-side languages locally Python's `http.server` (or `SimpleHTTPServer` for Python 2) module is useful, but it is merely a _static_ file server; it doesn't know how to run code written in languages such as Python, PHP or JavaScript. To handle them, you'll need something more β€” exactly what you'll need depends on the server-side language you are trying to run. Here are a few examples: - To run Python server-side code, you'll need to use a Python web framework. There are many popular Python web frameworks, such as Django (a [guide](/en-US/docs/Learn/Server-side/Django) is available), [Flask](https://flask.palletsprojects.com/), and [Pyramid](https://trypyramid.com). - To run Node.js (JavaScript) server-side code, you'll need to use raw node or a framework built on top of it. Express is a good choice β€” see [Express Web Framework (Node.js/JavaScript)](/en-US/docs/Learn/Server-side/Express_Nodejs). - To run PHP server-side code, launch [PHP's built-in development server](https://www.php.net/manual/en/features.commandline.webserver.php): ```bash cd path/to/your/php/code php -S localhost:8000 ```
0
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/what_software_do_i_need/index.md
--- title: What software do I need to build a website? slug: Learn/Common_questions/Tools_and_setup/What_software_do_I_need page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} In this article, we lay out which software components you need when you're editing, uploading, or viewing a website. <table class="standard-table"> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should already know <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/Pages_sites_servers_and_search_engines" >the difference between webpages, websites, web servers, and search engines.</a > </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn which software components you need if you want to edit, upload, or view a website. </td> </tr> </tbody> </table> ## Summary You can download most of the programs you need for web development for free. We'll provide a few links in this article. You'll need tools to: - Create and edit webpages - Upload files to your web server - View your website Nearly all operating systems by default include a text editor and a browser, which you can use to view websites. As a result, you usually only need to acquire software for transferring files to your web server. ## Active Learning _There is no active learning available yet. [Please, consider contributing](/en-US/docs/MDN/Community/Contributing/Getting_started)._ ## Dig deeper ### Creating and editing webpages To create and edit a website, you need a text editor. Text editors create and modify unformatted text files. Other formats, like **{{Glossary("RTF")}}**, let you add formatting, like bold or underline. Those formats are not suitable for writing web pages. You should put some thought into which text editor you use, since you'll be working with it extensively while you're building the website. All desktop operating systems come with a basic text editor. These editors are all straightforward, but lack special features for webpage coding. If you want something a bit fancier, there are plenty of third-party tools available. Third-party editors often come with extra features, including syntax coloring, auto-completion, collapsible sections, and code search. Here is a short list of editors: <table class="standard-table"> <thead> <tr> <th scope="col">Operating system</th> <th scope="col">Built-in editor</th> <th scope="col">Third-party editor</th> </tr> </thead> <tbody> <tr> <td>Windows</td> <td> <ul> <li> <a href="https://en.wikipedia.org/wiki/Notepad_%28software%29" rel="external" >Notepad</a > </li> </ul> </td> <td> <ul> <li><a href="https://notepad-plus-plus.org/">Notepad++</a></li> <li> <a href="https://www.visualstudio.com/">Visual Studio Code</a> </li> <li><a href="https://www.jetbrains.com/webstorm/">Web Storm</a></li> <li><a href="https://brackets.io/">Brackets</a></li> <li><a href="https://shiftedit.net/">ShiftEdit</a></li> <li><a href="https://www.sublimetext.com/">Sublime Text</a></li> </ul> </td> </tr> <tr> <td>Mac OS</td> <td> <ul> <li> <a href="https://en.wikipedia.org/wiki/TextEdit" rel="external" >TextEdit</a > </li> </ul> </td> <td> <ul> <li> <a href="https://www.barebones.com/products/textwrangler/" >TextWrangler</a > </li> <li> <a href="https://www.visualstudio.com/">Visual Studio Code</a> </li> <li><a href="https://brackets.io/">Brackets</a></li> <li><a href="https://shiftedit.net/">ShiftEdit</a></li> <li><a href="https://www.sublimetext.com/">Sublime Text</a></li> </ul> </td> </tr> <tr> <td>Linux</td> <td> <ul> <li> <a href="https://en.wikipedia.org/wiki/Vi" rel="external">Vi</a> (All UNIX) </li> <li> <a href="https://en.wikipedia.org/wiki/Gedit" rel="external" >GEdit</a > (Gnome) </li> <li> <a href="https://en.wikipedia.org/wiki/Kate_%28text_editor%29" rel="external" >Kate</a > (KDE) </li> <li> <a href="https://en.wikipedia.org/wiki/Leafpad" rel="external" >LeafPad</a > (Xfce) </li> </ul> </td> <td> <ul> <li><a href="https://www.gnu.org/software/emacs/">Emacs</a></li> <li><a href="https://www.vim.org/" rel="external">Vim</a></li> <li> <a href="https://www.visualstudio.com/">Visual Studio Code</a> </li> <li><a href="https://brackets.io/">Brackets</a></li> <li><a href="https://shiftedit.net/">ShiftEdit</a></li> <li><a href="https://www.sublimetext.com/">Sublime Text</a></li> </ul> </td> </tr> <tr> <td>ChromeOS</td> <td></td> <td> <ul> <li><a href="https://shiftedit.net/">ShiftEdit</a></li> </ul> </td> </tr> </tbody> </table> Here is a screenshot of an advanced text editor: ![Screenshot of Notepad++.](notepadplusplus.png) Here is a screenshot of an online text editor: ![Screenshot of ShiftEdit](shiftedit.png) ### Uploading files on the Web When your website is ready for public viewing, you'll have to upload your webpages to your web server. You can buy space on a server from various providers (see [How much does it cost to do something on the web?](/en-US/docs/Learn/Common_questions/Tools_and_setup/How_much_does_it_cost)). Once you settle on which provider to use, the provider will email you the access information, usually in the form of an SFTP URL, username, password, and other information needed to connect to their server. Bear in mind that (S)FTP is now somewhat old-fashioned, and other uploading systems are starting to become popular, such as [RSync](https://en.wikipedia.org/wiki/Rsync) and [Git/GitHub](https://docs.github.com/en/pages/configuring-a-custom-domain-for-your-github-pages-site). > **Note:** FTP is inherently insecure. You should make sure your hosting provider allows use of a secure connection, e.g. SFTP or RSync over SSH. Uploading files to a web server is a very important step while creating a website, so we cover it in detail in [a separate article](/en-US/docs/Learn/Common_questions/Tools_and_setup/Upload_files_to_a_web_server). For now, here's a short list of free basic (S)FTP clients: <table class="standard-table"> <thead> <tr> <th scope="col">Operating system</th> <th colspan="2" scope="col">FTP software</th> </tr> </thead> <tbody> <tr> <td>Windows</td> <td> <ul> <li><a href="https://winscp.net">WinSCP</a></li> <li><a href="https://mobaxterm.mobatek.net/">Moba Xterm</a></li> </ul> </td> <td rowspan="3"> <ul> <li> <a href="https://filezilla-project.org/">FileZilla</a> (All OS) </li> </ul> </td> </tr> <tr> <td>Linux</td> <td> <ul> <li> <a href="https://wiki.gnome.org/action/show/Apps/Files?action=show&#x26;redirect=Apps%2FNautilus" rel="external" >Nautilus/Files</a > (Gnome) </li> <li> <a href="https://dolphin.com/" rel="external">Dolphin</a> (KDE) </li> </ul> </td> </tr> <tr> <td>Mac OS</td> <td> <ul> <li><a href="https://cyberduck.de/">Cyberduck</a></li> </ul> </td> </tr> <tr> <td>ChromeOS</td> <td> <ul> <li><a href="https://shiftedit.net/">ShiftEdit</a> (All OS)</li> </ul> </td> <td></td> </tr> </tbody> </table> ### Browsing websites As you already know, you need a web browser to view websites. There are [dozens](https://en.wikipedia.org/wiki/List_of_web_browsers) of browser options for your personal use, but when you're developing a website you should test it at least with the following major browsers, to make sure your site works for most people: - [Mozilla Firefox](https://www.mozilla.org/en-US/firefox/new/) - [Google Chrome](https://www.google.com/chrome/) - [Apple Safari](https://www.apple.com/safari/) If you're targeting a specific group (e.g., technical platform or country), you may have to test the site with additional browsers, like [Opera](https://www.opera.com/), [Konqueror](https://apps.kde.org/konqueror/). Testing gets complicated because some browsers only run on certain operating systems. Apple Safari runs on iOS and macOS, while Internet Explorer runs only on Windows. It's best to take advantage of services like [Browsershots](https://browsershots.org/) or [Browserstack](https://www.browserstack.com/). Browsershots furnishes screenshots of your website as it will look in various browsers. Browserstack gives you full remote access to virtual machines, so you can test your site in the most common environments and on different operating systems. Alternatively, you can set up your own virtual machines, but that takes some expertise. See [Strategies for carrying out testing: Putting together a testing lab](/en-US/docs/Learn/Tools_and_testing/Cross_browser_testing/Testing_strategies#putting_together_a_testing_lab) for more information. By all means run some tests on a real device, especially on real mobile devices. Mobile device simulation is a new, evolving technology and less reliable than desktop simulation. Mobile devices cost money, of course, so we suggest taking a look at the [Open Device Lab initiative](https://www.smashingmagazine.com/2016/11/worlds-best-open-device-labs/#odls-have-opened-doors-for-idls). You can also share devices if you want to test on many platforms without spending too much. ## Next steps - Some of this software is free, but not all of it. [Find out how much it costs to do something on the web](/en-US/docs/Learn/Common_questions/Tools_and_setup/How_much_does_it_cost). - If you'd like to learn more about text editors, read our article about [how to choose and install a text editor](/en-US/docs/Learn/Common_questions/Tools_and_setup/Available_text_editors). - If you're wondering how to publish your website on the web, look at ["How to upload files to a web server"](/en-US/docs/Learn/Common_questions/Tools_and_setup/Upload_files_to_a_web_server).
0
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/checking_that_your_web_site_is_working_properly/index.md
--- title: How do you make sure your website works properly? slug: Learn/Common_questions/Tools_and_setup/Checking_that_your_web_site_is_working_properly page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} In this article, we go over various troubleshooting steps for a website and some basic actions to take in order to solve these issues. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You need to know how to <a href="/en-US/docs/Learn/Common_questions/Tools_and_setup/Upload_files_to_a_web_server" >upload files to a web server</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> You will learn how to diagnose and resolve some basic issues you can run into with your website. </td> </tr> </tbody> </table> So you've published your website online? Very good! But are you sure it works properly? A distant web server often behaves quite differently from a local one, so it's a good idea to test your website once it's online. You might be surprised at how many problems come up: images don't show up, pages don't load or load slowly, and so on. Most of the time it's no big deal, just a simple mistake or an issue with your web hosting configuration. Let's see how to diagnose and solve those problems. ## Active Learning _There is no active learning available yet. [Please, consider contributing](/en-US/docs/MDN/Community/Contributing/Getting_started)._ ## Dig deeper ### Test in your browser If you want to know whether your website works correctly, the first thing to do is fire up your browser and go to the page you want to test. #### Uh-oh, where's the image? Let's look at our personal website, `http://demozilla.examplehostingprovider.net/`. It's not showing the image we expected! ![Oops, the 'unicorn' image is missing](image-missing.png) Open Firefox's Network tool (**Tools ➀ Web Developer ➀ Network**) and reload the page: ![The image has a 404 error](error404.png) There's the problem, that "404" at the bottom. "404" means "resource not found", and that's why we didn't see the image. #### HTTP statuses Servers respond with a status message whenever they receive a request. Here are the most common statuses: - **200: OK** - : The resource you asked for was delivered. - **301: Moved permanently** - : The resource has moved to a new location. You won't see this much in your browser, but it's good to know about "301" since search engines use this information a lot to update their indexes. - **304: Not modified** - : The file has not changed since the last time you asked for it, so your browser can display the version from its cache, resulting in faster response times and more efficient use of bandwidth. - **403: Forbidden** - : You aren't allowed to display the resource. Usually it has to do with a configuration mistake (e.g. your hosting provider forgot to give you access rights to a directory). - **404: Not found** - : Self-explanatory. We'll discuss how to solve this below. - **500: Internal server error** - : Something went wrong on the server. For instance, maybe the server-side language ({{Glossary("PHP")}}, .Net, etc.) stopped working, or the web server itself has a configuration problem. Usually it's best to resort to your hosting provider's support team. - **503: Service unavailable** - : Usually resulting from a short term system overload. The server has some sort of problem. Try again in a little while. As beginners checking our (simple) website, we'll deal most often with 200, 304, 403, and 404. #### Fixing the 404 So what went wrong? ![Le list of images in our project](demozilla-images-list.png) At first glance, the image we asked for seems to be in the right place but the Network tool reported a "404". It turns out that we made a typo in our HTML code: `unicorn_pics.png` rather than `unicorn_pic.png`. So correct the typo in your code editor by changing the image's `src` attribute: ![Deleting the 's'](code-correct.png) Save, [push to the server](/en-US/docs/Learn/Common_questions/Tools_and_setup/Upload_files_to_a_web_server), and reload the page in your browser: ![The image loads correctly in the browser](image-corrected.png) There you go! Let's look at the {{Glossary("HTTP")}} statuses again: - **200** for `/` and for `unicorn_pic.png` means that we succeeded in reloading the page and the image. - **304** for `basic.css` means that this file has not changed since the last request, so the browser can use the file in its cache rather than receiving a fresh copy. So we fixed the error and learned a few HTTP statuses along the way! ### Frequent errors The most frequent errors that we find are these: #### Typos in the address We wanted to type `http://demozilla.examplehostingprovider.net/` but typed too fast and forgot an "l": ![Address unreachable](cannot-find-server.png) The address cannot be found. Indeed. #### 404 errors Many times the error results just from a typo, but sometimes maybe you either forgot to upload a resource or you lost your network connection while you were uploading your resources. First check the spelling and accuracy of the file path, and if there's still a problem, upload your files again. That will likely fix the problem. #### JavaScript errors Someone (possibly you) added a script to the page and made a mistake. This will not prevent the page from loading, but you will feel something went wrong. Open the console (**Tools ➀ Web developer ➀ Web Console**) and reload the page: ![A JavaScript error is shown in the Console](js-error.png) In this example, we learn (quite clearly) what the error is, and we can go fix it (we will cover JavaScript in [another series](/en-US/docs/Learn/JavaScript) of articles). ### More things to check We have listed a few simple ways to check that your website works properly, as well as the most common errors you may run across and how to fix them. You can also test if your page meets these criteria: #### How's the performance? Does the page load fast enough? Resources like [WebPageTest.org](https://www.webpagetest.org/) or browser add-ons like [YSlow](https://github.com/marcelduran/yslow) can tell you a few interesting things: ![Yslow diagnostics](yslow-diagnostics.png) Grades go from A to F. Our page is just small and meets most criteria. But we can already note it would have been better to use a {{Glossary("CDN")}}. That doesn't matter very much when we're only serving one image, but it would be critical for a high-bandwidth website serving many thousands of images. #### Is the server responsive enough? `ping` is a useful shell tool that tests the domain name you provide and tells you if the server's responding or not: ```plain $ ping mozilla.org PING mozilla.org (63.245.215.20): 56 data bytes 64 bytes from 63.245.215.20: icmp_seq=0 ttl=44 time=148.741 ms 64 bytes from 63.245.215.20: icmp_seq=1 ttl=44 time=148.541 ms 64 bytes from 63.245.215.20: icmp_seq=2 ttl=44 time=148.734 ms 64 bytes from 63.245.215.20: icmp_seq=3 ttl=44 time=147.857 ms ^C --- mozilla.org ping statistics --- 4 packets transmitted, 4 packets received, 0.0% packet loss round-trip min/avg/max/stddev = 147.857/148.468/148.741/0.362 ms ``` Just keep in mind a handy keyboard shortcut: **Ctrl+C**. Ctrl+C sends an "interrupt" signal to the runtime and tells it to stop. If you don't stop the runtime, `ping` will ping the server indefinitely. ### A simple checklist - Check for 404s - Make sure all webpages are behaving as you expect - Check your website in several browsers to make sure it renders consistently ## Next steps Congratulations, your website is up and running for anyone to visit. That's a huge achievement. Now, you can start digging deeper into various subjects. - Since people can come to your website from all over the world, you should consider making it [accessible to everybody](/en-US/docs/Learn/Common_questions/Design_and_accessibility/What_is_accessibility). - Is the design of your website a bit too rough? It's time to [learn more about CSS](/en-US/docs/Learn/CSS/First_steps/How_CSS_works).
0
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/available_text_editors/index.md
--- title: What text editors are available? slug: Learn/Common_questions/Tools_and_setup/Available_text_editors page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} In this article we highlight some things to think about when installing a text editor for web development. <table class="standard-table"> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should already know about <a href="/en-US/docs/Learn/Common_questions/Tools_and_setup/What_software_do_I_need" > various software you need to build a website</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn how to choose a text editor that best suits your needs as a web developer. </td> </tr> </tbody> </table> ## Summary A website consists mostly of text files, so for a fun, pleasant development experience you should choose your text editor wisely. The sheer number of choices is a bit overwhelming, since a text editor is so basic to computer science (yes, web development is computer science). Ideally, you'd try as many editors as you can and get a feel for what suits your workflow. But we'll give you some pointers for getting started. Here are the primary questions you should consider: - Which OS (operating system) do I want to work with? - What kind of technologies do I want to manipulate? - What kind of basic features do I expect from my text editor? - Do I want to add extra features to my text editor? - Do I need support/help while using my text editor? - Does my text editor's look-and-feel matter to me? Notice we didn't mention price. Obviously, that matters too, but a product's cost has little connection with its quality or capability. There's a big chance you'll find a suitable text editor for free. Here are some popular editors: <table class="standard-table"> <thead> <tr> <th scope="col">Editor</th> <th scope="col">License</th> <th scope="col">Price</th> <th scope="col">OS</th> <th scope="col">Support</th> <th scope="col">Doc.</th> <th scope="col">Extensible</th> </tr> </thead> <tbody> <tr> <td><a href="https://bluefish.openoffice.nl">Bluefish</a></td> <td>GPL 3</td> <td>Free</td> <td>Windows, Mac, Linux</td> <td> <a href="https://bfwiki.tellefsen.net/index.php/Mailinglists" >Mailing list</a >, <a href="https://bfwiki.tellefsen.net/index.php/Main_Page">wiki</a> </td> <td><a href="https://bluefish.openoffice.nl/manual/">Online Manual</a></td> <td>Yes</td> </tr> <tr> <td><a href="https://brackets.io/" rel="external">Brackets</a></td> <td>MIT/BSD</td> <td>Free</td> <td>Windows, Mac, Linux</td> <td> <a href="https://webchat.freenode.net/?channels=brackets" rel="external" >IRC</a > </td> <td> <a href="https://github.com/adobe/brackets/wiki" rel="external" >GitHub Wiki</a > </td> <td> <a href="https://ingorichter.github.io/BracketsExtensionTweetBot/" rel="external" >Yes</a > </td> </tr> <tr> <td><a href="https://nova.app/" rel="external">Nova</a></td> <td>Closed source</td> <td>$99</td> <td>Mac</td> <td> <a href="https://twitter.com/panic">Twitter</a>, <a href="https://panic.com/qa" rel="external">Forum</a>, <a href="https://nova.app/help/">Online</a> </td> <td><a href="https://help.panic.com/nova/">eBook</a></td> <td><a href="https://extensions.panic.com/">Yes</a></td> </tr> <tr> <td><a href="https://www.codelobster.com">CodeLobster</a></td> <td>Closed source</td> <td>Free</td> <td>Windows, Mac, Linux</td> <td> <a href="https://www.codelobster.com/forum/index.php" rel="external">Forum</a >, <a href="mailto:[email protected]">Email</a> </td> <td><a href="https://www.codelobsteride.com/help/">Online Manual</a></td> <td>Yes</td> </tr> <tr> <td> <a href="https://www.gnu.org/software/emacs/" rel="external">Emacs</a> </td> <td>GPL 3</td> <td>Free</td> <td>Windows, Mac, Linux</td> <td> <a href="https://www.gnu.org/software/emacs/manual/efaq.html" rel="external" >FAQ</a >, <a href="https://mail.gnu.org/mailman/listinfo/help-gnu-emacs" rel="external" >Mailing list</a >, <a href="news://gnu.emacs.help" rel="external">News Group</a> </td> <td> <a href="https://www.gnu.org/software/emacs/manual/html_node/emacs/index.html" >Online Manual</a > </td> <td>Yes</td> </tr> <tr> <td><a href="https://www.espressoapp.com/">Espresso</a></td> <td>Closed source</td> <td>$99</td> <td>Mac</td> <td> <a href="mailto:[email protected]">Email</a> </td> <td> <a href="https://help.espressoapp.com/">Online Manual</a> </td> <td>Yes</td> </tr> <tr> <td><a href="https://wiki.gnome.org/Apps/Gedit">Gedit</a></td> <td>GPL</td> <td>Free</td> <td>Windows, Mac, Linux</td> <td> <a href="https://discourse.gnome.org/tag/gedit" rel="external">Discourse</a>, <a href="irc://irc.gnome.org/%23gedit">IRC</a> </td> <td> <a href="https://help.gnome.org/users/gedit/stable/">Online Manual</a> </td> <td><a href="https://wiki.gnome.org/Apps/Gedit/ThirdPartyPlugins">Yes</a></td> </tr> <tr> <td><a href="https://kate-editor.org/">Kate</a></td> <td>LGPL, GPL</td> <td>Free</td> <td>Windows, Mac, Linux</td> <td> <a href="mailto:[email protected]">Mailing list</a>, <a href="irc://irc.kde.org/kate">IRC</a> </td> <td> <a href="https://docs.kde.org/index.php?application=kate&language=en" >Online Manual</a > </td> <td>Yes</td> </tr> <tr> <td> <a href="https://www.activestate.com/products/komodo-edit/" rel="external" >Komodo Edit</a > </td> <td>MPL</td> <td>Free</td> <td>Windows, Mac, Linux</td> <td><a href="https://community.komodoide.com/" rel="external">Forum</a></td> <td> <a href="https://docs.activestate.com/komodo" rel="external" >Online Manual</a > </td> <td><a href="https://docs.activestate.com/komodo/12/manual/extensions.html">Yes</a></td> </tr> <tr> <td> <a href="https://www.notepad-plus-plus.org/" rel="external" >Notepad++</a > </td> <td>GPL</td> <td>Free</td> <td>Windows</td> <td> <a href="https://sourceforge.net/p/notepad-plus/discussion/">Forum</a> </td> <td> <a href="https://npp-user-manual.org/" rel="external" >Online Manual</a > </td> <td> <a href="https://github.com/notepad-plus-plus/nppPluginList" rel="external" >Yes</a > </td> </tr> <tr> <td><a href="https://www.pspad.com/">PSPad</a></td> <td>Closed source</td> <td>Free</td> <td>Windows</td> <td> <a href="https://www.pspad.com/en/faq.htm">FAQ</a>, <a href="https://forum.pspad.com/" rel="external">Forum</a> </td> <td><a href="https://www.pspad.com/en/helpfiles.htm">Online Help</a></td> <td><a href="https://www.pspad.com/en/pspad-extensions.php">Yes</a></td> </tr> <tr> <td> <a href="https://www.sublimetext.com/" rel="external">Sublime Text</a> </td> <td>Closed source</td> <td>$70</td> <td>Windows, Mac, Linux</td> <td> <a href="https://www.sublimetext.com/forum/viewforum.php?f=3" rel="external" >Forum</a > </td> <td> <a href="https://www.sublimetext.com/docs/">Official</a>,<a href="https://docs.sublimetext.io/" > Unofficial</a > </td> <td><a href="https://sublime.wbond.net/">Yes</a></td> </tr> <tr> <td><a href="https://macromates.com/" rel="external">TextMate</a></td> <td>Closed source</td> <td>$50</td> <td>Mac</td> <td> <a href="https://twitter.com/macromates">Twitter</a>, <a href="https://webchat.freenode.net/?channels=textmate">IRC</a>, <a href="https://lists.macromates.com/listinfo/textmate" rel="external" >Mailing list</a >, <a href="mailto:[email protected]">Email</a> </td> <td> <a href="https://manual.macromates.com/en/">Online Manual</a>, <a href="https://wiki.macromates.com/Main/HomePage" rel="external" >Wiki</a > </td> <td> <a href="https://wiki.macromates.com/Main/Plugins" rel="external" >Yes</a > </td> </tr> <tr> <td> <a href="https://www.barebones.com/products/bbedit/" rel="external" >BBEdit</a> </td> <td>Closed source</td> <td>Free</td> <td>Mac</td> <td> <a href="https://www.barebones.com/support/bbedit/" rel="external" >FAQ</a > </td> <td> <a href="https://www.barebones.com/products/bbedit/features.html" rel="external" >Online Manual</a > </td> <td>No</td> </tr> <tr> <td><a href="https://www.vim.org/" rel="external">Vim</a></td> <td> <a href="https://vimdoc.sourceforge.net/htmldoc/uganda.html#license" rel="external" >Specific open license</a > </td> <td>Free</td> <td>Windows, Mac, Linux</td> <td> <a href="https://www.vim.org/maillist.php#vim" rel="external" >Mailing list</a > </td> <td><a href="https://vimdoc.sourceforge.net/">Online Manual</a></td> <td> <a href="https://www.vim.org/scripts/script_search_results.php?order_by=creation_date&#x26;direction=descending" rel="external" >Yes</a > </td> </tr> <tr> <td> <a href="https://code.visualstudio.com/download">Visual Studio Code</a> </td> <td> <a href="https://github.com/microsoft/vscode">Open Source</a> under MIT license/ Specific license for product </td> <td>Free</td> <td>Windows, Mac, Linux</td> <td> <a href="https://code.visualstudio.com/docs/supporting/faq">FAQ</a> </td> <td><a href="https://code.visualstudio.com/docs">Documentation</a></td> <td><a href="https://marketplace.visualstudio.com/VSCode">Yes</a></td> </tr> </tbody> </table> ## Active Learning In this active learning section, we would like you to try using and/or installing a text editor of your choice. Your computer may already be installed with one of the editors suggested above (e.g. Gedit if you use GNOME desktop, Kate if you use KDE etc.), if not then you should try installing one or more text editors of your choosing. Try digging through the settings of your editor and read the manual or documentation to see what its capabilities are. In particular (if possible in your editor), try to: - Change syntax highlighting settings and colors - Play with [indentation](<https://en.wikipedia.org/wiki/Indentation_(typesetting)#Indentation_in_programming>) width, setting it to an appropriate setting for your needs - Check autosave and session saving settings - Configure any available [plugins](<https://en.wikipedia.org/wiki/Plug-in_(computing)>) and investigate how to get new ones - Change color schemes - Adjust view settings and see how you can change the layout of the views - Check what programming languages/technologies your editor supports While you're learning the default settings of most text editors should be fine to use, but it is important to become familiar with your chosen tools, so you can select the best one for your usage. You will learn more about customizing your editors and tools as you gain experience, and more importantly you will learn what features are more useful to your purposes. ## Dig deeper ### Choice criteria So, in more detail, what should you be thinking about when you choose a text editor? #### Which OS (operating system) do I want to work with? Of course it's your choice. However, some editors are only available for certain OSs, so if you like switching back and forth, that would narrow down the possibilities. Any text editor _can_ get the job done, if it runs on your system, but a cross-platform editor eases migration from OS to OS. So first find out which OS you're using, and then check if a given editor supports your OS. Most editors specify on their website whether they support Windows or Mac, though some editors only support certain versions. If you're running Ubuntu, your best bet is to search within the Ubuntu Software Center. In general, of course, the Linux/UNIX world is a pretty diverse place where different distros work with different, incompatible packaging systems. That means, if you've set your heart on an obscure text editor, you may have to compile it from source yourself (not for the faint-hearted). #### What kind of technologies do I want to manipulate? Generally speaking, any text editor can open any text file. That works great for writing notes to yourself, but when you're doing web development and writing in {{Glossary("HTML")}}, {{Glossary("CSS")}}, and {{Glossary("JavaScript")}}, you can produce some pretty large, complex files. Make it easier on yourself by choosing a text editor that understands the technologies you're working with. Many text editors help you out with features like: - **[Syntax highlighting](https://en.wikipedia.org/wiki/Syntax_highlighting).** Make your file more legible by color-coding keywords based on the technology you're using. - **[Code completion](https://en.wikipedia.org/wiki/Autocomplete#In_source_code_editors).** Save you time by auto-completing recurring structures (for example, automatically close HTML tags, or suggesting valid values for a given CSS property). - **[Code snippets](<https://en.wikipedia.org/wiki/Snippet_(programming)>).** As you saw when starting a new HTML document, many technologies use the same document structure over and over. Save yourself the hassle of retyping all this by using a code snippet to pre-fill your document. Most text editors now support syntax highlighting, but not necessarily the other two features. Make sure in particular that your text editor supports highlighting for {{Glossary("HTML")}}, {{Glossary("CSS")}}, and {{Glossary("JavaScript")}}. #### What kind of basic features do I expect from my text editor? It depends on your needs and plans. These functionalities are often helpful: - Search-and-replace, in one or multiple documents, based on {{Glossary("Regular Expression", "regular expressions")}} or other patterns as needed - Quickly jump to a given line - View two parts of a large document separately - View HTML as it will look in the browser - Select text in multiple places at once - View your project's files and directories - Format your code automatically with code beautifier - Check spelling - Auto-indent code based on indentation settings #### Do I want to add extra features to my text editor? An extensible editor comes with fewer built-in features, but can be extended based on your needs. If you aren't sure which features you want, or your favorite editor lacks those features out of the box, look for an extensible editor. The best editors provide many plugins, and ideally a way to look for and install new plugins automatically. If you like _lots_ of features and your editor is slowing down because of all your plugins, try using an [IDE](https://en.wikipedia.org/wiki/Integrated_development_environment) (integrated development environment). An IDE provides many tools in one interface and it's a bit daunting for beginners, but always an option if your text editor feels too limited. Here are some popular IDEs: - [Aptana Studio](https://www.axway.com/en/aptana) - [Eclipse](https://www.eclipse.org/) - [Komodo IDE](https://www.activestate.com/products/komodo-ide/) - [NetBeans IDE](https://netbeans.apache.org//) - [Visual Studio](https://visualstudio.microsoft.com/) - [WebStorm](https://www.jetbrains.com/webstorm/) #### Do I need support/help while using my text editor? It's always good to know if you can get help or not when using software. For text editors, check for two different kinds of support: 1. User-oriented content (FAQ, manual, online help) 2. Discussion with developers and other users (forum, email, IRC) Use the written documentation when you're learning how to use the editor. Get in touch with other users if you're troubleshooting while installing or using the editor. #### Does my text editor's look-and-feel matter to me? Well, that's a matter of taste, but some people like customizing every bit of the UI (user interface), from colors to button positions. Editors vary widely in flexibility, so check beforehand. It's not hard to find a text editor that can change color scheme, but if you want hefty customizing you may be better off with an IDE. ### Install and set up Installing a text editor is usually quite straightforward. The method varies based on your platform but it shouldn't be too hard: - **Windows.** The developers will give you an `.exe` or `.msi` file. Sometimes the software comes in a compressed archive like `.zip`, `.7z`, or `.rar`, and in that case you'll need to install an additional program to extract the content from the archive. Windows supports `.zip` by default. - **Mac.** On the editor's website you can download a `.dmg` file. Some text editors you can find directly in the Apple Store to make installation even simpler. - **Linux.** In the most popular distros you can start with your graphical package manager (Ubuntu Software Center, mintInstall, GNOME Software, \&c.). You can often find a `.deb` or `.rpm` file for prepackaged software, but most of the time you'll have to use your distro's repository server or, in worst case scenario, compile your editor from source. Take the time to carefully check the installation instructions on the text editor's website. When you install a new text editor, your OS will probably continue to open text files with its default editor until you change the _[file association](https://en.wikipedia.org/wiki/File_association)._ These instructions will help you specify that your OS should open files in your preferred editor when you double-click them: - [Windows](https://support.microsoft.com/en-us/windows) - [macOS](https://support.apple.com/guide/mac-help/choose-an-app-to-open-a-file-on-mac-mh35597/mac) - Linux - [Ubuntu Unity](https://askubuntu.com/questions/289337/how-can-i-change-file-association-globally) - [GNOME](https://help.gnome.org/users/gnome-help/stable/files-open.html.en) - [KDE](https://userbase.kde.org/System_Settings/File_Associations) ## Next steps Now that you have a good text editor, you could take some time to finalize [your basic working environment](/en-US/docs/Learn/Common_questions/Tools_and_setup/set_up_a_local_testing_server), or, if you want to play with it right away, write [your very first web page](/en-US/docs/Learn/Getting_started_with_the_web).
0
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/using_github_pages/index.md
--- title: How do I use GitHub Pages? slug: Learn/Common_questions/Tools_and_setup/Using_GitHub_pages page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} [GitHub](https://github.com/) is a "social coding" site. It allows you to upload code repositories for storage in the [Git](https://git-scm.com/) **version control system.** You can then collaborate on code projects, and the system is open-source by default, meaning that anyone in the world can find your GitHub code, use it, learn from it, and improve on it. You can do that with other people's code too! This article provides a basic guide to publishing content using GitHub's gh-pages feature. ## Publishing content GitHub is a very important and useful community to get involved in, and Git/GitHub is a very popular [version control system](https://git-scm.com/book/en/v2/Getting-Started-About-Version-Control) β€” most tech companies now use it in their workflow. GitHub has a very useful feature called [GitHub Pages](https://pages.github.com/), which allows you to publish website code live on the Web. ### Basic GitHub setup 1. First of all, [install Git](https://git-scm.com/downloads) on your machine. This is the underlying version control system software that GitHub works on top of. 2. Next, [sign up for a GitHub account](https://github.com/join). It's simple and easy. 3. Once you've signed up, log in to [github.com](https://github.com) with your username and password. ### Preparing your code for upload You can store any code you like in a GitHub repository, but to use the GitHub Pages feature to full effect, your code should be structured as a typical website, e.g. with the primary entry point being an HTML file called `index.html`. The other thing you need to do before moving on is to initialise your code directory as a Git repository. To do this: 1. Point the command line to your `test-site` directory (or whatever you called the directory containing your website). For this, use the `cd` command (i.e. "**c**hange **d**irectory"). Here's what you'd type if you've put your website in a directory called `test-site` on your desktop: ```bash cd Desktop/test-site ``` 2. When the command line is pointing inside your website directory, type the following command, which tells the `git` tool to turn the directory into a git repository: ```bash git init ``` #### An aside on command line interfaces The best way to upload your code to GitHub is via the command line β€” this is a window where you type in commands to do things like create files and run programs, rather than clicking inside a user interface. It will look something like this: ![Terminal/command prompt opened. No command has been entered.](command-line.png) > **Note:** You could also consider using a [Git graphical user interface](https://git-scm.com/downloads/guis) to do the same work, if you feel uncomfortable with the command line. Every operating system comes with a command line tool: - **Windows**: **Command Prompt** can be accessed by pressing the Windows key, typing _Command Prompt_, and choosing it from the list that appears. Note that Windows has its own command conventions differing from Linux and macOS, so the commands below may vary on your machine. - **OS X**: **Terminal** can be found in _Applications > Utilities_. - **Linux**: Usually you can pull up a terminal with _Ctrl + Alt + T_. If that doesn't work, look for **Terminal** in an app bar or menu. This may seem a bit scary at first, but don't worry β€” you'll soon get the hang of the basics. You tell the computer to do something in the terminal by typing in a command and hitting Enter, as seen above. ### Creating a repo for your code 1. Next, you need to create a new repo for your files to go in. Click Plus (+) in the top right of the GitHub homepage, then choose _New Repository_. 2. On this page, in the _Repository name_ box, enter a name for your code repository, for example _my-repository_. 3. Also fill in a description to say what your repository is going to contain. Your screen should look like this: ![New repository page opened in browser, repository owner input and the repository name are filled, same for the optional description input. The public check-box is selected, the private check-box is not, same goes for the initialize this repository with a readme.](create-new-repo.png) 4. Click _Create repository_; this should bring you to the following page: ![The repository page is opened in browser, below the GitHub header composed of search bar and navigation links to the repository's pull request, issues and gist. Next to the navigation links, a bell notification and a link to your account. Below, the name of the owner's repository follow by a slash with the repository's name. Below a horizontal navigation bar composed of different tabs relating to your repository, the code tab selected displaying a documentation explaining how to create a repository or how to push from using command line.](github-repo.png) ### Uploading your files to GitHub 1. On the current page, you are interested in the section _…or push an existing repository from the command line_. You should see two lines of code listed in this section. Copy the whole of the first line, paste it into the command line, and press Enter. The command should look something like this: ```bash git remote add origin https://github.com/chrisdavidmills/my-repository.git ``` 2. Next, type the following two commands, pressing Enter after each one. These prepare the code for uploading to GitHub, and ask Git to manage these files. ```bash git add --all git commit -m 'adding my files to my repository' ``` 3. Finally, push the code up to GitHub by going to the GitHub web page you're on and entering into the terminal the second of the two commands we saw the _…or push an existing repository from the command line_ section: ```bash git push -u origin main ``` 4. Now you need to turn GitHub pages on for your repository. To do this, from the homepage of your repository choose _Settings_, then select _Pages_ from the sidebar on the left. Underneath _Source_, choose the "main" branch. The page should refresh. 5. Go to the GitHub Pages section again, and you should see a line of the form "Your site is ready to be published at `https://xxxxxx`." 6. If you click on this URL, you should go to a live version of your example, provided the home page is called `index.html` β€” it goes to this entry point by default. If your site's entry point is called something else, for example `myPage.html`, you'll need to go to `https://xxxxxx/myPage.html`. ### Further GitHub knowledge If you want to make more changes to your test site and upload those to GitHub, you need to make the change to your files just like you did before. Then, you need to enter the following commands (pressing Enter after each one) to push those changes to GitHub: ```bash git add --all git commit -m 'another commit' git push ``` You can replace _another commit_ with a more suitable message to describe what change you just made. We have barely scratched the surface of Git. To learn more, check out our [Git and GitHub](/en-US/docs/Learn/Tools_and_testing/GitHub) page.
0
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/how_much_does_it_cost/index.md
--- title: How much does it cost to do something on the Web? slug: Learn/Common_questions/Tools_and_setup/How_much_does_it_cost page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} Getting involved on the Web isn't as cheap as it looks. In this article we discuss how much you may have to spend, and why. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should already understand <a href="/en-US/docs/Learn/Common_questions/Tools_and_setup/What_software_do_I_need" >what software you need</a >, the difference between <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/Pages_sites_servers_and_search_engines" >a webpage, a website, etc.</a >, and what <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_domain_name" >a domain name is</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Review the complete process for creating a website and find out how much each step can cost. </td> </tr> </tbody> </table> ## Summary When launching a website, you may spend nothing, or your costs may go through the roof. In this article we discuss how much everything costs, and how you get what you pay (or don't pay). ## Software ### Text editors You likely have a text editor: such as, Notepad on Windows, Gedit on Linux, TextEdit on Mac. You'll have an easier time writing code if you choose an editor that color-codes, checks your syntax, and assists you with code structure. Many editors are free, for example [Brackets](https://brackets.io/), [Bluefish](https://bluefish.openoffice.nl/index.html), [TextWrangler](https://www.barebones.com/products/textwrangler/), [Eclipse](https://www.eclipse.org/), [Netbeans](https://netbeans.apache.org//), and [Visual Studio Code](https://code.visualstudio.com/). Some, like [Sublime Text](https://www.sublimetext.com/), you can test as long as you like, but you're encouraged to pay. Some, like [PhpStorm](https://www.jetbrains.com/phpstorm/), can cost between a few dozen and 200 dollars, depending on the plan you purchase. Some of them, like [Microsoft Visual Studio](https://visualstudio.microsoft.com/), can cost hundreds, or thousands of dollars; though Visual Studio Community is free for individual developers or open source projects. Often, for-pay editors will have a trial version. To start, we suggest trying out several editors, to get a sense of which works best for you. If you're only writing simple {{Glossary("HTML")}}, {{Glossary("CSS")}}, and {{Glossary("JavaScript")}}, go with a simple editor. Price does not reliably reflect a text editor's quality or usefulness. You have to try it for yourself and decide if it meets your needs. For example, Sublime Text is cheap, but comes with many free plugins that can greatly extend its functionality. ### Image editors Your system likely includes a simple image editor, or viewer: Paint on Windows, Eye of Gnome on Ubuntu, Preview on Mac. Those programs are relatively limited, you'll soon want a more robust editor to add layers, effects, and grouping. Editors can be free ([GIMP](https://www.gimp.org/), [Paint.NET](https://www.getpaint.net/)), moderately expensive ([PaintShop Pro](https://www.paintshoppro.com/), less than $100), or several hundred dollars ([Adobe Photoshop](https://www.adobe.com/products/photoshop.html)). You can use any of them, as they will have similar functionality, though some are so comprehensive you'll never use every feature. If at some point you need to exchange projects with other designers, you should find out what tools they're using. Editors can all export finished projects to standard file formats, but each editor saves ongoing projects in its own specialized format. Most of the images on the internet are copyrighted, so it is better to check the license of the file before you use it. Sites like [Pixabay](https://pixabay.com/) provide images under CC0 license, so you can use, edit and publish them even with modification for commercial use. ### Media editors If you want to include video or audio into your website, you can either embed online services (for example YouTube, Vimeo, or Dailymotion), or include your own videos (see below for bandwidth costs). For audio files, you can find free software ([Audacity](https://www.audacityteam.org/), [Wavosaur](https://www.wavosaur.com/)), or paying up to a few hundred dollars ([Sound Forge](https://www.magix.com/us/music-editing/sound-forge/), [Adobe Audition](https://www.adobe.com/products/audition.html)). Likewise, video-editing software can be free ([PiTiVi](https://www.pitivi.org/), [OpenShot](https://www.openshot.org/) for Linux, [iMovie](https://www.apple.com/imovie/) for Mac), less than $100 ([Adobe Premiere Elements](https://www.adobe.com/products/premiere-elements.html)), or several hundred dollars ([Adobe Premiere Pro](https://www.adobe.com/products/premiere.html), [Avid Media Composer](https://www.avid.com/media-composer), [Final Cut Pro](https://www.apple.com/final-cut-pro/)). The software you received with your digital camera may cover all your needs. ### Publishing tools You also need a way to upload files: from your hard drive to a distant web server. To do that you should use a publishing tool such as an (S)[FTP client](/en-US/docs/Glossary/FTP), [RSync](https://en.wikipedia.org/wiki/Rsync), or [Git/GitHub](https://docs.github.com/en/pages/configuring-a-custom-domain-for-your-github-pages-site). Each operating system includes an (S)FTP client, as part of its file manager. Windows Explorer, Nautilus (a common Linux file manager), and the Mac Finder all include this functionality. However, people often choose dedicated (S)FTP clients to display local or remote directories side-by-side and store server passwords. If you want to install an (S)FTP client, there are several reliable and free options: for example, [FileZilla](https://filezilla-project.org/) for all platforms, [WinSCP](https://winscp.net/eng/index.php) for Windows, [Cyberduck](https://cyberduck.io/) for Mac or Windows, [and more](https://en.wikipedia.org/wiki/List_of_FTP_server_software). Because FTP is inherently insecure, you should make sure to use SFTP β€” the secure, encrypted version of FTP that most hosting sites you'll deal with these days will offer by default β€” or another secure solution like Rsync over SSH. ## Browsers You either already have a browser or can get one for free. If necessary, download Firefox [here](https://www.mozilla.org/en-US/firefox/all/) or Google Chrome [here](https://www.google.com/chrome/). ## Web access ### Computer / modem You need a computer. Costs can vary tremendously, depending on your budget, and where you live. To publish a barebones website, you only need a basic computer capable of launching an editor, and a Web browser, so the entry level can be quite low. Of course, you'll need a more serious computer if you want to produce complicated designs, touch up photos, or produce audio and video files. You need to upload content to a remote server (see _Hosting_ below), so you need a modem. Your {{Glossary("ISP")}} can rent Internet connectivity to you for a few dollars per month, though your budget might vary, depending on your location. ### ISP access Make sure that you have sufficient {{Glossary("Bandwidth", "bandwidth")}}: - Low-bandwidth access may be adequate to support a 'simple' website: reasonably-sized images, texts, some CSS and JavaScript. That will likely cost you a few dozen dollars, including the rent for the modem. - On the other hand, you'll need a high-bandwidth connection, such as DSL, cable, or fiber access, if you want a more advanced website with hundreds of files, or if you want to deliver heavy video/audio files directly from your web server. It could cost the same as low-bandwidth access, upwards to several hundred dollars per month for more professional needs. ## Hosting ### Understanding bandwidth Hosting providers charge you according to how much {{Glossary("Bandwidth", "bandwidth")}} your website consumes. This depends on how many people, and Web crawling robots, access your content during a given time, and how much server space your content takes up. This is why people usually store their videos on dedicated services such as YouTube, Dailymotion, and Vimeo. For example, your provider may have a plan that includes up to several thousand visitors per day, for "reasonable" bandwidth usage. Be careful, however as this is defined differently from one hosting provider to another. Keep in mind that reliable, paid, personal hosting can cost around ten to fifteen dollars per month. > **Note:** There is no such thing as "unlimited" bandwidth. If you consume a huge amount of bandwidth, expect to pay a huge amount of money. ### Domain names Your domain name has to be purchased through a domain name provider (a registrar). Your hosting provider may also be a registrar ([Ionos](https://www.ionos.com/), [Gandi](https://www.gandi.net/en-US) for instance are at the same time registrars and hosting providers). The domain name usually costs $5-15 per year. This cost varies depending on: - Local obligations: some country top-level domain names are more costly, as different countries set different prices. - Services associated with the domain name: some registrars provide spam protection by hiding your postal address and email address behind their own addresses: the postal address can be provided in care of the registrar, and your email address can be obscured via your registrar's alias. ### Do-it-yourself hosting vs. "packaged" hosting When you want to publish a website, you could do everything by yourself: set up a database (if needed), Content Management System, or {{Glossary("CMS")}} (like [Wordpress](https://wordpress.org/), [Dotclear](https://dotclear.org/), [spip](https://www.spip.net/en_rubrique25.html), etc.), upload pre-made or your own templates. You could use your hosting provider's environment, for roughly ten to fifteen dollars per month, or subscribe directly to a dedicated hosting service with pre-packaged CMSs (e.g., [Wordpress](https://wordpress.com/), [Tumblr](https://www.tumblr.com/), [Blogger](https://www.blogger.com/)). For the latter, you won't have to pay anything, but you may have less control over templating and other options. ### Free hosting vs. paid hosting You might ask, why should I pay for my hosting when there are so many free services? - You have more freedom when you pay. Your website is yours, and you can migrate seamlessly from one hosting provider to the next. - Free hosting providers may add advertising to your content, beyond your control. It is better to go for paid hosting rather than relying on free hosting, as it is possible to move your files easily and uptime is guaranteed by most paid sites. Most hosting providers give you a huge discount to start with. Some people opt for a mixed approach. For example, their main blog on a paid host with a full domain name, and spontaneous, less strategic, content on a free host service. ## Professional website agencies and hosting If you desire a professional website, you will likely ask a web agency to do it for you. Here, costs depend on multiple factors, such as: - Is this a simple website with a few pages of text? Or a more complex, thousand-pages-long website? - Will you want to update it regularly? Or will it be a static website? - Must the website connect to your company's IT structure to gather content (say, internal data)? - Do you want some shiny new feature that is popular at the moment? At the time of writing, clients are seeking single pages with complex parallax. - Will you need the agency to think up user stories or solve complex {{Glossary("UX")}} problems? For example, creating a strategy to engage users, or A/B testing to choose a solution among several ideas. And for hosting you need to consider following choices: - Do you want redundant servers, in case your server goes down? - Is 95% reliability adequate, or do you need professional, around-the-clock service? - Do you want high-profile, ultra-responsive dedicated servers, or can you cope with a slower, shared machine? Depending on how you answer these questions, your site could cost thousands to hundreds of thousands of dollars. ## Next steps Now that you understand what kind of money your website may cost you, it's time to start designing that website and [setting up your work environment](/en-US/docs/Learn/Common_questions/Tools_and_setup/set_up_a_local_testing_server). - Read on about [how to choose and install a text editor](/en-US/docs/Learn/Common_questions/Tools_and_setup/Available_text_editors). - If you're more focused on design, take a look at the [anatomy of a web page](/en-US/docs/Learn/Common_questions/Design_and_accessibility/Common_web_layouts).
0
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/how_do_you_host_your_website_on_google_app_engine/index.md
--- title: How do you host your website on Google App Engine? slug: Learn/Common_questions/Tools_and_setup/How_do_you_host_your_website_on_Google_App_Engine page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} [Google App Engine](https://cloud.google.com/appengine/) is a powerful platform that lets you build and run applications on Google's infrastructure β€” whether you need to build a multi-tiered web application from scratch or host a static website. Here's a step-by-step guide to hosting your website on Google App Engine. ## Creating a Google Cloud Platform project To use Google's tools for your own site or app, you need to create a new project on Google Cloud Platform. This requires having a Google account. 1. Go to the [App Engine dashboard](https://console.cloud.google.com/projectselector/appengine) on the Google Cloud Platform Console and press the _Create_ button. 2. If you've not created a project before, you'll need to select whether you want to receive email updates or not, agree to the Terms of Service, and then you should be able to continue. 3. Enter a name for the project, edit your project ID and note it down. For this tutorial, the following values are used: - Project Name: _GAE Sample Site_ - Project ID: _gaesamplesite_ 4. Click the _Create_ button to create your project. ## Creating an application Each Cloud Platform project can contain one App Engine application. Let's prepare an app for our project. 1. We'll need a sample application to publish. If you've not got one to use, download and unzip this [sample app](https://gaesamplesite.appspot.com/downloads.html). 2. Have a look at the sample application's structure β€” the `website` folder contains your website content and `app.yaml` is your application configuration file. - Your website content must go inside the `website` folder, and its landing page must be called `index.html`, but apart from that it can take whatever form you like. - The `app.yaml` file is a configuration file that tells App Engine how to map URLs to your static files. You don't need to edit it. ## Publishing your application Now that we've got our project made and sample app files collected together, let's publish our app. 1. Open [Google Cloud Shell](https://shell.cloud.google.com). 2. Drag and drop the `sample-app` folder into the left pane of the code editor. 3. Run the following in the command line to select your project: ```bash gcloud config set project gaesamplesite ``` 4. Then run the following command to go to your app's directory: ```bash cd sample-app ``` 5. You are now ready to deploy your application, i.e. upload your app to App Engine: ```bash gcloud app deploy ``` 6. Enter a number to choose the region where you want your application located. 7. Enter `Y` to confirm. 8. Now navigate your browser to _your-project-id_.appspot.com to see your website online. For example, for the project ID _gaesamplesite_, go to [_gaesamplesite_.appspot.com](https://gaesamplesite.appspot.com/). ## See also To learn more, see [Google App Engine Documentation](https://cloud.google.com/appengine/docs/).
0
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/what_are_browser_developer_tools/index.md
--- title: What are browser developer tools? slug: Learn/Common_questions/Tools_and_setup/What_are_browser_developer_tools page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} Every modern web browser includes a powerful suite of developer tools. These tools do a range of things, from inspecting currently-loaded HTML, CSS and JavaScript to showing which assets the page has requested and how long they took to load. This article explains how to use the basic functions of your browser's devtools. > **Note:** Before you run through the examples below, open the [Beginner's example site](https://mdn.github.io/beginner-html-site-scripted/) that we built during the [Getting started with the Web](/en-US/docs/Learn/Getting_started_with_the_web) article series. You should have this open as you follow the steps below. ## How to open the devtools in your browser The devtools live inside your browser in a subwindow that looks roughly like this, depending on what browser you are using: ![Screenshot of a browser with developer tools open. The web page is displayed in the top half of the browser, the developer tools occupy the bottom half. There are three panels open in the developer tools: HTML, with the body element selected, a CSS panel showing styles blocks targeting the highlighted body, and a computed styles panel showing all the author styles; the browser styles checkbox is not checked.](devtools_63_inspector.png) How do you pull it up? Three ways: - **_Keyboard:_** - **Windows:** _<kbd>Ctrl</kbd> + <kbd>Shift</kbd> + <kbd>I</kbd>_ or <kbd>F12</kbd> - **macOS:** _<kbd>⌘</kbd> + <kbd>βŒ₯</kbd> + <kbd>I</kbd>_ - **_Menu bar:_** - **Firefox:** Menu ![Firefox hamburger menu icon that has more options to customize and control Firefox.](2014-01-10-13-08-08-f52b8c.png) _➀ Web Developer ➀ Toggle Tools,_ or _Tools ➀_ _Web Developer ➀ Toggle Tools_ - **Chrome:** _More tools ➀ Developer tools_ - **Safari:** _Develop ➀ Show Web Inspector._ If you can't see the _Develop_ menu, go to _Safari ➀ Preferences ➀ Advanced_, and check the _Show Develop menu in menu bar_ checkbox. - **Opera**: _Developer ➀ Developer tools_ - **_Context menu:_** Press-and-hold/right-click an item on a webpage (Ctrl-click on the Mac), and choose _Inspect Element_ from the context menu that appears. (_An added bonus:_ this method straight-away highlights the code of the element you right-clicked.) ![The firefox logo as a DOM element in an example website with a context menu showing. A context menu appears when any item on the web page is right-clicked. The last menu items is 'Inspect element'.](inspector_context.png) ## The Inspector: DOM explorer and CSS editor The developer tools usually open by default to the inspector, which looks something like the following screenshot. This tool shows what the HTML on your page looks like at runtime, as well as what CSS is applied to each element on the page. It also allows you to instantly modify the HTML and CSS and see the results of your changes reflected live in the browser viewport. ![A test website is opened in a tab in the browser. The browser developer tools sub-window is open. The developer tools has several tabs. Inspector is one of those tabs. Inspector tab displays the HTML code of the website. An image tag is selected from the HTML code. This results in highlighting of the image corresponding to the selected tag in the website.](inspector_highlighted.png) If you _don't_ see the inspector, - Tap/click the _Inspector_ tab. - In Chrome, Microsoft Edge, or Opera, tap/click Elements. - In Safari, the controls are not so clearly presented, but you should see the HTML if you haven't selected something else to appear in the window. Press the _Style_ button to see the CSS. ### Exploring the DOM inspector For a start, right-click (Ctrl-click) an HTML element in the DOM inspector and look at the context menu. The available menu options vary among browsers, but the important ones are mostly the same: ![The browser developer tools sub-window is open. The inspector tab is selected. A link element is right-clicked from the HTML code available in the inspector tab. A context menu appears. The available menu options vary among browsers, but the important ones are mostly the same.](dom_inspector.png) - **Delete Node** (sometimes _Delete Element_). Deletes the current element. - **Edit as HTML** (sometimes _Add attribute_/_Edit text_). Lets you change the HTML and see the results on the fly. Very useful for debugging and testing. - **:hover/:active/:focus**. Forces element states to be toggled on, so you can see what their styling would look like. - **Copy/Copy as HTML**. Copy the currently selected HTML. - Some browsers also have _Copy CSS Path_ and _Copy XPath_ available, to allow you to copy the CSS selector or XPath expression that would select the current HTML element. Try editing some of your DOM now. Double-click an element, or right-click it and choose _Edit as HTML_ from the context menu. You can make any changes you'd like, but you cannot save your changes. ### Exploring the CSS editor By default, the CSS editor displays the CSS rules applied to the currently selected element: ![Snippet of the CSS panel and the layout panel that can be seen adjacent to the HTML editor in the browser developer tools. By default, the CSS editor displays the CSS rules applied to the currently selected element in the HTML editor. The layout panel shows the box model properties of the selected element.](css_inspector.png) These features are especially handy: - The rules applied to the current element are shown in order of most-to-least-specific. - Click the checkboxes next to each declaration to see what would happen if you removed the declaration. - Click the little arrow next to each shorthand property to show the property's longhand equivalents. - Click a property name or value to bring up a text box, where you can key in a new value to get a live preview of a style change. - Next to each rule is the file name and line number the rule is defined in. Clicking that rule causes the dev tools to jump to show it in its own view, where it can generally be edited and saved. - You can also click the closing curly brace of any rule to bring up a text box on a new line, where you can write a completely new declaration for your page. You'll notice a number of clickable tabs at the top of the CSS Viewer: - _Computed_: This shows the computed styles for the currently selected element (the final, normalized values that the browser applies). - _Layout_: In Firefox, this area includes two sections: - _Box Model_: represents visually the current element's box model, so you can see at a glance what padding, border and margin is applied to it, and how big its content is. - _Grid_: If the page you are inspecting uses CSS Grid, this section allows you to view the grid details. - _Fonts_: In Firefox, the _Fonts_ tab shows the fonts applied to the current element. ### Find out more Find out more about the Inspector in different browsers: - [Firefox Page inspector](https://firefox-source-docs.mozilla.org/devtools-user/page_inspector/index.html) - [Chrome DOM inspector](https://developer.chrome.com/docs/devtools/dom/) (Opera's inspector works the same as this) - [Safari DOM inspector and style explorer](https://developer.apple.com/library/archive/documentation/AppleApplications/Conceptual/Safari_Developer_Guide/ResourcesandtheDOM/ResourcesandtheDOM.html#//apple_ref/doc/uid/TP40007874-CH3-SW1) ## The JavaScript debugger The JavaScript debugger allows you to watch the value of variables and set breakpoints, places in your code that you want to pause execution and identify the problems that prevent your code from executing properly. ![A test website that is served locally in port 8080. The developer tools sub-window is open. The JavaScript debugger tab is selected. It allows you to watch the value of variables and set breakpoints. A file with name 'example.js' is selected from the sources pane. A breakpoint is set at line number 18 of the file.](firefox_debugger.png) To get to the debugger: **Firefox**: Select ![Firefox menu icon that has more options to customize and control Firefox.](2014-01-10-13-08-08-f52b8c.png) ➀ _Web Developer_ ➀ _Debugger_ or press <kbd>Ctrl</kbd> + <kbd>Shift</kbd> + <kbd>S</kbd> to open the JavaScript Debugger. If the tools are already displayed, click on the **Debugger** tab. **Chrome**: Open the Developer tools and then select the **Sources** tab. (Opera works the same way.) **Safari**: Open the Developer Tools and then select the Debugger tab. ### Exploring the debugger There are three panes in the JavaScript Debugger on Firefox. #### File list The first pane on the left contains the list of files associated with the page you are debugging. Select the file you want to work with from this list. Click on a file to select it and view its contents in the center pane of the Debugger. ![Snippet of the sources pane of the debugger tab in the browser developer tools. The files related to the current page that you are debugging are visible under the folder whose name is same as the url of the site that is open in the current browser tab.](file_list.png) #### Source code Set breakpoints where you want to pause execution. In the following image, the highlight on the number 18 shows that the line has a breakpoint set. ![Snippet of developer tools debugger panel with the breakpoint at line 18 highlighted.](source_code.png) #### Watch expressions and breakpoints The right-hand pane shows a list of the watch expressions you have added and breakpoints you have set. In the image, the first section, **Watch expressions**, shows that the listItems variable has been added. You can expand the list to view the values in the array. The next section, **Breakpoints**, lists the breakpoints set on the page. In example.js, a breakpoint has been set on the statement `listItems.push(inputNewItem.value);` The final two sections only appear when the code is running. The **Call stack** section shows you what code was executed to get to the current line. You can see that the code is in the function that handles a mouse click, and that the code is currently paused on the breakpoint. The final section, **Scopes**, shows what values are visible from various points within your code. For example, in the image below, you can see the objects available to the code in the addItemClick function. ![Snippet of the sources pane of the debugger tab of the browser developer tools. In the call stack it shows the function that is called at Line 18, highlighting that a breakpoint is set at this line and showing the scope.](watch_items.png) ### Find out more Find out more about the JavaScript debugger in different browsers: - [Firefox JavaScript Debugger](https://firefox-source-docs.mozilla.org/devtools-user/debugger/index.html)) - [Microsoft Edge Debugger](https://docs.microsoft.com/archive/microsoft-edge/legacy/developer/devtools-guide/debugger) - [Chrome Debugger](https://developer.chrome.com/docs/devtools/javascript/) - [Safari Debugger](https://developer.apple.com/safari/tools/) ## The JavaScript console The JavaScript console is an incredibly useful tool for debugging JavaScript that isn't working as expected. It allows you to run lines of JavaScript against the page currently loaded in the browser, and reports the errors encountered as the browser tries to execute your code. To access the console in any browser: If the developer tools are already open, click or press the Console tab. If not, Firefox allows you to open the console directly using <kbd>Ctrl</kbd> + <kbd>Shift</kbd> + <kbd>K</kbd> or using the menu command: Menu ![Firefox menu](2014-01-10-13-08-08-f52b8c.png) _➀ Web Developer ➀ Web Console,_ or _Tools ➀_ _Web Developer ➀ Web Console._ On other browser, open the developer tools and then click the Console tab. This will give you a window like the following: ![The Console tab of the browser developer tools. Two JavaScript functions have been executed in the console. The user entered functions, and the console displayed the return values.](console_only.png) To see what happens, try entering the following snippets of code into the console one by one (and then pressing Enter): ```js alert("hello!"); ``` ```js document.querySelector("html").style.backgroundColor = "purple"; ``` ```js const loginImage = document.createElement("img"); loginImage.setAttribute( "src", "https://raw.githubusercontent.com/mdn/learning-area/master/html/forms/image-type-example/login.png", ); document.querySelector("h1").appendChild(loginImage); ``` Now try entering the following incorrect versions of the code and see what you get. ```js-nolint example-bad alert("hello!); ``` ```js example-bad document.cheeseSelector("html").style.backgroundColor = "purple"; ``` ```js example-bad const loginImage = document.createElement("img"); banana.setAttribute( "src", "https://raw.githubusercontent.com/mdn/learning-area/master/html/forms/image-type-example/login.png", ); document.querySelector("h1").appendChild(loginImage); ``` You'll start to see the kind of errors that the browser returns. Often these errors are fairly cryptic, but it should be pretty simple to figure these problems out! ### Find out more Find out more about the JavaScript console in different browsers: - [Firefox Web Console](https://firefox-source-docs.mozilla.org/devtools-user/web_console/index.html) - [Chrome JavaScript Console](https://developer.chrome.com/docs/devtools/console/) (Opera's inspector works the same as this) - [Safari Console](https://developer.apple.com/library/archive/documentation/AppleApplications/Conceptual/Safari_Developer_Guide/Console/Console.html#//apple_ref/doc/uid/TP40007874-CH6-SW1) ## See also - [Debugging HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML/Debugging_HTML) - [Debugging CSS](/en-US/docs/Learn/CSS/Building_blocks/Debugging_CSS)
0
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup
data/mdn-content/files/en-us/learn/common_questions/tools_and_setup/upload_files_to_a_web_server/index.md
--- title: How do you upload your files to a web server? slug: Learn/Common_questions/Tools_and_setup/Upload_files_to_a_web_server page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} This article shows you how to publish your site online using file transfer tools. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You must know <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_web_server" >what a web server is</a > and <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_domain_name" >how domain names work</a >. You must also know how to <a href="/en-US/docs/Learn/Common_questions/Tools_and_setup/set_up_a_local_testing_server" >set up a basic environment</a > and how to <a href="/en-US/docs/Learn/Getting_started_with_the_web" >write a simple webpage</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn how to push files to a server using the various file transfer tools available. </td> </tr> </tbody> </table> ## Summary If you have built a simple web page (see [HTML basics](/en-US/docs/Learn/Getting_started_with_the_web/HTML_basics) for an example), you will probably want to put it online, on a web server. In this article we'll discuss how to do that, using various available options such as SFTP clients, RSync and GitHub. ## SFTP There are several SFTP clients out there. Our demo covers [FileZilla](https://filezilla-project.org/), since it's free and available for Windows, macOS and Linux. To install FileZilla go to the [FileZilla downloads page](https://filezilla-project.org/download.php?type=client), click the big Download button, then install from the installer file in the usual way. > **Note:** Of course there are lots of other options. See [Publishing tools](/en-US/docs/Learn/Common_questions/Tools_and_setup/How_much_does_it_cost#publishing_tools) for more information. Open the FileZilla application; you should see something like this: ![Screenshot of the user interface of Filezilla FTP application. Host input has focus.](filezilla-ui.png) ### Logging in For this example, we'll suppose that our hosting provider (the service that will host our HTTP web server) is a fictitious company "Example Hosting Provider" whose URLs look like this: `mypersonalwebsite.examplehostingprovider.net`. We have just opened an account and received this info from them: > Congratulations for opening an account at Example Hosting Provider. > > Your account is: `demozilla` > > Your website will be visible at `demozilla.examplehostingprovider.net` > > To publish to this account, please connect through SFTP with the following credentials: > > - SFTP server: `sftp://demozilla.examplehostingprovider.net` > - Username: `demozilla` > - Password: `quickbrownfox` > - Port: `5548` > - To publish on the web, put your files into the `Public/htdocs` directory. Let's first look at `http://demozilla.examplehostingprovider.net/` β€” as you can see, so far there is nothing there: ![Our demozilla personal website, seen in a browser: it's empty](demozilla-empty.png) > **Note:** Depending on your hosting provider, most of the time you'll see a page saying something like "This website is hosted by \[Hosting Service]." when you first go to your web address. To connect your SFTP client to the distant server, follow these steps: 1. Choose _File > Site Manager…_ from the main menu. 2. In the _Site Manager_ window, press the _New Site_ button, then fill in the site name as **demozilla** in the provided space. 3. Fill in the SFTP server your host provided in the _Host:_ field. 4. In the _Logon Type:_ drop down, choose _Normal_, then fill in your provided username and password in the relevant fields. 5. Fill in the correct port and other information. Your window should look something like this: ![Screenshot of default landing page of a fictitious website when the file directory is empty](site-manager.png) Now press _Connect_ to connect to the SFTP server. Note: Make sure your hosting provider offers SFTP (Secure FTP) connection to your hosting space. FTP is inherently insecure, and you shouldn't use it. ### Here and there: local and remote view Once connected, your screen should look something like this (we've connected to an example of our own to give you an idea): ![SFTP client displaying website contents once it has been connected to the SFTP server. Local files are on the left. Remote files are on the right.](connected.png) Let's examine what you're seeing: - On the center left pane, you see your local files. Navigate into the directory where you store your website (e.g. `mdn`). - On the center right pane, you see remote files. We are logged into our distant FTP root (in this case, `users/demozilla`) - You can ignore the bottom and top panes for now. Respectively, these are a log of messages showing the connection status between your computer and the SFTP server, and a live log of every interaction between your SFTP client and the server. ### Uploading to the server Our example host instructions told us "To publish on the web, put your files into the `Public/htdocs` directory." You need to navigate to the specified directory in your right pane. This directory is effectively the root of your website β€” where your `index.html` file and other assets will go. Once you've found the correct remote directory to put your files in, to upload your files to the server you need to drag-and-drop them from the left pane to the right pane. ### Are they really online? So far, so good, but are the files really online? You can double-check by going back to your website (e.g. `http://demozilla.examplehostingprovider.net/`) in your browser: ![Here we go: our website is live!](here-we-go.png) And our website is live! ## Rsync {{Glossary("Rsync")}} is a local-to-remote file synchronizing tool, which is generally available on most Unix-based systems (like macOS and Linux), but Windows versions exist too. It is seen as a more advanced tool than SFTP, because by default it is used on the command line. A basic command looks like this: ```bash rsync [-options] SOURCE [email protected]:DESTINATION ``` - `-options` is a dash followed by a one or more letters, for example `-v` for verbose error messages, and `-b` to make backups. You can see the full list at the [rsync man page](https://linux.die.net/man/1/rsync) (search for "Options summary"). - `SOURCE` is the path to the local file or directory that you want to copy files over from. - `user@` is the credentials of the user on the remote server you want to copy files over to. - `x.x.x.x` is the IP address of the remote server. - `DESTINATION` is the path to the location you want to copy your directory or files to on the remote server. You'd need to get such details from your hosting provider. For more information and further examples, see [How to Use Rsync to Copy/Sync Files Between Servers](https://www.atlantic.net/vps-hosting/how-to-use-rsync-copy-sync-files-servers/). Of course, it is a good idea to use a secure connection, as with FTP. In the case of Rsync, you specify SSH details to make the connection over SSH, using the `-e` option. For example: ```bash rsync [-options] -e "ssh [SSH DETAILS GO HERE]" SOURCE [email protected]:DESTINATION ``` You can find more details of what is needed at [How To Copy Files With Rsync Over SSH](https://www.digitalocean.com/community/tutorials/how-to-copy-files-with-rsync-over-ssh). ### Rsync GUI tools GUI tools are available for Rsync (for those who are not as comfortable using the command line). [Acrosync](https://acrosync.com/mac.html) is one such tool, and it is available for Windows and macOS. Again, you would have to get the connection credentials from your hosting provider, but this way you'd have a GUI to enter them in. ## GitHub GitHub allows you to publish websites via [GitHub pages](https://pages.github.com/) (gh-pages). We've covered the basics of using this in the [Publishing your website](/en-US/docs/Learn/Getting_started_with_the_web/Publishing_your_website) article from our [Getting started with the Web](/en-US/docs/Learn/Getting_started_with_the_web) guide, so we aren't going to repeat it all here. However, it is worth knowing that you can also host a website on GitHub, but use a custom domain with it. See [Using a custom domain with GitHub Pages](https://docs.github.com/en/pages/configuring-a-custom-domain-for-your-github-pages-site) for a detailed guide. ## Other methods to upload files The FTP protocol is one well-known method for publishing a website, but not the only one. Here are a few other possibilities: - **Web interfaces**. An HTML interface acting as front-end for a remote file upload service. Provided by your hosting service. - **{{Glossary("WebDAV")}}**. An extension of the {{Glossary("HTTP")}} protocol to allow more advanced file management.
0
data/mdn-content/files/en-us/learn/common_questions
data/mdn-content/files/en-us/learn/common_questions/web_mechanics/index.md
--- title: Web mechanics slug: Learn/Common_questions/Web_mechanics page-type: landing-page --- {{LearnSidebar}} This section covers questions relating to general knowledge of the web ecosystem and how it works. - [How does the Internet work?](/en-US/docs/Learn/Common_questions/Web_mechanics/How_does_the_Internet_work) - : The **Internet** is the backbone of the web, the technical infrastructure that makes the web possible. At its most basic, the internet is a massive network of computers communicating with each other. This article discusses how it works, in broad terms. - [What is the difference between webpage, website, web server, and search engine?](/en-US/docs/Learn/Common_questions/Web_mechanics/Pages_sites_servers_and_search_engines) - : In this article we describe various web-related concepts: webpages, websites, web servers, and search engines. These terms are often a source of confusion for newcomers to the web, or are used incorrectly. Let's discover what they actually mean! - [What are hyperlinks?](/en-US/docs/Learn/Common_questions/Web_mechanics/What_are_hyperlinks) - : In this article, we'll go over what hyperlinks are and why they matter. - [What is a URL?](/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_URL) - : With {{Glossary("Hypertext")}} and {{Glossary("HTTP")}}, URL is a key concept when it comes to the Internet. It is the mechanism used by {{Glossary("Browser","browsers")}} to retrieve any published resource on the web. - [What is a domain name?](/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_domain_name) - : Domain names are a key component of the Internet infrastructure. They provide a human-readable address for any web server available on the Internet. - [What is a web server?](/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_web_server) - : The term "web server" can refer to the hardware or software that serves websites to clients across the web β€” or both of them working together. In this article we go over how web servers work, and why they're important.
0
data/mdn-content/files/en-us/learn/common_questions/web_mechanics
data/mdn-content/files/en-us/learn/common_questions/web_mechanics/what_is_a_url/index.md
--- title: What is a URL? slug: Learn/Common_questions/Web_mechanics/What_is_a_URL page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} This article discusses Uniform Resource Locators (URLs), explaining what they are and how they're structured. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You need to first know <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/How_does_the_Internet_work" >how the Internet works</a >, <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_web_server" >what a Web server is</a > and <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/What_are_hyperlinks" >the concepts behind links on the web</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td>You will learn what a URL is and how it works on the Web.</td> </tr> </tbody> </table> ## Summary With {{Glossary("Hypertext")}} and {{Glossary("HTTP")}}, **_URL_** is one of the key concepts of the Web. It is the mechanism used by {{Glossary("Browser","browsers")}} to retrieve any published resource on the web. **URL** stands for _Uniform Resource Locator_. A URL is nothing more than the address of a given unique resource on the Web. In theory, each valid URL points to a unique resource. Such resources can be an HTML page, a CSS document, an image, etc. In practice, there are some exceptions, the most common being a URL pointing to a resource that no longer exists or that has moved. As the resource represented by the URL and the URL itself are handled by the Web server, it is up to the owner of the web server to carefully manage that resource and its associated URL. ## Basics: anatomy of a URL Here are some examples of URLs: ```plain https://developer.mozilla.org https://developer.mozilla.org/en-US/docs/Learn/ https://developer.mozilla.org/en-US/search?q=URL ``` Any of those URLs can be typed into your browser's address bar to tell it to load the associated page (resource). A URL is composed of different parts, some mandatory and others optional. The most important parts are highlighted on the URL below (details are provided in the following sections): ![full URL](mdn-url-all.png) > **Note:** You might think of a URL like a regular postal mail address: the _scheme_ represents the postal service you want to use, the _domain name_ is the city or town, and the _port_ is like the zip code; the _path_ represents the building where your mail should be delivered; the _parameters_ represent extra information such as the number of the apartment in the building; and, finally, the _anchor_ represents the actual person to whom you've addressed your mail. > **Note:** There are [some extra parts and some extra rules](https://en.wikipedia.org/wiki/Uniform_Resource_Locator) regarding URLs, but they are not relevant for regular users or Web developers. Don't worry about this, you don't need to know them to build and use fully functional URLs. ## Scheme ![Scheme](mdn-url-protocol@x2_update.png) The first part of the URL is the _scheme_, which indicates the protocol that the browser must use to request the resource (a protocol is a set method for exchanging or transferring data around a computer network). Usually for websites the protocol is HTTPS or HTTP (its unsecured version). Addressing web pages requires one of these two, but browsers also know how to handle other schemes such as `mailto:` (to open a mail client), so don't be surprised if you see other protocols. ## Authority ![Authority](mdn-url-authority.png) Next follows the _authority_, which is separated from the scheme by the character pattern `://`. If present the authority includes both the _domain_ (e.g. `www.example.com`) and the _port_ (`80`), separated by a colon: - The domain indicates which Web server is being requested. Usually this is a [domain name](/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_domain_name), but an {{Glossary("IP address")}} may also be used (but this is rare as it is much less convenient). - The port indicates the technical "gate" used to access the resources on the web server. It is usually omitted if the web server uses the standard ports of the HTTP protocol (80 for HTTP and 443 for HTTPS) to grant access to its resources. Otherwise it is mandatory. > **Note:** The separator between the scheme and authority is `://`. The colon separates the scheme from the next part of the URL, while `//` indicates that the next part of the URL is the authority. > > One example of a URL that doesn't use an authority is the mail client (`mailto:foobar`). It contains a scheme but doesn't use an authority component. Therefore, the colon is not followed by two slashes and only acts as a delimiter between the scheme and mail address. ## Path to resource ![Path to the file]([email protected]) `/path/to/myfile.html` is the path to the resource on the Web server. In the early days of the Web, a path like this represented a physical file location on the Web server. Nowadays, it is mostly an abstraction handled by Web servers without any physical reality. ## Parameters ![Parameters]([email protected]) `?key1=value1&key2=value2` are extra parameters provided to the Web server. Those parameters are a list of key/value pairs separated with the `&` symbol. The Web server can use those parameters to do extra stuff before returning the resource. Each Web server has its own rules regarding parameters, and the only reliable way to know if a specific Web server is handling parameters is by asking the Web server owner. ## Anchor ![Anchor]([email protected]) `#SomewhereInTheDocument` is an anchor to another part of the resource itself. An anchor represents a sort of "bookmark" inside the resource, giving the browser the directions to show the content located at that "bookmarked" spot. On an HTML document, for example, the browser will scroll to the point where the anchor is defined; on a video or audio document, the browser will try to go to the time the anchor represents. It is worth noting that the part after the **#**, also known as the **fragment identifier**, is never sent to the server with the request. ## How to use URLs Any URL can be typed right inside the browser's address bar to get to the resource behind it. But this is only the tip of the iceberg! The {{Glossary("HTML")}} language β€” [which will be discussed later on](/en-US/docs/Learn/HTML/Introduction_to_HTML) β€” makes extensive use of URLs: - to create links to other documents with the {{HTMLElement("a")}} element; - to link a document with its related resources through various elements such as {{HTMLElement("link")}} or {{HTMLElement("script")}}; - to display media such as images (with the {{HTMLElement("img")}} element), videos (with the {{HTMLElement("video")}} element), sounds and music (with the {{HTMLElement("audio")}} element), etc.; - to display other HTML documents with the {{HTMLElement("iframe")}} element. > **Note:** When specifying URLs to load resources as part of a page (such as when using the `<script>`, `<audio>`, `<img>`, `<video>`, and the like), you should generally only use HTTP and HTTPS URLs, with few exceptions (one notable one being `data:`; see [Data URLs](/en-US/docs/Web/HTTP/Basics_of_HTTP/Data_URLs)). Using FTP, for example, is not secure and is no longer supported by modern browsers. Other technologies, such as {{Glossary("CSS")}} or {{Glossary("JavaScript")}}, use URLs extensively, and these are really the heart of the Web. ## Absolute URLs vs. relative URLs What we saw above is called an _absolute URL_, but there is also something called a _relative URL_. The [URL standard](https://url.spec.whatwg.org/#absolute-url-string) defines both β€” though it uses the terms [_absolute URL string_](https://url.spec.whatwg.org/#absolute-url-string) and [_relative URL string_](https://url.spec.whatwg.org/#relative-url-string), to distinguish them from [URL objects](https://url.spec.whatwg.org/#url) (which are in-memory representations of URLs). Let's examine what the distinction between _absolute_ and _relative_ means in the context of URLs. The required parts of a URL depend to a great extent on the context in which the URL is used. In your browser's address bar, a URL doesn't have any context, so you must provide a full (or _absolute_) URL, like the ones we saw above. You don't need to include the protocol (the browser uses HTTP by default) or the port (which is only required when the targeted Web server is using some unusual port), but all the other parts of the URL are necessary. When a URL is used within a document, such as in an HTML page, things are a bit different. Because the browser already has the document's own URL, it can use this information to fill in the missing parts of any URL available inside that document. We can differentiate between an _absolute URL_ and a _relative URL_ by looking only at the _path_ part of the URL. If the path part of the URL starts with the "`/`" character, the browser will fetch that resource from the top root of the server, without reference to the context given by the current document. Let's look at some examples to make this clearer. ### Examples of absolute URLs <table> <tbody> <tr> <td>Full URL (the same as the one we used before)</td> <td><pre>https://developer.mozilla.org/en-US/docs/Learn</pre></td> </tr> <tr> <td>Implicit protocol</td> <td> <pre>//developer.mozilla.org/en-US/docs/Learn</pre> <p> In this case, the browser will call that URL with the same protocol as the one used to load the document hosting that URL. </p> </td> </tr> <tr> <td>Implicit domain name</td> <td> <pre>/en-US/docs/Learn</pre> <p> This is the most common use case for an absolute URL within an HTML document. The browser will use the same protocol and the same domain name as the one used to load the document hosting that URL. <strong>Note:</strong> <em >it isn't possible to omit the domain name without omitting the protocol as well</em >. </p> </td> </tr> </tbody> </table> ### Examples of relative URLs To better understand the following examples, let's assume that the URLs are called from within the document located at the following URL: `https://developer.mozilla.org/en-US/docs/Learn` <table> <tbody> <tr> <td>Sub-resources</td> <td> <pre>Skills/Infrastructure/Understanding_URLs</pre> <p> Because that URL does not start with <code>/</code>, the browser will attempt to find the document in a subdirectory of the one containing the current resource. So in this example, we really want to reach this URL: https://developer.mozilla.org/en-US/docs/Learn/Skills/Infrastructure/Understanding_URLs. </p> </td> </tr> <tr> <td>Going back in the directory tree</td> <td> <pre>../CSS/display</pre> <p> In this case, we use the <code>../</code> writing convention β€” inherited from the UNIX file system world β€” to tell the browser we want to go up from one directory. Here we want to reach this URL: https://developer.mozilla.org/en-US/docs/Learn/../CSS/display, which can be simplified to: https://developer.mozilla.org/en-US/docs/CSS/display. </p> </td> </tr> </tbody> </table> ## Semantic URLs Despite their very technical flavor, URLs represent a human-readable entry point for a website. They can be memorized, and anyone can enter them into a browser's address bar. People are at the core of the Web, and so it is considered best practice to build what is called [_semantic URLs_](https://en.wikipedia.org/wiki/Semantic_URL). Semantic URLs use words with inherent meaning that can be understood by anyone, regardless of their technical know-how. Linguistic semantics are of course irrelevant to computers. You've probably often seen URLs that look like mashups of random characters. But there are many advantages to creating human-readable URLs: - It is easier for you to manipulate them. - It clarifies things for users in terms of where they are, what they're doing, what they're reading or interacting with on the Web. - Some search engines can use those semantics to improve the classification of the associated pages. ## See also [Data URLs](/en-US/docs/Web/HTTP/Basics_of_HTTP/Data_URLs): URLs prefixed with the `data:` scheme, allow content creators to embed small files inline in documents.
0
data/mdn-content/files/en-us/learn/common_questions/web_mechanics
data/mdn-content/files/en-us/learn/common_questions/web_mechanics/what_is_a_web_server/index.md
--- title: What is a web server? slug: Learn/Common_questions/Web_mechanics/What_is_a_web_server page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} In this article, we explain what web servers are, how web servers work, and why they are important. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should already know <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/How_does_the_Internet_work" >how the Internet works</a >, and <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/Pages_sites_servers_and_search_engines" >understand the difference between a web page, a website, a web server, and a search engine</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> You will learn what a web server is and gain a general understanding of how it works. </td> </tr> </tbody> </table> ## Summary The term _web server_ can refer to hardware or software, or both of them working together. 1. On the hardware side, a web server is a computer that stores web server software and a website's component files (for example, HTML documents, images, CSS stylesheets, and JavaScript files). A web server connects to the Internet and supports physical data interchange with other devices connected to the web. 2. On the software side, a web server includes several parts that control how web users access hosted files. At a minimum, this is an _HTTP server_. An HTTP server is software that understands {{Glossary("URL","URLs")}} (web addresses) and {{Glossary("HTTP")}} (the protocol your browser uses to view webpages). An HTTP server can be accessed through the domain names of the websites it stores, and it delivers the content of these hosted websites to the end user's device. At the most basic level, whenever a browser needs a file that is hosted on a web server, the browser requests the file via HTTP. When the request reaches the correct (hardware) web server, the (software) _HTTP server_ accepts the request, finds the requested document, and sends it back to the browser, also through HTTP. (If the server doesn't find the requested document, it returns a [404](/en-US/docs/Web/HTTP/Status/404) response instead.) ![Basic representation of a client/server connection through HTTP](web-server.svg) To publish a website, you need either a static or a dynamic web server. A **static web server**, or stack, consists of a computer (hardware) with an HTTP server (software). We call it "static" because the server sends its hosted files as-is to your browser. A **dynamic web server** consists of a static web server plus extra software, most commonly an _application server_ and a _database_. We call it "dynamic" because the application server updates the hosted files before sending content to your browser via the HTTP server. For example, to produce the final webpages you see in the browser, the application server might fill an HTML template with content from a database. Sites like MDN or Wikipedia have thousands of webpages. Typically, these kinds of sites are composed of only a few HTML templates and a giant database, rather than thousands of static HTML documents. This setup makes it easier to maintain and deliver the content. ## Deeper dive To review: to fetch a webpage, your browser sends a request to the web server, which searches for the requested file in its own storage space. Upon finding the file, the server reads it, processes it as needed, and sends it to the browser. Let's look at those steps in more detail. ### Hosting files First, a web server has to store the website's files, namely all HTML documents and their related assets, including images, CSS stylesheets, JavaScript files, fonts, and video. Technically, you could host all those files on your own computer, but it's far more convenient to store files all on a dedicated web server because: - A dedicated web server is typically more available (up and running). - Excluding downtime and system troubles, a dedicated web server is always connected to the Internet. - A dedicated web server can have the same IP address all the time. This is known as a _dedicated IP address_. (Not all {{Glossary("ISP", "ISPs")}} provide a fixed IP address for home lines.) - A dedicated web server is typically maintained by a third party. For all these reasons, finding a good hosting provider is a key part of building your website. Examine the various services companies offer. Choose one that fits your needs and budget. (Services range from free to thousands of dollars per month.) You can find more details [in this article](/en-US/docs/Learn/Common_questions/Tools_and_setup/How_much_does_it_cost#hosting). Once you have web hosting service, you must [upload your files to your web server](/en-US/docs/Learn/Common_questions/Tools_and_setup/Upload_files_to_a_web_server). ### Communicating through HTTP Second, a web server provides support for {{Glossary("HTTP")}} (**H**yper**t**ext **T**ransfer **P**rotocol). As its name implies, HTTP specifies how to transfer hypertext (linked web documents) between two computers. A {{Glossary("Protocol")}} is a set of rules for communication between two computers. HTTP is a textual, stateless protocol. - Textual - : All commands are plain-text and human-readable. - Stateless - : Neither the server nor the client remember previous communications. For example, relying on HTTP alone, a server can't remember a password you typed or remember your progress on an incomplete transaction. You need an application server for tasks like that. (We'll cover that sort of technology in other articles.) HTTP provides clear rules for how a client and server communicate. We'll cover HTTP itself in a [technical article](/en-US/docs/Web/HTTP) later. For now, just be aware of these things: - Usually only _clients_ make HTTP requests, and only to _servers_. Servers _respond_ to a _client_'s HTTP request. A server can also populate data into a client cache, in advance of it being requested, through a mechanism called [server push](https://en.wikipedia.org/wiki/HTTP/2_Server_Push). - When requesting a file via HTTP, clients must provide the file's {{Glossary("URL")}}. - The web server _must answer_ every HTTP request, at least with an error message. On a web server, the HTTP server is responsible for processing and answering incoming requests. 1. Upon receiving a request, an HTTP server checks if the requested URL matches an existing file. 2. If so, the web server sends the file content back to the browser. If not, the server will check if it should generate a file dynamically for the request (see [Static vs. dynamic content](#static_vs._dynamic_content)). 3. If neither of these options are possible, the web server returns an error message to the browser, most commonly {{HTTPStatus("404", "404 Not Found")}}. The 404 error is so common that some web designers devote considerable time and effort to designing 404 error pages. [![The MDN 404 page as an example of such error page](mdn-404.jpg)](/en-US/docs/Web/HTTP/Status/404) ### Static vs. dynamic content Roughly speaking, a server can serve either static or dynamic content. Remember that the term _static_ means "served as-is". Static websites are the easiest to set up, so we suggest you make your first site a static site. The term _dynamic_ means that the server processes the content or even generates it on the fly from a database. This approach provides more flexibility, but the technical stack is more complex, making it dramatically more challenging to build a website. It is impossible to suggest a single off-the-shelf application server that will be the right solution for every possible use case. Some application servers are designed to host and manage blogs, wikis, or e-commerce solutions, while others are more generic. If you're building a dynamic website, take the time to research your requirements and find the technology that best fits your needs. Most website developers won't need to create an application server from scratch, because there are so many off-the-shelf solutions, many of which are highly configurable. But if you do need to create your own server, then you will probably want to use a server framework, leveraging its existing code and libraries, and extending just the parts that you need in order to meet your use case. Only a relatively small number of developers should need to develop a server completely from scratch: for example, in order to meet tight resource constraints on an embedded system. If you'd like to experiment with building a server, take a look through the resources in the [Server-side website programming](/en-US/docs/Learn/Server-side) learning pathway. ## Next steps Now that you are familiar with web servers, you could: - read up on [how much it costs to do something on the web](/en-US/docs/Learn/Common_questions/Tools_and_setup/How_much_does_it_cost) - learn more about [various software you need to create a website](/en-US/docs/Learn/Common_questions/Tools_and_setup/What_software_do_I_need) - move on to something practical like [how to upload files on a web server](/en-US/docs/Learn/Common_questions/Tools_and_setup/Upload_files_to_a_web_server).
0
data/mdn-content/files/en-us/learn/common_questions/web_mechanics
data/mdn-content/files/en-us/learn/common_questions/web_mechanics/what_is_a_web_server/web-server.svg
<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 600 200"><style>@font-face{font-family:&apos;Open Sans Light&apos;;src:url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-LightItalic-webfont.eot);src:url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-LightItalic-webfont.eot?#iefix) format(&apos;embedded-opentype&apos;),url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-LightItalic-webfont.woff) format(&apos;woff&apos;),url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-LightItalic-webfont.ttf) format(&apos;truetype&apos;),url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-LightItalic-webfont.svg#OpenSansRegular) format(&apos;svg&apos;);font-weight:400;font-style:italic}@font-face{font-family:&apos;Open Sans&apos;;src:url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-Regular-webfont.eot);src:url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-Regular-webfont.eot?#iefix) format(&apos;embedded-opentype&apos;),url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-Regular-webfont.woff) format(&apos;woff&apos;),url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-Regular-webfont.ttf) format(&apos;truetype&apos;),url(//mozorg.cdn.mozilla.net/media/fonts/OpenSans-Regular-webfont.svg#OpenSansRegular) format(&apos;svg&apos;);font-weight:400;font-style:normal}.st0{font-family:&apos;Open Sans Light&apos;,sans-serif;font-style:italic}.st1{font-size:14px;text-anchor:middle}.st2{font-family:&apos;Open Sans&apos;,sans-serif}</style><g id="Server"><g id="Hardware_1_"><path id="Container_2_" d="M45 55c16.6 0 30 13.4 30 30s-13.4 30-30 30-30-13.4-30-30 13.4-30 30-30m0-5c-19.3 0-35 15.7-35 35s15.7 35 35 35 35-15.7 35-35-15.7-35-35-35z"/><text x="45" y="90" class="st0 st1">Files</text></g><g id="Software_1_"><path id="Container_3_" d="M125 55c16.6 0 30 13.4 30 30s-13.4 30-30 30-30-13.4-30-30 13.4-30 30-30m0-5c-19.3 0-35 15.7-35 35s15.7 35 35 35 35-15.7 35-35-15.7-35-35-35z"/><text><tspan x="125" y="80" class="st0 st1">HTTP</tspan> <tspan x="125" y="97" class="st0 st1">server</tspan></text></g><path id="Container_1_" d="M85 5c44.1 0 80 35.9 80 80s-35.9 80-80 80S5 129.1 5 85 40.9 5 85 5m0-5C38.1 0 0 38.1 0 85s38.1 85 85 85 85-38.1 85-85S131.9 0 85 0z"/><text x="85" y="195" class="st2 st1">Web server</text></g><g id="Browser"><g id="Computer_2_"><path id="Screen_2_" d="M550 57.6v40h-70v-40h70m0-5h-70c-2.8 0-5 2.2-5 5v40c0 2.8 2.2 5 5 5h70c2.8 0 5-2.2 5-5v-40c0-2.7-2.2-5-5-5z"/><path id="Keyboard_2_" d="M565 110.6H465c-2.8 0-5-2.2-5-5h110c0 2.8-2.2 5-5 5z"/></g><path id="Container_5_" d="M515 5.6c44.1 0 80 35.9 80 80s-35.9 80-80 80-80-35.9-80-80 35.9-80 80-80m0-5c-46.9 0-85 38.1-85 85s38.1 85 85 85 85-38.1 85-85-38.1-85-85-85z"/><text x="515" y="195" class="st2 st1">Browser</text></g><g id="HTTP"><path id="left_arrow" d="M175 54v-6l-10 7.5 10 7.5v-5.9h265V54z"/><path id="right_arrow" d="M425 113v-6l10 7.5-10 7.5v-5.9H160V113z"/><text x="375" y="73" class="st0 st1">HTTP Request</text><text x="227" y="107" class="st0 st1">HTTP Response</text></g></svg>
0
data/mdn-content/files/en-us/learn/common_questions/web_mechanics
data/mdn-content/files/en-us/learn/common_questions/web_mechanics/how_does_the_internet_work/index.md
--- title: How does the Internet work? slug: Learn/Common_questions/Web_mechanics/How_does_the_Internet_work page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} This article discusses what the Internet is and how it works. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> None, but we encourage you to read the <a href="/en-US/docs/Learn/Common_questions/Design_and_accessibility/Thinking_before_coding" >Article on setting project goals</a > first </td> </tr> <tr> <th scope="row">Objective:</th> <td> You will learn the basics of the technical infrastructure of the Web and the difference between Internet and the Web. </td> </tr> </tbody> </table> ## Summary The **Internet** is the backbone of the Web, the technical infrastructure that makes the Web possible. At its most basic, the Internet is a large network of computers which communicate all together. [The history of the Internet is somewhat obscure](https://en.wikipedia.org/wiki/Internet#History). It began in the 1960s as a US-army-funded research project, then evolved into a public infrastructure in the 1980s with the support of many public universities and private companies. The various technologies that support the Internet have evolved over time, but the way it works hasn't changed that much: Internet is a way to connect computers all together and ensure that, whatever happens, they find a way to stay connected. ## Active Learning - [How the internet Works in 5 minutes](https://www.youtube.com/watch?v=7_LPdttKXPc): A 5-minute video to understand the very basics of Internet by Aaron Titus. - [How does the Internet work?](https://www.youtube.com/watch?v=x3c1ih2NJEg) Detailed well visualized 9-minute video. ## Deeper dive ### A simple network When two computers need to communicate, you have to link them, either physically (usually with an [Ethernet cable](https://en.wikipedia.org/wiki/Ethernet_crossover_cable)) or wirelessly (for example with [Wi-Fi](https://en.wikipedia.org/wiki/WiFi) or [Bluetooth](https://en.wikipedia.org/wiki/Bluetooth) systems). All modern computers can sustain any of those connections. > **Note:** For the rest of this article, we will only talk about physical cables, but wireless networks work the same. ![Two computers linked together](internet-schema-1.png) Such a network is not limited to two computers. You can connect as many computers as you wish. But it gets complicated quickly. If you're trying to connect, say, ten computers, you need 45 cables, with nine plugs per computer! ![Ten computers all together](internet-schema-2.png) To solve this problem, each computer on a network is connected to a special tiny computer called a _router_. This _router_ has only one job: like a signaler at a railway station, it makes sure that a message sent from a given computer arrives at the right destination computer. To send a message to computer B, computer A must send the message to the router, which in turn forwards the message to computer B and makes sure the message is not delivered to computer C. Once we add a router to the system, our network of 10 computers only requires 10 cables: a single plug for each computer and a router with 10 plugs. ![Ten computers with a router](internet-schema-3.png) ### A network of networks So far so good. But what about connecting hundreds, thousands, billions of computers? Of course a single _router_ can't scale that far, but, if you read carefully, we said that a _router_ is a computer like any other, so what keeps us from connecting two _routers_ together? Nothing, so let's do that. ![Two routers linked together](internet-schema-4.png) By connecting computers to routers, then routers to routers, we are able to scale infinitely. ![Routers linked to routers](internet-schema-5.png) Such a network comes very close to what we call the Internet, but we're missing something. We built that network for our own purposes. There are other networks out there: your friends, your neighbors, anyone can have their own network of computers. But it's not really possible to set cables up between your house and the rest of the world, so how can you handle this? Well, there are already cables linked to your house, for example, electric power and telephone. The telephone infrastructure already connects your house with anyone in the world so it is the perfect wire we need. To connect our network to the telephone infrastructure, we need a special piece of equipment called a _modem_. This _modem_ turns the information from our network into information manageable by the telephone infrastructure and vice versa. ![A router linked to a modem](internet-schema-6.png) So we are connected to the telephone infrastructure. The next step is to send the messages from our network to the network we want to reach. To do that, we will connect our network to an Internet Service Provider (ISP). An ISP is a company that manages some special _routers_ that are all linked together and can also access other ISPs' routers. So the message from our network is carried through the network of ISP networks to the destination network. The Internet consists of this whole infrastructure of networks. ![Full Internet stack](internet-schema-7.png) ### Finding computers If you want to send a message to a computer, you have to specify which one. Thus any computer linked to a network has a unique address that identifies it, called an "IP address" (where IP stands for _Internet Protocol_). It's an address made of a series of four numbers separated by dots, for example: `192.0.2.172`. That's perfectly fine for computers, but we human beings have a hard time remembering that sort of address. To make things easier, we can alias an IP address with a human-readable name called a _domain name_. For example (at the time of writing; IP addresses can change) `google.com` is the domain name used on top of the IP address `142.250.190.78`. So using the domain name is the easiest way for us to reach a computer over the Internet. ![Show how a domain name can alias an IP address](dns-ip.png) ### Internet and the web As you might notice, when we browse the Web with a Web browser, we usually use the domain name to reach a website. Does that mean the Internet and the Web are the same thing? It's not that simple. As we saw, the Internet is a technical infrastructure which allows billions of computers to be connected all together. Among those computers, some computers (called _Web servers_) can send messages intelligible to web browsers. The _Internet_ is an infrastructure, whereas the _Web_ is a service built on top of the infrastructure. It is worth noting there are several other services built on top of the Internet, such as email and {{Glossary("IRC")}}. ### Intranets and Extranets Intranets are _private_ networks that are restricted to members of a particular organization. They are commonly used to provide a portal for members to securely access shared resources, collaborate and communicate. For example, an organization's intranet might host web pages for sharing department or team information, shared drives for managing key documents and files, portals for performing business administration tasks, and collaboration tools like wikis, discussion boards, and messaging systems. Extranets are very similar to Intranets, except they open all or part of a private network to allow sharing and collaboration with other organizations. They are typically used to safely and securely share information with clients and stakeholders who work closely with a business. Often their functions are similar to those provided by an intranet: information and file sharing, collaboration tools, discussion boards, etc. Both intranets and extranets run on the same kind of infrastructure as the Internet, and use the same protocols. They can therefore be accessed by authorized members from different physical locations. ![Graphical Representation of how Extranet and Intranet work](internet-schema-8.png) ## Next steps - [How the Web works](/en-US/docs/Learn/Getting_started_with_the_web/How_the_Web_works) - [Understanding the difference between a web page, a website, a web server and a search engine](/en-US/docs/Learn/Common_questions/Web_mechanics/Pages_sites_servers_and_search_engines) - [Understanding domain names](/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_domain_name)
0
data/mdn-content/files/en-us/learn/common_questions/web_mechanics
data/mdn-content/files/en-us/learn/common_questions/web_mechanics/what_is_a_domain_name/index.md
--- title: What is a Domain Name? slug: Learn/Common_questions/Web_mechanics/What_is_a_domain_name page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> First you need to know <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/How_does_the_Internet_work" >how the Internet works</a > and understand <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_URL" >what URLs are</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn what domain names are, how they work, and why they are important. </td> </tr> </tbody> </table> ## Summary Domain names are a key part of the Internet infrastructure. They provide a human-readable address for any web server available on the Internet. Any Internet-connected computer can be reached through a public {{Glossary("IP Address")}}, either an IPv4 address (e.g. `192.0.2.172`) or an IPv6 address (e.g., `2001:db8:8b73:0000:0000:8a2e:0370:1337`). Computers can handle such addresses easily, but people have a hard time finding out who is running the server or what service the website offers. IP addresses are hard to remember and might change over time. To solve all those problems we use human-readable addresses called domain names. ## Deeper dive ### Structure of domain names A domain name has a simple structure made of several parts (it might be one part only, two, three…), separated by dots and **read from right to left**: ![Anatomy of the MDN domain name](structure.png) Each of those parts provides specific information about the whole domain name. - {{Glossary("TLD")}} (Top-Level Domain). - : TLDs tell users the general purpose of the service behind the domain name. The most generic TLDs (`.com`, `.org`, `.net`) don't require web services to meet any particular criteria, but some TLDs enforce stricter policies so it is clearer what their purpose is. For example: - Local TLDs such as `.us`, `.fr`, or `.se` can require the service to be provided in a given language or hosted in a certain country β€” they are supposed to indicate a resource in a particular language or country. - TLDs containing `.gov` are only allowed to be used by government departments. - The `.edu` TLD is only for use by educational and academic institutions. TLDs can contain special as well as latin characters. A TLD's maximum length is 63 characters, although most are around 2–3. The full list of TLDs is [maintained by ICANN](https://www.icann.org/resources/pages/tlds-2012-02-25-en). - Label (or component) - : The labels are what follow the TLD. A label is a case-insensitive character sequence anywhere from one to sixty-three characters in length, containing only the letters `A` through `Z`, digits `0` through `9`, and the '-' character (which may not be the first or last character in the label). `a`, `97`, and `hello-strange-person-16-how-are-you` are all examples of valid labels. The label located right before the TLD is also called a _Secondary Level Domain_ (SLD). A domain name can have many labels (or components). It is not mandatory nor necessary to have 3 labels to form a domain name. For instance, www\.inf.ed.ac.uk is a valid domain name. For any domain you control (e.g. [mozilla.org](https://www.mozilla.org/en-US/)), you can create "subdomains" with different content located at each, like [developer.mozilla.org](/), [iot.mozilla.org](https://iot.mozilla.org/), or [bugzilla.mozilla.org](https://bugzilla.mozilla.org). ### Buying a domain name #### Who owns a domain name? You cannot "buy a domain name". This is so that unused domain names eventually become available to be used again by someone else. If every domain name was bought, the web would quickly fill up with unused domain names that were locked and couldn't be used by anyone. Instead, you pay for the right to use a domain name for one or more years. You can renew your right, and your renewal has priority over other people's applications. But you never own the domain name. Companies called registrars use domain name registries to keep track of technical and administrative information connecting you to your domain name. > **Note:** For some domain name, it might not be a registrar which is in charge of keeping track. For instance, every domain name under `.fire` is managed by Amazon. #### Finding an available domain name To find out whether a given domain name is available, - Go to a domain name registrar's website. Most of them provide a "whois" service that tells you whether a domain name is available. - Alternatively, if you use a system with a built-in shell, type a `whois` command into it, as shown here for `mozilla.org`: ```bash whois mozilla.org ``` This will output the following: ```plain Domain Name:MOZILLA.ORG Domain ID: D1409563-LROR Creation Date: 1998-01-24T05:00:00Z Updated Date: 2013-12-08T01:16:57Z Registry Expiry Date: 2015-01-23T05:00:00Z Sponsoring Registrar:MarkMonitor Inc. (R37-LROR) Sponsoring Registrar IANA ID: 292 WHOIS Server: Referral URL: Domain Status: clientDeleteProhibited Domain Status: clientTransferProhibited Domain Status: clientUpdateProhibited Registrant ID:mmr-33684 Registrant Name:DNS Admin Registrant Organization:Mozilla Foundation Registrant Street: 650 Castro St Ste 300 Registrant City:Mountain View Registrant State/Province:CA Registrant Postal Code:94041 Registrant Country:US Registrant Phone:+1.6509030800 ``` As you can see, I can't register `mozilla.org` because the Mozilla Foundation has already registered it. On the other hand, let's see if I could register `afunkydomainname.org`: ```bash whois afunkydomainname.org ``` This will output the following (at the time of writing): ```plain NOT FOUND ``` As you can see, the domain does not exist in the `whois` database, so we could ask to register it. Good to know! #### Getting a domain name The process is quite straightforward: 1. Go to a registrar's website. 2. Usually there is a prominent "Get a domain name" call to action. Click on it. 3. Fill out the form with all required details. Make sure, especially, that you have not misspelled your desired domain name. Once it's paid for, it's too late! 4. The registrar will let you know when the domain name is properly registered. Within a few hours, all DNS servers will have received your DNS information. > **Note:** In this process the registrar asks you for your real-world address. Make sure you fill it properly, since in some countries registrars may be forced to close the domain if they cannot provide a valid address. #### DNS refreshing DNS databases are stored on every DNS server worldwide, and all these servers refer to a few special servers called "authoritative name servers" or "top-level DNS servers" β€” these are like the boss servers that manage the system. Whenever your registrar creates or updates any information for a given domain, the information must be refreshed in every DNS database. Each DNS server that knows about a given domain stores the information for some time before it is automatically invalidated and then refreshed (the DNS server queries an authoritative server and fetches the updated information from it). Thus, it takes some time for DNS servers that know about this domain name to get the up-to-date information. ### How does a DNS request work? As we already saw, when you want to display a webpage in your browser it's easier to type a domain name than an IP address. Let's take a look at the process: 1. Type `mozilla.org` in your browser's location bar. 2. Your browser asks your computer if it already recognizes the IP address identified by this domain name (using a local DNS cache). If it does, the name is translated to the IP address and the browser negotiates contents with the web server. End of story. 3. If your computer does not know which IP is behind the `mozilla.org` name, it goes on to ask a DNS server, whose job is precisely to tell your computer which IP address matches each registered domain name. 4. Now that the computer knows the requested IP address, your browser can negotiate contents with the web server. ![Explanation of the steps needed to obtain the result to a DNS request](2014-10-dns-request2.png) ## Next steps Okay, we talked a lot about processes and architecture. Time to move on. - If you want to get hands-on, it's a good time to start digging into design and explore [the anatomy of a web page](/en-US/docs/Learn/Common_questions/Design_and_accessibility/Common_web_layouts). - It's also worth noting that some aspects of building a website cost money. Please refer to [how much it costs to build a website](/en-US/docs/Learn/Common_questions/Tools_and_setup/How_much_does_it_cost). - Or read more about [Domain Names](https://en.wikipedia.org/wiki/Domain_name) on Wikipedia. - You can also find [here](https://howdns.works/) a fun and colorful explanation of how DNS works.
0
data/mdn-content/files/en-us/learn/common_questions/web_mechanics
data/mdn-content/files/en-us/learn/common_questions/web_mechanics/pages_sites_servers_and_search_engines/index.md
--- title: What is the difference between webpage, website, web server, and search engine? slug: Learn/Common_questions/Web_mechanics/Pages_sites_servers_and_search_engines page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} In this article, we describe various web-related concepts: web pages, websites, web servers, and search engines. These terms are often confused by newcomers to the web or are incorrectly used. Let's learn what they each mean! <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should know <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/How_does_the_Internet_work" >how the Internet works</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Be able to describe the differences between a web page, a website, a web server, and a search engine. </td> </tr> </tbody> </table> ## Summary As with any area of knowledge, the web comes with a lot of jargon. Don't worry. We won't overwhelm you with all of it (we have a [glossary](/en-US/docs/Glossary) if you're curious). However, there are a few basic terms you need to understand at the outset since you'll hear these expressions all the time as you read on. It's easy to mix these terms since they refer to related but different functionalities. You'll sometimes see these terms misused in news reports and elsewhere, so getting them mixed up is understandable. We'll cover these terms and technologies in more detail as we explore further, but these quick definitions will be a great start for you: - web page - : A document which can be displayed in a web browser such as Firefox, Google Chrome, Opera, Microsoft Edge, or Apple Safari. These are also often called just "pages." - website - : A collection of web pages which are grouped together and usually connected together in various ways. Often called a "website" or a "site." - web server - : A computer that hosts a website on the Internet. - search engine - : A web service that helps you find other web pages, such as Google, Bing, Yahoo, or DuckDuckGo. Search engines are normally accessed through a web browser (e.g. you can perform search engine searches directly in the address bar of Firefox, Chrome, etc.) or through a web page (e.g. [bing.com](https://www.bing.com/) or [duckduckgo.com](https://duckduckgo.com/)). Let's look at a simple analogy β€” a public library. This is what you would generally do when visiting a library: 1. Find a search index and look for the title of the book you want. 2. Make a note of the catalog number of the book. 3. Go to the particular section containing the book, find the right catalog number, and get the book. Let's compare the library with a web server: - The library is like a web server. It has several sections, which is similar to a web server hosting multiple websites. - The different sections (science, math, history, etc.) in the library are like websites. Each section is like a unique website (two sections do not contain the same books). - The books in each section are like webpages. One website may have several webpages, e.g., the Science section (the website) will have books on heat, sound, thermodynamics, statics, etc. (the webpages). Webpages can each be found at a unique location (URL). - The search index is like the search engine. Each book has its own unique location in the library (two books cannot be kept at the same place) which is specified by the catalog number. ## Active learning _There is no active learning available yet. [Please, consider contributing](/en-US/docs/MDN/Community/Contributing/Getting_started)._ ## Deeper dive So, let's dig deeper into how those four terms are related and why they are sometimes confused with each other. ### Web page A **web page** is a simple document displayable by a {{Glossary("browser")}}. Such documents are written in the {{Glossary("HTML")}} language (which we look into in more detail in [other articles](/en-US/docs/Web/HTML)). A web page can embed a variety of different types of resources such as: - _style information_ β€” controlling a page's look-and-feel - _scripts_ β€” which add interactivity to the page - _media_ β€” images, sounds, and videos. > **Note:** Browsers can also display other documents such as {{Glossary("PDF")}} files or images, but the term **web page** specifically refers to HTML documents. Otherwise, we only use the term **document**. All web pages available on the web are reachable through a unique address. To access a page, just type its address in your browser address bar: ![Example of a web page address in the browser address bar](web-page.jpg) ### Website A _website_ is a collection of linked web pages (plus their associated resources) that share a unique domain name. Each web page of a given website provides explicit linksβ€”most of the time in the form of clickable portions of textβ€”that allow the user to move from one page of the website to another. To access a website, type its domain name in your browser address bar, and the browser will display the website's main web page, or _homepage_ (casually referred as "the home"): ![Example of a website domain name in the browser address bar](web-site.jpg) Note that it is also possible to have a _single-page website_: a site that consists of a single web page which is dynamically updated with new content when needed. ### Web server A _web server_ is a computer hosting one or more _websites_. "Hosting" means that all the _web pages_ and their supporting files are available on that computer. The _web server_ will send any _web page_ from the _website_ it is hosting to any user's browser, per user request. Don't confuse _websites_ and _web servers_. For example, if you hear someone say, "My website is not responding", it actually means that the _web server_ is not responding and therefore the _website_ is not available. More importantly, since a web server can host multiple websites, the term _web server_ is never used to designate a website, as it could cause great confusion. In our previous example, if we said, "My web server is not responding", it means that multiple websites on that web server are not available. ### Search engine Search engines are a common source of confusion on the web. A search engine is a special kind of website that helps users find web pages from _other_ websites. There are plenty out there: [Google](https://www.google.com/), [Bing](https://www.bing.com/), [Yandex](https://yandex.com/), [DuckDuckGo](https://duckduckgo.com/), and many more. Some are generic, some are specialized about certain topics. Use whichever you prefer. Many beginners on the web confuse search engines and browsers. Let's make it clear: A **_browser_** is a piece of software that retrieves and displays web pages; a **_search engine_** is a website that helps people find web pages from other websites. The confusion arises because, the first time someone launches a browser, the browser displays a search engine's homepage. This makes sense, because, obviously, the first thing you want to do with a browser is to find a web page to display. Don't confuse the infrastructure (e.g., the browser) with the service (e.g., the search engine). The distinction will help you quite a bit, but even some professionals speak loosely, so don't feel anxious about it. Here is an instance of Firefox showing a Google search box as its default startup page: ![Example of Firefox nightly displaying a custom Google page as default](search-engine.jpg) ## Next steps - Dig deeper: [What is a web server](/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_web_server) - See how web pages are linked into a website: [Understanding links on the web](/en-US/docs/Learn/Common_questions/Web_mechanics/What_are_hyperlinks)
0
data/mdn-content/files/en-us/learn/common_questions/web_mechanics
data/mdn-content/files/en-us/learn/common_questions/web_mechanics/what_are_hyperlinks/index.md
--- title: What are hyperlinks? slug: Learn/Common_questions/Web_mechanics/What_are_hyperlinks page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} In this article, we'll go over what hyperlinks are and why they matter. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should know <a href="/en-US/docs/Learn/Common_questions/Web_mechanics/How_does_the_Internet_work" >how the Internet works</a > and be familiar with<a href="/en-US/docs/Learn/Common_questions/Web_mechanics/Pages_sites_servers_and_search_engines" > the difference between a webpage, a website, a web server, and a search engine</a >. </td> </tr> <tr> <th scope="row">Objective:</th> <td>Learn about links on the web and why they matter.</td> </tr> </tbody> </table> ## Summary Hyperlinks, usually called links, are a foundational concept behind the Web. To explain what links are, we need to step back to the very basics of Web architecture. Back in 1989, Tim Berners-Lee, the Web's inventor, spoke of the three pillars on which the Web stands: 1. {{Glossary("URL")}}, an address system that keeps track of Web documents 2. {{Glossary("HTTP")}}, a transfer protocol to find documents when given their URLs 3. {{Glossary("HTML")}}, a document format allowing for embedded _hyperlinks_ As you can see in the three pillars, everything on the Web revolves around documents and how to access them. The Web's original purpose was to provide an easy way to reach, read, and navigate through text documents. Since then, the Web has evolved to provide access to images, videos, and binary data, but these improvements have hardly changed the three pillars. Before the Web, it was quite hard to access documents and move from one to another. Being human-readable, URLs already made things easier, but it's hard to type a long URL whenever you want to access a document. This is where hyperlinks revolutionized everything. Links can correlate any text string with a URL, such that the user can instantly reach the target document by activating the link. Links stand out from the surrounding text by being underlined and in blue text. Tap or click a link to activate it, or if you use a keyboard, press Tab until the link is in focus and hit Enter or Spacebar. ![Example of a basic display and effect of a link in a web page](link-1.png) Links are the breakthrough that made the Web so useful and successful. In the rest of this article, we discuss the various types of links and their importance to modern Web design. ## Deeper dive As we said, a link is a text string tied to a URL, and we use links to allow easy jumping from one document to another. That said, there are some nuances worth considering: ### Types of links - Internal link - : A link between two webpages, where both webpages belong to the same website, is called an internal link. Without internal links, there's no such thing as a website (unless, of course, it's a one-page website). - External link - : A link from your webpage to someone else's webpage. Without external links, there is no Web, since the Web is a network of webpages. Use external links to provide information besides the content available through your webpage. - Incoming links - : A link from someone else's webpage to your site. It's the opposite of an external link. Note that you don't have to link back when someone links to your site. When you're building a website, focus on internal links, since those make your site usable. Find a good balance between having too many links and too few. We'll talk about designing website navigation in another article, but as a rule, whenever you add a new webpage, make sure at least one of your other pages links to that new page. On the other hand, if your site has more than about ten pages, it's counter-productive to link to every page from every other page. When you're starting out, you don't have to worry about external and incoming links as much, but they are very important if you want search engines to find your site (see below for more details). ### Anchors Most links tie two webpages together. **Anchors** tie two sections of one document together. When you follow a link pointing to an anchor, your browser jumps to another part of the current document instead of loading a new document. However, you make and use anchors the same way as other links. ![Example of a basic display and effect of an anchor in a web page](link-2.png) ### Links and Search Engines Links matter both to users and search engines. Every time search engines crawl a webpage, they index the website by following the links available on the webpage. Search engines not only follow links to discover the various pages of the website, but they also use the link's visible text to determine which search queries are appropriate for reaching the target webpage. Links influence how readily a search engine will link to your site. The trouble is, it's hard to measure search engines' activities. Companies naturally want their sites to rank highly in search results. We know the following about how search engines determine a site's rank: - A link's _visible text_ influences which search queries will find a given URL. - The more _incoming links_ a webpage can boast of, the higher it ranks in search results. - _External links_ influence the search ranking both of source and target webpages, but it is unclear by how much. [SEO](https://en.wikipedia.org/wiki/Search_engine_optimization) (search engine optimization) is the study of how to make websites rank highly in search results. Improving a website's use of links is one helpful SEO technique. ## Next steps Now you'll want to set up some webpages with links. - To get some more theoretical background, learn about [URLs and their structure](/en-US/docs/Learn/Common_questions/Web_mechanics/What_is_a_URL), since every link points to a URL. - Want something a bit more practical? The [Creating hyperlinks](/en-US/docs/Learn/HTML/Introduction_to_HTML/Creating_hyperlinks) article of our [Introduction to HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML) module explains how to implement links in detail.
0
data/mdn-content/files/en-us/learn/common_questions
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility/index.md
--- title: Design and accessibility slug: Learn/Common_questions/Design_and_accessibility page-type: landing-page --- {{LearnSidebar}} This section lists questions related to aesthetics, page structure, accessibility techniques, etc. - [How do I start to design my website?](/en-US/docs/Learn/Common_questions/Design_and_accessibility/Thinking_before_coding) - : This article covers the all-important first step of every project: define what you want to accomplish with it. - [What do common web layouts contain?](/en-US/docs/Learn/Common_questions/Design_and_accessibility/Common_web_layouts) - : When designing pages for your website, it's good to have an idea of the most common layouts. This article runs through some typical web layouts, looking at the parts that make up each one. - [What is accessibility?](/en-US/docs/Learn/Common_questions/Design_and_accessibility/What_is_accessibility) - : This article introduces the basic concepts behind web accessibility. - [How can we design for all types of users?](/en-US/docs/Learn/Common_questions/Design_and_accessibility/Design_for_all_types_of_users) - : This article provides basic techniques to help you design websites for any kind of user β€” quick accessibility wins, and other such things. - [What HTML features promote accessibility?](/en-US/docs/Learn/Common_questions/Design_and_accessibility/HTML_features_for_accessibility) - : This article describes specific features of HTML that can be used to make a webpage more accessible to people with different disabilities.
0
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility/what_is_accessibility/index.md
--- title: What is accessibility? slug: Learn/Common_questions/Design_and_accessibility/What_is_accessibility page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} This article introduces the basic concepts behind web accessibility. <table class="standard-table"> <tbody> <tr> <th scope="row">Prerequisites:</th> <td>None.</td> </tr> <tr> <th scope="row">Objective:</th> <td>Learn what accessibility is and why it matters.</td> </tr> </tbody> </table> ## Summary Because of physical or technical limitations, maybe your visitors can't experience your website the way you hoped. In this article we give general accessibility principles and explain a few rules. ## Active learning _There is no active learning available yet. [Please, consider contributing](/en-US/docs/MDN/Community/Contributing/Getting_started)._ ## Dig deeper ### Accessibility: general principles We might associate accessibility at first with negative limitations. This building has to be accessible, so it must follow these regulations for door width and toilet size and elevator placement. That's a narrow way to think of accessibility. Think of it as a wonderful way to empower people and serve more customers. What can the people in Brazil do with your English website? Can the people with smartphones browse a heavy, cluttered website designed for a large desktop monitor and unlimited bandwidth? They'll go somewhere else. In general, _we must think about our product from the viewpoints of all our target customers, and adapt accordingly._ Hence accessibility. ### Web accessibility In the specific context of the web, accessibility means that anyone can benefit from your content, regardless of disability, location, technical limitations, or other circumstances. Let's consider video: - Hearing impairment - : How does a hearing-impaired person benefit from a video? You have to provide subtitles β€” or even better, a full text transcript. Also, make sure people can adjust the volume to accommodate their unique needs. - Visual impairment - : Again, provide a text transcript that a user can consult without needing to play the video, and an audio-description (an off-screen voice that describes what is happening in the video). - Pausing capacity - : Users may have trouble understanding someone in a video. Let them pause the video to read the subtitles or process the information. - Keyboard capacity - : Let the user tab into/out of a video, play it, and pause it without being trapped in it. #### The basics of Web accessibility A few necessities for basic Web accessibility include: - Whenever your site needs an image to convey meaning, include text as an alternative for visually-challenged users or those with slow connections. - Make sure all users can operate graphical interfaces (like unfolding menus) solely with a keyboard (e.g., with Tab and the Return key). - Provide an attribute explicitly specifying your content's language, so that screen readers read your text properly. - Make sure that a user can navigate to all widgets on a page solely with the keyboard, without getting trapped. (At least let them Tab in and out.) And that's just the beginning. ### Accessibility champions Since 1999, the {{Glossary("W3C")}} has operated a working group called the {{Glossary("WAI","Web Accessibility Initiative")}} (WAI) promoting accessibility through guidelines, support material, and international resources. ## More details Please refer to: - [Wikipedia article](https://en.wikipedia.org/wiki/Accessibility) about accessibility - [WAI (W3C's Web Accessibility Initiative)](https://www.w3.org/WAI/) ## Next steps Accessibility can impact both a website's design and technical structure. - From a design point of view, we suggest learning about [designing for all types of users](/en-US/docs/Learn/Common_questions/Design_and_accessibility/Design_for_all_types_of_users). - If the technical side interests you more, you could learn how to [embed images in webpages](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Images_in_HTML).
0
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility/html_features_for_accessibility/index.md
--- title: What HTML features promote accessibility? slug: Learn/Common_questions/Design_and_accessibility/HTML_features_for_accessibility page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} The following content describes specific features of HTML that should be used to make a web page more accessible to people with different disabilities. ## Link text If you have a link that isn't self-descriptive, or the link destination could benefit from being explained in more detail, you can add information to a link using the [`aria-label`](/en-US/docs/Web/Accessibility/ARIA/Attributes/aria-label) or [`aria-labelledby`](/en-US/docs/Web/Accessibility/ARIA/Attributes/aria-labelledby) attributes. ```html <p> I'm really bad at writing link text. <a href="inept.html" aria-label="Why I'm rubbish at writing link text: An explanation and an apology." >Click here</a > to find out more. </p> <p> I'm really <span id="incompetence">bad at writing link text</span>. <a href="inept.html" aria-labelledby="incompetence">Click here</a> to find out more. </p> ``` Note that, most of the time, it is better to instead write useful link text: ```html <p> I wrote a <a href="capable.html">blog post about how good I am at writing link text</a>. </p> ``` ## Skip Links To aid tabbing, you can supply a [skip link](/en-US/docs/Web/HTML/Element/a#skip_links) that allow users to jump over chunks of your web page. You might want to allow someone to jump over a plethora of navigation links that are found on every page. This enables keyboard users to quickly tab over repeated content and go directly to the page's main content: ```html <header> <h1>The Heading</h1> <a href="#content">Skip to content</a> </header> <nav> <!-- navigation stuff --> </nav> <section id="content"> <!--your content --> </section> ``` ## Alt attribute for image Every image should have an [`alt`](/en-US/docs/Web/HTML/Element/img#alt) attribute. If the image is purely decoration and adds no meaning to the content or context of the document, the `alt` attribute should be present, but empty. You can optionally also add [`role="presentation"`](/en-US/docs/Web/Accessibility/ARIA/Roles/presentation_role). All other images should include an `alt` attribute providing [alternative text describing the image](/en-US/docs/Web/API/HTMLImageElement/alt#usage_notes) in a way that is helpful to users who can read the rest of the content but can't see the image. Think about how you would describe the image to someone who can't load your image: that's the information you should include as the value of the `alt` attribute. ```html <!-- decorative image --> <img alt="" src="blueswish.png" role="presentation" /> <img alt="The Open Web Docs logo: Carle the book worm smiling" src="carle.svg" role="img" /> ``` The `alt` attribute for the same content may vary depending on the context. In the following example, an animated gif is used instead of a progress bar to show the page load progress for a document teaching developers how to use the HTML [`<progress>`](/en-US/docs/Web/HTML/Element/progress) element: ```html <img alt="20% complete" src="load-progress.gif" /> <img alt="The progress bar is a thick green square to the left of the thumb and a thin grey line to the right. The thumb is a circle with a diameter the height of the green area." src="screenshot-progressbar.png" /> ``` ## ARIA role attribute By default, all semantic elements in HTML have a [`role`](/en-US/docs/Web/Accessibility/ARIA/Roles); for example, `<input type="radio">` has the `radio` role. Non-semantic elements in HTML do not have a role. ARIA roles can be used to describe elements that don't natively exist in HTML, such as a [`tablist`](/en-US/docs/Web/Accessibility/ARIA/Roles/tablist_role) widget. Roles are also helpful for newer elements that exist but don't yet have full browser support. For example, when using SVG images, add `role="img"` to the opening tag, as there is an [SVG VoiceOver bug](https://webkit.org/b/216364) whereby VoiceOver does not correctly announce SVG images. ```html <img src="mdn.svg" alt="MDN logo" role="img" /> ```
0
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility/design_for_all_types_of_users/index.md
--- title: How can we design for all types of users? slug: Learn/Common_questions/Design_and_accessibility/Design_for_all_types_of_users page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} This article provides basic tips to help you design websites for any kind of user. <table class="standard-table"> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> You should first read <a href="/en-US/docs/Learn/Common_questions/Design_and_accessibility/What_is_accessibility" >What is accessibility?</a >, since we don't cover accessibility in detail here. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Universal design means design for everybody, regardless of disabilities or technical constraints. This article lists the most important quick-wins for universal design. </td> </tr> </tbody> </table> ## Summary When you're building a website, one top issue to consider is [Universal Design](https://en.wikipedia.org/wiki/Universal_design): accommodating all users regardless of disability, technical constraints, culture, location, and so on. ## Active Learning _There is no active learning available yet. [Please, consider contributing](/en-US/docs/MDN/Community/Contributing/Getting_started)._ ## Dig deeper ### Color contrast To keep your text readable, use a text color that contrasts well with the background color. Make it extra easy to read the text, to help visually-impaired people and people using their phones on the street. The {{Glossary("W3C")}} defines a good color mix with an algorithm that calculates luminosity ratio between foreground and background. The calculation may seem pretty complicated, but we can rely on tools to do the job for us. Let's download and install the Paciello Group's [Color Contrast Analyser](https://www.tpgi.com/color-contrast-checker/). > **Note:** Alternatively you can find a number of contrast checkers online, such as WebAIM's [Color Contrast Checker](https://webaim.org/resources/contrastchecker/). We suggest a local checker because it comes packaged with an on-screen color picker to find out a color value. For instance, let's test the colors on this page and see how we fare in the color Contrast Analyser: ![Color contrast on this page: excellent!](color-contrast.png) The luminosity contrast ratio between text and background is 8.30:1, which exceeds the minimum standard (4.5:1) and should enable many visually-impaired people to read this page. ### Font size You can specify font size on a website either through relative units or absolute units. #### Absolute units Absolute units are not proportionally calculated but refer to a size set in stone, so to speak, and are expressed most of the time in pixels (`px`). For instance, if in your CSS you declare this: ```css body { font-size: 16px; } ``` … you are telling the browser that whatever happens, the font size must be 16 pixels. Modern browsers get around this rule by pretending that you're asking for "16 pixels when the user sets a zoom factor of 100%". #### Relative units Also called _proportional units,_ relative units are computed relative to a parent element. Relative units are friendlier to accessibility because they respect the settings on the user's system. Relative units are expressed in `em`, `%` and `rem`: - Percent-based sizes: `%` - : This unit tells your browser that an element's font size must be N% of the previous element whose font size was expressed. If no parent can be found, the default font size within the browser is considered as the base size for the calculation (usually the equivalent of 16 pixels). - Em-based sizes: `em` - : This unit is calculated the same way as percents, except that you compute in portions of 1 and not portions of 100. It is said that "em" is the width of a capital "M" in the alphabet (roughly speaking, an "M" fits into a square). - Rem-based sizes: `rem` - : This unit is proportional to the root element's font size and is expressed as portions of 1, like `em`. Suppose we wanted a base font size of 16px and an h1 (main heading) at the equivalent of 32px, yet if within the h1 we find a `span` with the `subheading` class, it too must be rendered at the default font size (usually 16px). Here is the HTML we're using: ```html <!doctype html> <html lang="en"> <head> <meta charset="UTF-8" /> <title>Font size experiment</title> </head> <body> <h1> This is our main heading <span class="subheading">This is our subheading</span> </h1> </body> </html> ``` A percent-based CSS will look like this: ```css body { /* 100% of the browser's base font size, so in most cases this will render as 16 pixels */ font-size: 100%; } h1 { /* twice the size of the body, thus 32 pixels */ font-size: 200%; } span.subheading { /* half the size of the h1, thus 16 pixels to come back to the original size */ font-size: 50%; } ``` The same problem expressed with ems: ```css body { /* 1em = 100% of the browser's base font size, so in most cases this will render as 16 pixels */ font-size: 1em; } h1 { /* twice the size of the body, thus 32 pixels */ font-size: 2em; } span.subheading { /* half the size of the h1, thus 16 pixels to come back to the original size */ font-size: 0.5em; } ``` As you can see, the math quickly gets daunting when you have to keep track of the parent, the parent's parent, the parent's parent's parent, and so on. (Most designs are done in pixel-based software, so the math has to be done by the person coding the CSS). Enter `rem`. This unit is relative to the root element's size and not to any other parent. The CSS can be rewritten thus: ```css body { /* 1em = 100% of the browser's base font size, so in most cases this will render as 16 pixels */ font-size: 1em; } h1 { /* twice the size of the body, thus 32 pixels */ font-size: 2rem; } span.subheading { /* original size */ font-size: 1rem; } ``` Easier, isn't it? This works as of [every current browser](https://caniuse.com/#search=rem), so please feel free to use this unit. > **Note:** You may notice Opera Mini does not support font sizing in rem. It will end up setting its own font size, so don't bother feeding it font units. #### Why would I want to use proportional units? Because you don't know when a browser is going to come around and refuse to zoom up text whose size is expressed in pixels. Also, check your website's statistics: you may receive visits from older browsers. We would advise the following: - Describe fonts in `rem` units, most browsers will be very happy with them; - Let older browsers display fonts with their own internal engine. Browser's engines will ignore any property or value in the CSS if they can't cope with them, so that your website is still usable if not true to your designer's vision. Older browsers are on the way out anyway. > **Note:** Your mileage may vary. If you have to cater to older browsers, you'll have to use `em`s and do a bit more math. ### Line width There is a longstanding debate about line length on the web, but here's the story. Back when we had newspapers, printers realized that the reader's eyes would have trouble going from one line to the next if the lines were too long. The solution? Columns. Of course the problem doesn't go away when we switch to the Web. The reader's eyes act like a shuttle going from line to line. To make it easier on people's eyes, limit line width to around 60 or 70 characters. To achieve this, you can specify a size for your text's container. Let's consider this HTML: ```html <!doctype html> <html lang="en"> <head> <meta charset="UTF-8" /> <title>Font size experiment</title> </head> <body> <div class="container"> <h1> This is our main heading <span class="subheading">This is our subheading</span> </h1> <p>[lengthy text that spans many lines]</p> </div> </body> </html> ``` We have a `div` with class `container`. We can style the `div` either to set its width (using the `width` property) or its maximum width so that it never gets too large (using the `max-width` property). If you want an elastic/responsive website, and you don't know what the browser's default width is, you can use the `max-width` property to allow up to 70 characters per line and no more: ```css div.container { max-width: 70em; } ``` ### Alternative content for images, audio, and video Websites often include stuff besides plain text. #### Images Images can be either decorative or informative, but there's no guarantee that your users can see them. For example, - Visually impaired users rely on a screen reader, which can only handle text. - Your readers may be using a very strict intranet that blocks images originating from a {{Glossary("CDN")}}. - Your readers may have disabled images to save bandwidth, especially on mobile devices (see below). <!----> - Decorative images - : They're just for decoration and don't convey any real information. They could most often be replaced by a background image. Make sure they feature an empty `alt` attribute: `<img src="deco.gif" alt="">` so they don't clog up the text. - Informative images - : They are used to convey information, hence their name. They can, for instance, feature a graph, or show a person's gesture, or any other information. At minimum, you must provide a relevant `alt` attribute. If the image can be described succinctly, you can provide an `alt` attribute and nothing more. If the image cannot be described succinctly, you will have to either provide the same content in another form in the same page (e.g., complement a pie chart with a table providing the same data), or resort to a `longdesc` attribute. This attribute's value is a URL pointing towards a resource explicitly describing in detail the image's content. > **Note:** The use and even the existence of `longdesc` has been debated for quite some time. Please refer to the W3C's [Image Description Extension (longdesc)](https://www.w3.org/TR/html-longdesc/) for the full explanation and thorough examples. #### Audio/video You must also provide alternatives to multimedia content. - Subtitling/close-captioning - : You should include captions in your video to cater to visitors who can't hear the audio. Some users have hearing challenges, lack functioning speakers, or work in a noisy environment (like on the train). - Transcript - : Subtitles only work if somebody watches the video. Many users don't have time, or lack the proper plugin or codec. Additionally, search engines rely mainly on text to index your contents. For all these reasons, please provide a text transcript of the video/audio file. ### Image compression Some users may choose to display images, but still have limited bandwidth available, especially in developing countries and on mobile devices. If you want a successful website, please compress your images. There are various tools to help you, either online or local: - **Installed software.** [ImageOptim](https://imageoptim.com/api) (Mac), [OptiPNG](https://optipng.sourceforge.net/) (all platforms), [PNGcrush](https://pmt.sourceforge.io/pngcrush/) (DOS, Unix/Linux) - **Online tools.** Dynamic drive's [Online Image Optimizer](https://tools.dynamicdrive.com/imageoptimizer/) (which can convert automatically from one format to another if it's more bandwidth-efficient)
0
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility/thinking_before_coding/index.md
--- title: How do I start to design my website? slug: Learn/Common_questions/Design_and_accessibility/Thinking_before_coding page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} This article covers the all-important first step of every project: define what you want to accomplish with it. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td>None</td> </tr> <tr> <th scope="row">Objective:</th> <td>Learn to define goals to give direction to your web project.</td> </tr> </tbody> </table> ## Summary When starting with a web project, many people focus on the technical side. Of course you must be familiar with the technique of your craft, but what really matters is _what you want to accomplish_. Yes, it seems obvious, but too many projects fail not from a lack of technical know-how, but from lack of goals and vision. So when you get an idea and want to turn it into a website, there are a few questions you should answer before anything else: - What exactly do I want to accomplish? - How will a website help me reach my goals? - What needs to be done, and in what order, to reach my goals? All of this is called _project ideation_ and is a necessary first step to reach your goal, whether you are a beginner or an experienced developer. ## Active Learning _There is no active learning available yet. [Please, consider contributing](/en-US/docs/MDN/Community/Contributing/Getting_started)._ ## Deeper dive A project never starts with the technical side. Musicians will never make any music unless they first have an idea of what they want to playβ€”and the same is true for painters, writers, and web developers. Technique comes second. Technique is obviously critical. Musicians must master their instrument. But good musicians can never produce good music without an idea. Therefore, before jumping into the technical side β€” for example, code and toolsβ€”you must first step back and decide in detail what you want to do. An hour's discussion with friends is a good start, but inadequate. You must sit down and structure your ideas to get a clear view of what path you must take to make your ideas a reality. To do this, you need only pen and paper and some time to answer at least the following questions. > **Note:** There are countless ways to carry out project ideation. We cannot lay them all out here (a whole book wouldn't be enough). What we will present here is a simple method to handle what professionals call [Project Ideation](<https://en.wikipedia.org/wiki/Ideation_(idea_generation)>), [Project Planning](https://en.wikipedia.org/wiki/Project_planning), and [Project Management](https://en.wikipedia.org/wiki/Project_management). ### What exactly do I want to accomplish? This is the most important question to answer, since it drives everything else. List all the goals you want to reach. It can be anything: selling goods to make money, expressing political opinions, meeting new friends, gigging with musicians, collecting cat pictures, or whatever you want. Suppose you are a musician. You could wish to: - Let people hear your music. - Sell goodies. - Meet other musicians. - Talk about your music. - Teach music through videos. - Publish photos of your cats. - Find a new apartment. Once you have such a list, you need to prioritize. Order the goals from most important to least important: 1. Find a new apartment. 2. Let people hear your music. 3. Talk about your music. 4. Meet other musicians. 5. Sell goodies. 6. Teach music through videos. 7. Publish photos of your cats. Doing this simple exerciseβ€”writing goals and sorting themβ€”will help you out when you have decisions to make. (Should I implement these features, use these services, create these designs?) So now that you have a prioritized list of goals, let's move on to the next question. ### How could a website bring me to my goals? So you have a list of goals and you feel you need a website to reach those goals. Are you sure? Let's look back at our example. We have five goals connected to music, one goal related to personal life (finding a new apartment), and the completely unrelated cat photos. Is it reasonable to build a single website to cover all those goals? Is it even necessary? After all, scores of existing web services might bring you to your goals without building a new website. Finding a new apartment is a prime case where it makes more sense to use existing resources rather than build a whole new site. Why? Because we'll spend more time building and maintaining the website rather than actually searching for a new apartment. Since our goal is what matters most, we should spend our energy on leveraging existing tools rather than starting from scratch. Again, there are so many web services already available for showcasing photos that it isn't worth the effort to build a new site just to spread the word about how cute our cats are. The other five goals are all connected to music. There are, of course, many web services that could handle these goals, but it makes sense in this case to build a dedicated website of our own. Such a website is the best way to _aggregate_ all the stuff we want to publish in a single place (good for goals 3, 5, and 6) and promote _interaction_ between us and the public (good for goals 2 and 4). In short, since these goals all revolve around the same topic, having everything in one place will help us meet our goals and help our followers connect with us. How can a website help me reach my goals? By answering that, you'll find the best way to reach your goals and save yourself from wasted effort. ### What needs to be done, and in what order, to reach my goals? Now that you know what you want to accomplish, it's time to turn those goals into actionable steps. As a side note, your goals are not necessarily set in stone. They evolve over time even in the course of the project, especially if you run across unexpected obstacles or just change your mind. Rather than go through a long explanation, let's go back to our example with this table: <table class="standard-table"> <thead> <tr> <th scope="col">Goals</th> <th scope="col">Things to do</th> </tr> </thead> <tbody> <tr> <td>Let people hear your music</td> <td> <ol> <li>Record music</li> <li> Prepare some audio files usable online (Could you do this with existing web services?) </li> <li>Give people access to your music on some part of your website</li> </ol> </td> </tr> <tr> <td>Talk about your music</td> <td> <ol> <li>Write a few articles to start the discussion</li> <li>Define how articles should look</li> <li>Publish those articles on the website (How to do this?)</li> </ol> </td> </tr> <tr> <td>Meet other musicians</td> <td> <ol> <li> Provide ways for people to contact you (Email? Facebook? Phone? Mail?) </li> <li> Define how people will find those contact channels from your website </li> </ol> </td> </tr> <tr> <td>Sell goodies</td> <td> <ol> <li>Create the goodies</li> <li>Store the goodies</li> <li>Find a way to handle shipping</li> <li>Find a way to handle payment</li> <li>Make a mechanism on your site for people to place orders</li> </ol> </td> </tr> <tr> <td>Teach music through videos</td> <td> <ol> <li>Record video lessons</li> <li> Prepare video files viewable online (Again, could you do this with existing web services?) </li> <li> Give people access to your videos on some part of your website </li> </ol> </td> </tr> </tbody> </table> Two things to notice. First, some of these items are not web-related (e.g., record music, write articles). Often those offline activities matter even more than the web side of the project. In sales, for instance, it's far more important and time-consuming to handle supply, payment, and shipment than to build a website where people can place orders. Second, setting out actionable steps leads to new questions you'll need to answer. Usually there turn out to be more questions than we originally thought. (For example, should I learn how to do all this myself, ask someone to do it for me, or use third-party services?) ## Conclusion As you can see, the simple idea "I want to make a website" generates a long to-do list, which only grows longer as you think about it. Soon it may look overwhelming, but don't panic. You don't need to answer all the questions and you don't need to do everything on your list. What matters is to have a vision of what you want and how to get there. Once you have that clear vision, you need to decide how and when to do it. Break down big tasks into small, actionable steps. And those small steps will add up to great achievements. From this article, you should now be able to make a rough plan for creating a website. A next step might be to read [how the Internet works](/en-US/docs/Learn/Common_questions/Web_mechanics/How_does_the_Internet_work).
0
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility
data/mdn-content/files/en-us/learn/common_questions/design_and_accessibility/common_web_layouts/index.md
--- title: What do common web layouts contain? slug: Learn/Common_questions/Design_and_accessibility/Common_web_layouts page-type: learn-faq --- {{QuicklinksWithSubPages("Learn/Common_questions")}} When designing pages for your website, it's good to have an idea of the most common layouts. <table class="standard-table"> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Make sure you've already thought about <a href="/en-US/docs/Learn/Common_questions/Design_and_accessibility/Thinking_before_coding" >what you want to accomplish</a > with your web project. </td> </tr> <tr> <th scope="row">Objective:</th> <td> Learn where to put things on your webpages, and how to put them there. </td> </tr> </tbody> </table> ## Summary There's a reason we talk about web design. You start out with a blank page, and you can take it so many directions. And if you don't have much experience, starting out with a blank page might be a bit scary. We have over 25 years' experience and we'll give you some common rules of thumb to help you design your site. Even now with the new focus on mobile Web, almost all mainstream webpages are built from these parts: - Header - : Visible at the top of every page on the site. Contains information relevant to all pages (like site name or logo) and an easy-to-use navigation system. - Main content - : The biggest region, containing content unique to the current page. - Stuff on the side - : 1) Information complementing the main content; 2) information shared among a subset of pages; 3) alternative navigation system. In fact, everything not absolutely required by the page's main content. - Footer - : Visible at the bottom of every page on the site. Like the header, contains less prominent global information like legal notices or contact info. These elements are quite common in all form factors, but they can be laid out different ways. Here are some examples (**1** represents header, **2** footer; **A** main content; **B1, B2** things on the side): **1-column layout**. Especially important for mobile browsers so you don't clutter the small screen up. ![Example of a 1 column layout: Main on top and asides stacked beneath it.](1-col-layout.png) **2-column layout**. Often used to target tablets, since they have medium-size screens. ![Example of a basic 2 column layout: One aside on the left column, and main on the right column.](2-col-layout-right.png) ![Example of a basic 2 column layout: One aside on the right column, and main on the left column.](2-col-layout-left.png) **3-column layouts**. Only suitable for desktops with big screens. (Even many desktop-users prefer viewing things in small windows rather than fullscreen.) ![Example of a basic 3 column layout: Aside on the left and right column, Main on the middle column.](3-col-layout.png) ![Another example of a 3 column layout: Aside side by side on the left, Main on the right column.](3-col-layout-alt.png) ![Another example of a 3 column layout: Aside side by side on the right, Main on the left column.](3-col-layout-alt2.png) The real fun begins when you start mixing them all together: ![Example of mixed layout: Main on top and asides beneath it side by side.](1-col-layout-alt.png) ![Example of a mixed layout: Main on the left column and asides stack on top of each other on the right column](2-col-layout-left-alt.png) ![Example of a mixed layout: one aside on the left column and main in the right column with an aside beneath main.](2-col-layout-mix.png) ![Example of a mixed layout: Main on the left of the first row and one aside on the right of that same row, a second aside covering the whole second row.](2-col-layout-mix-alt.png)… These are just examples and you're quite free to lay things out as you want. You may notice that, while the content can move around on the screen, we always keep the header (1) on top and the footer (2) at the bottom. Also, the main content (A) matters most, so give it most of the space. These are rules of thumb you can draw on. There are complex designs and exceptions, of course. In other articles we'll discuss how to design responsive sites (sites that change depending on the screen size) and sites whose layouts vary between pages. For now, it's best to keep your layout consistent throughout your site. ## Active learning _There is no active learning available yet. [Please, consider contributing](/en-US/docs/MDN/Community/Contributing/Getting_started)._ ## Deeper dive Let's study some more concrete examples taken from well-known websites. ### One-column layout **[Invision application](https://www.invisionapp.com/)**. A typical one-column layout providing all the information linearly on one page. ![Example of a 1 column layout in the wild](screenshot-product.jpg) ![1 column layout with header, main content, a stack of aside contents and a footer](screenshot-product-overlay.jpg) Quite straightforward. Just remember, many people will still browse your site from desktops, so make your content usable/readable there as well. ### Two-column layout **[Abduzeedo](https://abduzeedo.com/typography-mania-261)**, a simple blog layout. Blogs usually have two columns, a fat one for the main content and a thin one for stuff on the side (like widgets, secondary navigation levels, and ads). ![Example of a 2 column layout for a blog](screenshot-blog.jpg) ![A 2 column layout with the main content on the left column](screenshot-blog-overlay.jpg) In this example, look at the image (B1) right underneath the header. It's related to the main content, but the main content makes sense without it, so you could think of the image either as main content or as side content. It doesn't really matter. What does matter is, if you put something right under the header, it should either be main content or _directly related_ to the main content. ### It's a trap **[MICA](https://www.mica.edu/about-mica/)**. This is a bit trickier. It looks like a three-column layout: ![Example of a false 3 columns layout](screenshot-education.jpg) ![It looks like a 3 columns layout but actually, the aside content is floating around.](screenshot-education-overlay.jpg) But it's not! B1 and B2 float around the main content. Remember that word "float"--it will ring a bell when you start learning about {{Glossary("CSS")}}. Why would you think it's a three-column layout? Because the image on the top-right is L-shaped, because B1 looks like a column supporting the shifted main content, and because the "M" and "I" of the MICA logo create a vertical line of force. This is a good example of a classic layout supporting some design creativity. Simple layouts are easier to implement, but allow yourself room to express your creativity in this area. ### A much trickier layout **The Opera de Paris**. ![An example of a tricky layout.](screenshot-opera.jpg) ![This is a 2 column layout but the header is overlapping the main content.](screenshot-opera-overlay.jpg) Basically a two-column layout, but you'll notice many tweaks here and there that visually break up the layout. Especially, the header overlaps the image of the main content. The way the curve of the header's menu ties in with the curve at the bottom of the image, the header and main content look like one thing even though they're technically completely different. The Opera example looks more complex than the MICA example, but it's actually easier to implement (all right, "easy" _is_ a relative concept). As you see, you can craft stunning websites even with just basic layouts. Have a look at your own favorite websites and ask yourself, where's the header, the footer, the main content, and the side content? That will inspire you for your own design and give you good hints for which designs work and which ones don't.
0
data/mdn-content/files/en-us/learn
data/mdn-content/files/en-us/learn/javascript/index.md
--- title: JavaScript β€” Dynamic client-side scripting slug: Learn/JavaScript page-type: learn-topic --- {{LearnSidebar}} {{Glossary("JavaScript")}} is a programming language that allows you to implement complex functionalities on web pages. Every time a web page does more than just sit there and display static information for you to look atβ€”displaying timely content updates, interactive maps, animated 2D/3D graphics, scrolling video jukeboxes, or moreβ€”you can bet that JavaScript is probably involved. > **Callout:** > > #### Looking to become a front-end web developer? > > We have put together a course that includes all the essential information you need to > work towards your goal. > > [**Get started**](/en-US/docs/Learn/Front-end_web_developer) ## Prerequisites JavaScript is arguably more difficult to learn than related technologies such as [HTML](/en-US/docs/Learn/HTML) and [CSS](/en-US/docs/Learn/CSS). Before attempting to learn JavaScript, you are strongly advised to get familiar with at least these two technologies first, and perhaps others as well. Start by working through the following modules: - [Getting started with the Web](/en-US/docs/Learn/Getting_started_with_the_web) - [Introduction to HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML) - [Introduction to CSS](/en-US/docs/Learn/CSS/First_steps) Having previous experience with other programming languages might also help. After getting familiar with the basics of JavaScript, you should be in a position to learn about more advanced topics, for example: - JavaScript in depth, as taught in our [JavaScript guide](/en-US/docs/Web/JavaScript/Guide) - [Web APIs](/en-US/docs/Web/API) ## Modules > **Callout:** > > **Our policy on modern JavaScript** > > JavaScript is an actively evolving language and has changed greatly over the years. In particular, the 6th edition of the language (sometimes known as ECMAScript 2015 or ES6), introduced in 2015, added many new features. At the same time, to maintain backwards compatibility with older websites, old features of the language have been retained, even when they are no longer considered good practice. > > We think that the features added to JavaScript in ECMAScript 2015 and subsequent versions enable developers to write more readable, reliable, and expressive code, and that it's important to learn about them. > > The features we teach in this course are stable and have been supported by all major browsers for several years. This topic contains the following modules, in a suggested order for working through them. - [JavaScript first steps](/en-US/docs/Learn/JavaScript/First_steps) - : In our first JavaScript module, we first answer some fundamental questions such as "what is JavaScript?", "what does it look like?", and "what can it do?", before moving on to taking you through your first practical experience of writing JavaScript. After that, we discuss some key JavaScript features in detail, such as variables, strings, numbers and arrays. - [JavaScript building blocks](/en-US/docs/Learn/JavaScript/Building_blocks) - : In this module, we continue our coverage of all JavaScript's key fundamental features, turning our attention to commonly-encountered types of code block such as conditional statements, loops, functions, and events. You've seen this stuff already in the course, but only in passing β€” here we'll discuss it all explicitly. - [Introducing JavaScript objects](/en-US/docs/Learn/JavaScript/Objects) - : In JavaScript, most things are objects, from core JavaScript features like strings and arrays to the browser APIs built on top of JavaScript. You can even create your own objects to encapsulate related functions and variables into efficient packages. The object-oriented nature of JavaScript is important to understand if you want to go further with your knowledge of the language and write more efficient code, therefore we've provided this module to help you. Here we teach object theory and syntax in detail, look at how to create your own objects, and explain what JSON data is and how to work with it. - [Asynchronous JavaScript](/en-US/docs/Learn/JavaScript/Asynchronous) - : In this module we take a look at asynchronous JavaScript, why it is important, and how it can be used to effectively handle potential blocking operations such as fetching resources from a server. - [Client-side web APIs](/en-US/docs/Learn/JavaScript/Client-side_web_APIs) - : When writing client-side JavaScript for websites or applications, you won't go very far before you start to use APIs β€” interfaces for manipulating different aspects of the browser and operating system the site is running on, or even data from other websites or services. In this module we will explore what APIs are, and how to use some of the most common APIs you'll come across often in your development work. ## Solving common JavaScript problems [Solve common problems in your JavaScript code](/en-US/docs/Learn/JavaScript/Howto) provides a little advice on how to avoid common beginner JavaScript programming mistakes, along with many helpful links to topics that show how to solve common JavaScript programming problems. ## See also - [JavaScript on MDN](/en-US/docs/Web/JavaScript) - : The main entry point for core JavaScript documentation on MDN β€” this is where you'll find extensive reference docs on all aspects of the JavaScript language, and some advanced tutorials aimed at experienced JavaScripters. - [Learn JavaScript](https://learnjavascript.online/) - : An excellent resource for aspiring web developers β€” Learn JavaScript in an interactive environment, with short lessons and interactive tests, guided by automated assessment. The first 40 lessons are free. - [Coding math](https://www.youtube.com/user/codingmath) - : An excellent series of video tutorials to teach the math you need to understand to be an effective programmer, by [Keith Peters](https://www.bit-101.com/blog/about-me/).
0
data/mdn-content/files/en-us/learn/javascript
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/index.md
--- title: Client-side web APIs slug: Learn/JavaScript/Client-side_web_APIs page-type: learn-module --- {{LearnSidebar}} When writing client-side JavaScript for websites or applications, you will quickly encounter **Application Programming Interfaces** (**APIs**). APIs are programming features for manipulating different aspects of the browser and operating system the site is running on, or manipulating data from other websites or services. In this module, we will explore what APIs are, and how to use some of the most common APIs you'll come across often in your development work. > **Callout:** > > #### Looking to become a front-end web developer? > > We have put together a course that includes all the essential information you need to > work towards your goal. > > [**Get started**](/en-US/docs/Learn/Front-end_web_developer) ## Prerequisites To get the most out of this module, you should have worked your way through the previous JavaScript modules in the series ([First steps](/en-US/docs/Learn/JavaScript/First_steps), [Building blocks](/en-US/docs/Learn/JavaScript/Building_blocks), and [JavaScript objects](/en-US/docs/Learn/JavaScript/Objects)). Those modules typically involve simple API usage, as it is often difficult to write client-side JavaScript examples without them. For this tutorial, we will assume that you are knowledgeable about the core JavaScript language, and we will explore common Web APIs in a bit more detail. Basic knowledge of [HTML](/en-US/docs/Learn/HTML) and [CSS](/en-US/docs/Learn/CSS) would also be useful. > **Note:** If you are working on a device where you don't have the ability to create your own files, you could try out (most of) the code examples in an online coding program such as [JSBin](https://jsbin.com/) or [Glitch](https://glitch.com/). ## Guides - [Introduction to web APIs](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Introduction) - : First up, we'll start by looking at APIs from a high level β€” what are they, how do they work, how do you use them in your code, and how are they structured? We'll also take a look at what the different main classes of APIs are, and what kind of uses they have. - [Manipulating documents](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Manipulating_documents) - : When writing web pages and apps, one of the most common things you'll want to do is manipulate web documents in some way. This is usually done by using the Document Object Model (DOM), a set of APIs for controlling HTML and styling information that makes heavy use of the {{domxref("Document")}} object. In this article, we'll look at how to use the DOM in detail, along with some other interesting APIs that can alter your environment in interesting ways. - [Fetching data from the server](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Fetching_data) - : Another very common task in modern websites and applications is retrieving individual data items from the server to update sections of a webpage without having to load an entirely new page. This seemingly small detail has had a huge impact on the performance and behavior of sites. In this article, we'll explain the concept, and look at technologies that make it possible, such as {{domxref("XMLHttpRequest")}} and the [Fetch API](/en-US/docs/Web/API/Fetch_API). - [Third party APIs](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Third_party_APIs) - : The APIs we've covered so far are built into the browser, but not all APIs are. Many large websites and services such as Google Maps, Facebook, PayPal, etc. provide APIs allowing developers to make use of their data or services (e.g. displaying custom Google Maps on your site, or using Facebook login to log in your users). This article looks at the difference between browser APIs and 3rd party APIs and shows some typical uses of the latter. - [Drawing graphics](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Drawing_graphics) - : The browser contains some very powerful graphics programming tools, from the Scalable Vector Graphics ([SVG](/en-US/docs/Web/SVG)) language, to APIs for drawing on HTML {{htmlelement("canvas")}} elements, (see [The Canvas API](/en-US/docs/Web/API/Canvas_API) and [WebGL](/en-US/docs/Web/API/WebGL_API)). This article provides an introduction to the Canvas API, and further resources to allow you to learn more. - [Video and audio APIs](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Video_and_audio_APIs) - : HTML comes with elements for embedding rich media in documents β€” {{htmlelement("video")}} and {{htmlelement("audio")}} β€” which in turn come with their own APIs for controlling playback, seeking, etc. This article shows you how to do common tasks such as creating custom playback controls. - [Client-side storage](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Client-side_storage) - : Modern web browsers feature a number of different technologies that allow you to store data related to websites and retrieve it when necessary allowing you to persist data long term, save sites offline, and more. This article explains the very basics of how these work.
0
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/video_and_audio_apis/index.md
--- title: Video and Audio APIs slug: Learn/JavaScript/Client-side_web_APIs/Video_and_audio_APIs page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Drawing_graphics", "Learn/JavaScript/Client-side_web_APIs/Client-side_storage", "Learn/JavaScript/Client-side_web_APIs")}} HTML comes with elements for embedding rich media in documents β€” {{htmlelement("video")}} and {{htmlelement("audio")}} β€” which in turn come with their own APIs for controlling playback, seeking, etc. This article shows you how to do common tasks such as creating custom playback controls. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">first steps</a>, <a href="/en-US/docs/Learn/JavaScript/Building_blocks" >building blocks</a >, <a href="/en-US/docs/Learn/JavaScript/Objects">JavaScript objects</a>), the <a href="/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Introduction" >basics of Client-side APIs</a > </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn how to use browser APIs to control video and audio playback. </td> </tr> </tbody> </table> ## HTML video and audio The {{htmlelement("video")}} and {{htmlelement("audio")}} elements allow us to embed video and audio into web pages. As we showed in [Video and audio content](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content), a typical implementation looks like this: ```html <video controls> <source src="rabbit320.mp4" type="video/mp4" /> <source src="rabbit320.webm" type="video/webm" /> <p> Your browser doesn't support HTML video. Here is a <a href="rabbit320.mp4">link to the video</a> instead. </p> </video> ``` This creates a video player inside the browser like so: {{EmbedGHLiveSample("learning-area/html/multimedia-and-embedding/video-and-audio-content/multiple-video-formats.html", '100%', 380)}} You can review what all the HTML features do in the article linked above; for our purposes here, the most interesting attribute is [`controls`](/en-US/docs/Web/HTML/Element/video#controls), which enables the default set of playback controls. If you don't specify this, you get no playback controls: {{EmbedGHLiveSample("learning-area/html/multimedia-and-embedding/video-and-audio-content/multiple-video-formats-no-controls.html", '100%', 380)}} This is not as immediately useful for video playback, but it does have advantages. One big issue with the native browser controls is that they are different in each browser β€” not very good for cross-browser support! Another big issue is that the native controls in most browsers aren't very keyboard-accessible. You can solve both these problems by hiding the native controls (by removing the `controls` attribute), and programming your own with HTML, CSS, and JavaScript. In the next section, we'll look at the basic tools we have available to do this. ## The HTMLMediaElement API Part of the HTML spec, the {{domxref("HTMLMediaElement")}} API provides features to allow you to control video and audio players programmatically β€” for example {{domxref("HTMLMediaElement.play()")}}, {{domxref("HTMLMediaElement.pause()")}}, etc. This interface is available to both {{htmlelement("audio")}} and {{htmlelement("video")}} elements, as the features you'll want to implement are nearly identical. Let's go through an example, adding features as we go. Our finished example will look (and function) something like the following: {{EmbedGHLiveSample("learning-area/javascript/apis/video-audio/finished/", '100%', 360)}} ### Getting started To get started with this example, [download our media-player-start.zip](https://github.com/mdn/learning-area/blob/main/javascript/apis/video-audio/start/media-player-start.zip) and unzip it into a new directory on your hard drive. If you [downloaded our examples repo](https://github.com/mdn/learning-area), you'll find it in `javascript/apis/video-audio/start/`. At this point, if you load the HTML you should see a perfectly normal HTML video player, with the native controls rendered. #### Exploring the HTML Open the HTML index file. You'll see a number of features; the HTML is dominated by the video player and its controls: ```html <div class="player"> <video controls> <source src="video/sintel-short.mp4" type="video/mp4" /> <source src="video/sintel-short.webm" type="video/webm" /> <!-- fallback content here --> </video> <div class="controls"> <button class="play" data-icon="P" aria-label="play pause toggle"></button> <button class="stop" data-icon="S" aria-label="stop"></button> <div class="timer"> <div></div> <span aria-label="timer">00:00</span> </div> <button class="rwd" data-icon="B" aria-label="rewind"></button> <button class="fwd" data-icon="F" aria-label="fast forward"></button> </div> </div> ``` - The whole player is wrapped in a {{htmlelement("div")}} element, so it can all be styled as one unit if needed. - The {{htmlelement("video")}} element contains two {{htmlelement("source")}} elements so that different formats can be loaded depending on the browser viewing the site. - The controls HTML is probably the most interesting: - We have four {{htmlelement("button")}}s β€” play/pause, stop, rewind, and fast forward. - Each `<button>` has a `class` name, a `data-icon` attribute for defining what icon should be shown on each button (we'll show how this works in the below section), and an `aria-label` attribute to provide an understandable description of each button, since we're not providing a human-readable label inside the tags. The contents of `aria-label` attributes are read out by screen readers when their users focus on the elements that contain them. - There is also a timer {{htmlelement("div")}}, which will report the elapsed time when the video is playing. Just for fun, we are providing two reporting mechanisms β€” a {{htmlelement("span")}} containing the elapsed time in minutes and seconds, and an extra `<div>` that we will use to create a horizontal indicator bar that gets longer as the time elapses. To get an idea of what the finished product will look like, [check out our finished version](https://mdn.github.io/learning-area/javascript/apis/video-audio/finished/). #### Exploring the CSS Now open the CSS file and have a look inside. The CSS for the example is not too complicated, but we'll highlight the most interesting bits here. First of all, notice the `.controls` styling: ```css .controls { visibility: hidden; opacity: 0.5; width: 400px; border-radius: 10px; position: absolute; bottom: 20px; left: 50%; margin-left: -200px; background-color: black; box-shadow: 3px 3px 5px black; transition: 1s all; display: flex; } .player:hover .controls, .player:focus-within .controls { opacity: 1; } ``` - We start off with the {{cssxref("visibility")}} of the custom controls set to `hidden`. In our JavaScript later on, we will set the controls to `visible`, and remove the `controls` attribute from the `<video>` element. This is so that, if the JavaScript doesn't load for some reason, users can still use the video with the native controls. - We give the controls an {{cssxref("opacity")}} of 0.5 by default, so that they are less distracting when you are trying to watch the video. Only when you are hovering/focusing over the player do the controls appear at full opacity. - We lay out the buttons inside the control bar using Flexbox ({{cssxref("display")}}: flex), to make things easier. Next, let's look at our button icons: ```css @font-face { font-family: "HeydingsControlsRegular"; src: url("fonts/heydings_controls-webfont.eot"); src: url("fonts/heydings_controls-webfont.eot?#iefix") format("embedded-opentype"), url("fonts/heydings_controls-webfont.woff") format("woff"), url("fonts/heydings_controls-webfont.ttf") format("truetype"); font-weight: normal; font-style: normal; } button:before { font-family: HeydingsControlsRegular; font-size: 20px; position: relative; content: attr(data-icon); color: #aaa; text-shadow: 1px 1px 0px black; } ``` First of all, at the top of the CSS we use a {{cssxref("@font-face")}} block to import a custom web font. This is an icon font β€” all the characters of the alphabet equate to common icons you might want to use in an application. Next, we use generated content to display an icon on each button: - We use the {{cssxref("::before")}} selector to display the content before each {{htmlelement("button")}} element. - We use the {{cssxref("content")}} property to set the content to be displayed in each case to be equal to the contents of the [`data-icon`](/en-US/docs/Learn/HTML/Howto/Use_data_attributes) attribute. In the case of our play button, `data-icon` contains a capital "P". - We apply the custom web font to our buttons using {{cssxref("font-family")}}. In this font, "P" is actually a "play" icon, so therefore the play button has a "play" icon displayed on it. Icon fonts are very cool for many reasons β€” cutting down on HTTP requests because you don't need to download those icons as image files, great scalability, and the fact that you can use text properties to style them β€” like {{cssxref("color")}} and {{cssxref("text-shadow")}}. Last but not least, let's look at the CSS for the timer: ```css .timer { line-height: 38px; font-size: 10px; font-family: monospace; text-shadow: 1px 1px 0px black; color: white; flex: 5; position: relative; } .timer div { position: absolute; background-color: rgb(255 255 255 / 20%); left: 0; top: 0; width: 0; height: 38px; z-index: 2; } .timer span { position: absolute; z-index: 3; left: 19px; } ``` - We set the outer `.timer` element to have `flex: 5`, so it takes up most of the width of the controls bar. We also give it {{cssxref("position")}}`: relative`, so that we can position elements inside it conveniently according to its boundaries, and not the boundaries of the {{htmlelement("body")}} element. - The inner `<div>` is absolutely positioned to sit directly on top of the outer `<div>`. It is also given an initial width of 0, so you can't see it at all. As the video plays, the width will be increased via JavaScript as the video elapses. - The `<span>` is also absolutely positioned to sit near the left-hand side of the timer bar. - We also give our inner `<div>` and `<span>` the right amount of {{cssxref("z-index")}} so that the timer will be displayed on top, and the inner `<div>` below that. This way, we make sure we can see all the information β€” one box is not obscuring another. ### Implementing the JavaScript We've got a fairly complete HTML and CSS interface already; now we just need to wire up all the buttons to get the controls working. 1. Create a new JavaScript file in the same directory level as your index.html file. Call it `custom-player.js`. 2. At the top of this file, insert the following code: ```js const media = document.querySelector("video"); const controls = document.querySelector(".controls"); const play = document.querySelector(".play"); const stop = document.querySelector(".stop"); const rwd = document.querySelector(".rwd"); const fwd = document.querySelector(".fwd"); const timerWrapper = document.querySelector(".timer"); const timer = document.querySelector(".timer span"); const timerBar = document.querySelector(".timer div"); ``` Here we are creating constants to hold references to all the objects we want to manipulate. We have three groups: - The `<video>` element, and the controls bar. - The play/pause, stop, rewind, and fast forward buttons. - The outer timer wrapper `<div>`, the digital timer readout `<span>`, and the inner `<div>` that gets wider as the time elapses. 3. Next, insert the following at the bottom of your code: ```js media.removeAttribute("controls"); controls.style.visibility = "visible"; ``` These two lines remove the default browser controls from the video, and make the custom controls visible. #### Playing and pausing the video Let's implement probably the most important control β€” the play/pause button. 1. First of all, add the following to the bottom of your code, so that the `playPauseMedia()` function is invoked when the play button is clicked: ```js play.addEventListener("click", playPauseMedia); ``` 2. Now to define `playPauseMedia()` β€” add the following, again at the bottom of your code: ```js function playPauseMedia() { if (media.paused) { play.setAttribute("data-icon", "u"); media.play(); } else { play.setAttribute("data-icon", "P"); media.pause(); } } ``` Here we use an [`if`](/en-US/docs/Web/JavaScript/Reference/Statements/if...else) statement to check whether the video is paused. The {{domxref("HTMLMediaElement.paused")}} property returns true if the media is paused, which is any time the video is not playing, including when it is set at 0 duration after it first loads. If it is paused, we set the `data-icon` attribute value on the play button to "u", which is a "paused" icon, and invoke the {{domxref("HTMLMediaElement.play()")}} method to play the media. On the second click, the button will be toggled back again β€” the "play" icon will be shown again, and the video will be paused with {{domxref("HTMLMediaElement.pause()")}}. #### Stopping the video 1. Next, let's add functionality to handle stopping the video. Add the following [`addEventListener()`](/en-US/docs/Web/API/EventTarget/addEventListener) lines below the previous one you added: ```js stop.addEventListener("click", stopMedia); media.addEventListener("ended", stopMedia); ``` The {{domxref("Element/click_event", "click")}} event is obvious β€” we want to stop the video by running our `stopMedia()` function when the stop button is clicked. We do however also want to stop the video when it finishes playing β€” this is marked by the {{domxref("HTMLMediaElement/ended_event", "ended")}} event firing, so we also set up a listener to run the function on that event firing too. 2. Next, let's define `stopMedia()` β€” add the following function below `playPauseMedia()`: ```js function stopMedia() { media.pause(); media.currentTime = 0; play.setAttribute("data-icon", "P"); } ``` there is no `stop()` method on the HTMLMediaElement API β€” the equivalent is to `pause()` the video, and set its {{domxref("HTMLMediaElement.currentTime","currentTime")}} property to 0. Setting `currentTime` to a value (in seconds) immediately jumps the media to that position. All there is left to do after that is to set the displayed icon to the "play" icon. Regardless of whether the video was paused or playing when the stop button is pressed, you want it to be ready to play afterwards. #### Seeking back and forth There are many ways that you can implement rewind and fast-forward functionality; here we are showing you a relatively complex way of doing it, which doesn't break when the different buttons are pressed in an unexpected order. 1. First of all, add the following two [`addEventListener()`](/en-US/docs/Web/API/EventTarget/addEventListener) lines below the previous ones: ```js rwd.addEventListener("click", mediaBackward); fwd.addEventListener("click", mediaForward); ``` 2. Now on to the event handler functions β€” add the following code below your previous functions to define `mediaBackward()` and `mediaForward()`: ```js let intervalFwd; let intervalRwd; function mediaBackward() { clearInterval(intervalFwd); fwd.classList.remove("active"); if (rwd.classList.contains("active")) { rwd.classList.remove("active"); clearInterval(intervalRwd); media.play(); } else { rwd.classList.add("active"); media.pause(); intervalRwd = setInterval(windBackward, 200); } } function mediaForward() { clearInterval(intervalRwd); rwd.classList.remove("active"); if (fwd.classList.contains("active")) { fwd.classList.remove("active"); clearInterval(intervalFwd); media.play(); } else { fwd.classList.add("active"); media.pause(); intervalFwd = setInterval(windForward, 200); } } ``` You'll notice that first, we initialize two variables β€” `intervalFwd` and `intervalRwd` β€” you'll find out what they are for later on. Let's step through `mediaBackward()` (the functionality for `mediaForward()` is exactly the same, but in reverse): 1. We clear any classes and intervals that are set on the fast forward functionality β€” we do this because if we press the `rwd` button after pressing the `fwd` button, we want to cancel any fast forward functionality and replace it with the rewind functionality. If we tried to do both at once, the player would break. 2. We use an `if` statement to check whether the `active` class has been set on the `rwd` button, indicating that it has already been pressed. The {{domxref("Element.classList", "classList")}} is a rather handy property that exists on every element β€” it contains a list of all the classes set on the element, as well as methods for adding/removing classes, etc. We use the `classList.contains()` method to check whether the list contains the `active` class. This returns a boolean `true`/`false` result. 3. If `active` has been set on the `rwd` button, we remove it using `classList.remove()`, clear the interval that has been set when the button was first pressed (see below for more explanation), and use {{domxref("HTMLMediaElement.play()")}} to cancel the rewind and start the video playing normally. 4. If it hasn't yet been set, we add the `active` class to the `rwd` button using `classList.add()`, pause the video using {{domxref("HTMLMediaElement.pause()")}}, then set the `intervalRwd` variable to equal a {{domxref("setInterval()")}} call. When invoked, `setInterval()` creates an active interval, meaning that it runs the function given as the first parameter every x milliseconds, where x is the value of the 2nd parameter. So here we are running the `windBackward()` function every 200 milliseconds β€” we'll use this function to wind the video backwards constantly. To stop a {{domxref("setInterval()")}} running, you have to call {{domxref("clearInterval", "clearInterval()")}}, giving it the identifying name of the interval to clear, which in this case is the variable name `intervalRwd` (see the `clearInterval()` call earlier on in the function). 3. Finally, we need to define the `windBackward()` and `windForward()` functions invoked in the `setInterval()` calls. Add the following below your two previous functions: ```js function windBackward() { if (media.currentTime <= 3) { rwd.classList.remove("active"); clearInterval(intervalRwd); stopMedia(); } else { media.currentTime -= 3; } } function windForward() { if (media.currentTime >= media.duration - 3) { fwd.classList.remove("active"); clearInterval(intervalFwd); stopMedia(); } else { media.currentTime += 3; } } ``` Again, we'll just run through the first one of these functions as they work almost identically, but in reverse to one another. In `windBackward()` we do the following β€” bear in mind that when the interval is active, this function is being run once every 200 milliseconds. 1. We start off with an `if` statement that checks to see whether the current time is less than 3 seconds, i.e., if rewinding by another three seconds would take it back past the start of the video. This would cause strange behavior, so if this is the case we stop the video playing by calling `stopMedia()`, remove the `active` class from the rewind button, and clear the `intervalRwd` interval to stop the rewind functionality. If we didn't do this last step, the video would just keep rewinding forever. 2. If the current time is not within 3 seconds of the start of the video, we remove three seconds from the current time by executing `media.currentTime -= 3`. So in effect, we are rewinding the video by 3 seconds, once every 200 milliseconds. #### Updating the elapsed time The very last piece of our media player to implement is the time-elapsed displays. To do this we'll run a function to update the time displays every time the {{domxref("HTMLMediaElement/timeupdate_event", "timeupdate")}} event is fired on the `<video>` element. The frequency with which this event fires depends on your browser, CPU power, etc. ([see this StackOverflow post](https://stackoverflow.com/questions/9678177/how-often-does-the-timeupdate-event-fire-for-an-html5-video)). Add the following `addEventListener()` line just below the others: ```js media.addEventListener("timeupdate", setTime); ``` Now to define the `setTime()` function. Add the following at the bottom of your file: ```js function setTime() { const minutes = Math.floor(media.currentTime / 60); const seconds = Math.floor(media.currentTime - minutes * 60); const minuteValue = minutes.toString().padStart(2, "0"); const secondValue = seconds.toString().padStart(2, "0"); const mediaTime = `${minuteValue}:${secondValue}`; timer.textContent = mediaTime; const barLength = timerWrapper.clientWidth * (media.currentTime / media.duration); timerBar.style.width = `${barLength}px`; } ``` This is a fairly long function, so let's go through it step by step: 1. First of all, we work out the number of minutes and seconds in the {{domxref("HTMLMediaElement.currentTime")}} value. 2. Then we initialize two more variables β€” `minuteValue` and `secondValue`. We use {{jsxref("String/padStart", "padStart()")}} to make each value 2 characters long, even if the numeric value is only a single digit. 3. The actual time value to display is set as `minuteValue` plus a colon character plus `secondValue`. 4. The {{domxref("Node.textContent")}} value of the timer is set to the time value, so it displays in the UI. 5. The length we should set the inner `<div>` to is worked out by first working out the width of the outer `<div>` (any element's {{domxref("Element.clientWidth", "clientWidth")}} property will contain its length), and then multiplying it by the {{domxref("HTMLMediaElement.currentTime")}} divided by the total {{domxref("HTMLMediaElement.duration")}} of the media. 6. We set the width of the inner `<div>` to equal the calculated bar length, plus "px", so it will be set to that number of pixels. #### Fixing play and pause There is one problem left to fix. If the play/pause or stop buttons are pressed while the rewind or fast forward functionality is active, they just don't work. How can we fix it so that they cancel the `rwd`/`fwd` button functionality and play/stop the video as you'd expect? This is fairly easy to fix. First of all, add the following lines inside the `stopMedia()` function β€” anywhere will do: ```js rwd.classList.remove("active"); fwd.classList.remove("active"); clearInterval(intervalRwd); clearInterval(intervalFwd); ``` Now add the same lines again, at the very start of the `playPauseMedia()` function (just before the start of the `if` statement). At this point, you could delete the equivalent lines from the `windBackward()` and `windForward()` functions, as that functionality has been implemented in the `stopMedia()` function instead. Note: You could also further improve the efficiency of the code by creating a separate function that runs these lines, then calling that anywhere it is needed, rather than repeating the lines multiple times in the code. But we'll leave that one up to you. ## Summary I think we've taught you enough in this article. The {{domxref("HTMLMediaElement")}} API makes a wealth of functionality available for creating simple video and audio players, and that's only the tip of the iceberg. See the "See also" section below for links to more complex and interesting functionality. Here are some suggestions for ways you could enhance the existing example we've built up: 1. The time display currently breaks if the video is an hour long or more (well, it won't display hours; just minutes and seconds). Can you figure out how to change the example to make it display hours? 2. Because `<audio>` elements have the same {{domxref("HTMLMediaElement")}} functionality available to them, you could easily get this player to work for an `<audio>` element too. Try doing so. 3. Can you work out a way to turn the timer inner `<div>` element into a true seek bar/scroller β€” i.e., when you click somewhere on the bar, it jumps to that relative position in the video playback? As a hint, you can find out the X and Y values of the element's left/right and top/bottom sides via the [`getBoundingClientRect()`](/en-US/docs/Web/API/Element/getBoundingClientRect) method, and you can find the coordinates of a mouse click via the event object of the click event, called on the {{domxref("Document")}} object. For example: ```js document.onclick = function (e) { console.log(e.x, e.y); }; ``` ## See also - {{domxref("HTMLMediaElement")}} - [Video and audio content](/en-US/docs/Learn/HTML/Multimedia_and_embedding/Video_and_audio_content) β€” simple guide to `<video>` and `<audio>` HTML. - [Audio and video delivery](/en-US/docs/Web/Media/Audio_and_video_delivery) β€” detailed guide to delivering media inside the browser, with many tips, tricks, and links to further more advanced tutorials. - [Audio and video manipulation](/en-US/docs/Web/Media/Audio_and_video_manipulation) β€” detailed guide to manipulating audio and video, e.g. with [Canvas API](/en-US/docs/Web/API/Canvas_API), [Web Audio API](/en-US/docs/Web/API/Web_Audio_API), and more. - {{htmlelement("video")}} and {{htmlelement("audio")}} reference pages. - [Guide to media types and formats on the web](/en-US/docs/Web/Media/Formats) {{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Drawing_graphics", "Learn/JavaScript/Client-side_web_APIs/Client-side_storage", "Learn/JavaScript/Client-side_web_APIs")}}
0
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/manipulating_documents/index.md
--- title: Manipulating documents slug: Learn/JavaScript/Client-side_web_APIs/Manipulating_documents page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Introduction", "Learn/JavaScript/Client-side_web_APIs/Fetching_data", "Learn/JavaScript/Client-side_web_APIs")}} When writing web pages and apps, one of the most common things you'll want to do is manipulate the document structure in some way. This is usually done by using the Document Object Model (DOM), a set of APIs for controlling HTML and styling information that makes heavy use of the {{domxref("Document")}} object. In this article we'll look at how to use the DOM in detail, along with some other interesting APIs that can alter your environment in interesting ways. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> A basic understanding of HTML, CSS, and JavaScript β€” including JavaScript objects. </td> </tr> <tr> <th scope="row">Objective:</th> <td> To gain familiarity with the core DOM APIs, and the other APIs commonly associated with DOM and document manipulation. </td> </tr> </tbody> </table> ## The important parts of a web browser Web browsers are very complicated pieces of software with a lot of moving parts, many of which can't be controlled or manipulated by a web developer using JavaScript. You might think that such limitations are a bad thing, but browsers are locked down for good reasons, mostly centering around security. Imagine if a website could get access to your stored passwords or other sensitive information, and log into websites as if it were you? Despite the limitations, Web APIs still give us access to a lot of functionality that enable us to do a great many things with web pages. There are a few really obvious bits you'll reference regularly in your code β€” consider the following diagram, which represents the main parts of a browser directly involved in viewing web pages: ![Important parts of web browser; the document is the web page. The window includes the entire document and also the tab. The navigator is the browser, which includes the window (which includes the document) and all other windows.](document-window-navigator.png) - The window is the browser tab that a web page is loaded into; this is represented in JavaScript by the {{domxref("Window")}} object. Using methods available on this object you can do things like return the window's size (see {{domxref("Window.innerWidth")}} and {{domxref("Window.innerHeight")}}), manipulate the document loaded into that window, store data specific to that document on the client-side (for example using a local database or other storage mechanism), attach an [event handler](/en-US/docs/Learn/JavaScript/Building_blocks/Events#a_series_of_fortunate_events) to the current window, and more. - The navigator represents the state and identity of the browser (i.e. the user-agent) as it exists on the web. In JavaScript, this is represented by the {{domxref("Navigator")}} object. You can use this object to retrieve things like the user's preferred language, a media stream from the user's webcam, etc. - The document (represented by the DOM in browsers) is the actual page loaded into the window, and is represented in JavaScript by the {{domxref("Document")}} object. You can use this object to return and manipulate information on the HTML and CSS that comprises the document, for example get a reference to an element in the DOM, change its text content, apply new styles to it, create new elements and add them to the current element as children, or even delete it altogether. In this article we'll focus mostly on manipulating the document, but we'll show a few other useful bits besides. ## The document object model The document currently loaded in each one of your browser tabs is represented by a document object model. This is a "tree structure" representation created by the browser that enables the HTML structure to be easily accessed by programming languages β€” for example the browser itself uses it to apply styling and other information to the correct elements as it renders a page, and developers like you can manipulate the DOM with JavaScript after the page has been rendered. We have created a simple example page at [dom-example.html](https://github.com/mdn/learning-area/blob/main/javascript/apis/document-manipulation/dom-example.html) ([see it live also](https://mdn.github.io/learning-area/javascript/apis/document-manipulation/dom-example.html)). Try opening this up in your browser β€” it is a very simple page containing a {{htmlelement("section")}} element inside which you can find an image, and a paragraph with a link inside. The HTML source code looks like this: ```html <!doctype html> <html lang="en-US"> <head> <meta charset="utf-8" /> <title>Simple DOM example</title> </head> <body> <section> <img src="dinosaur.png" alt="A red Tyrannosaurus Rex: A two legged dinosaur standing upright like a human, with small arms, and a large head with lots of sharp teeth." /> <p> Here we will add a link to the <a href="https://www.mozilla.org/">Mozilla homepage</a> </p> </section> </body> </html> ``` The DOM on the other hand looks like this: ![Tree structure representation of Document Object Model: The top node is the doctype and HTML element. Child nodes of the HTML include head and body. Each child element is a branch. All text, even white space, is shown as well.](dom-screenshot.png) > **Note:** This DOM tree diagram was created using Ian Hickson's [Live DOM viewer](https://software.hixie.ch/utilities/js/live-dom-viewer/). Each entry in the tree is called a **node**. You can see in the diagram above that some nodes represent elements (identified as `HTML`, `HEAD`, `META` and so on) and others represent text (identified as `#text`). There are [other types of nodes as well](/en-US/docs/Web/API/Node/nodeType), but these are the main ones you'll encounter. Nodes are also referred to by their position in the tree relative to other nodes: - **Root node**: The top node in the tree, which in the case of HTML is always the `HTML` node (other markup vocabularies like SVG and custom XML will have different root elements). - **Child node**: A node _directly_ inside another node. For example, `IMG` is a child of `SECTION` in the above example. - **Descendant node**: A node _anywhere_ inside another node. For example, `IMG` is a child of `SECTION` in the above example, and it is also a descendant. `IMG` is not a child of `BODY`, as it is two levels below it in the tree, but it is a descendant of `BODY`. - **Parent node**: A node which has another node inside it. For example, `BODY` is the parent node of `SECTION` in the above example. - **Sibling nodes**: Nodes that sit on the same level in the DOM tree. For example, `IMG` and `P` are siblings in the above example. It is useful to familiarize yourself with this terminology before working with the DOM, as a number of the code terms you'll come across make use of them. You may have also come across them if you have studied CSS (e.g. descendant selector, child selector). ## Active learning: Basic DOM manipulation To start learning about DOM manipulation, let's begin with a practical example. 1. Take a local copy of the [dom-example.html page](https://github.com/mdn/learning-area/blob/main/javascript/apis/document-manipulation/dom-example.html) and the [image](https://github.com/mdn/learning-area/blob/main/javascript/apis/document-manipulation/dinosaur.png) that goes along with it. 2. Add a `<script></script>` element just above the closing `</body>` tag. 3. To manipulate an element inside the DOM, you first need to select it and store a reference to it inside a variable. Inside your script element, add the following line: ```js const link = document.querySelector("a"); ``` 4. Now we have the element reference stored in a variable, we can start to manipulate it using properties and methods available to it (these are defined on interfaces like {{domxref("HTMLAnchorElement")}} in the case of {{htmlelement("a")}} element, its more general parent interface {{domxref("HTMLElement")}}, and {{domxref("Node")}} β€” which represents all nodes in a DOM). First of all, let's change the text inside the link by updating the value of the {{domxref("Node.textContent")}} property. Add the following line below the previous one: ```js link.textContent = "Mozilla Developer Network"; ``` 5. We should also change the URL the link is pointing to, so that it doesn't go to the wrong place when it is clicked on. Add the following line, again at the bottom: ```js link.href = "https://developer.mozilla.org"; ``` Note that, as with many things in JavaScript, there are many ways to select an element and store a reference to it in a variable. {{domxref("Document.querySelector()")}} is the recommended modern approach. It is convenient because it allows you to select elements using CSS selectors. The above `querySelector()` call will match the first {{htmlelement("a")}} element that appears in the document. If you wanted to match and do things to multiple elements, you could use {{domxref("Document.querySelectorAll()")}}, which matches every element in the document that matches the selector, and stores references to them in an [array](/en-US/docs/Learn/JavaScript/First_steps/Arrays)-like object called a {{domxref("NodeList")}}. There are older methods available for grabbing element references, such as: - {{domxref("Document.getElementById()")}}, which selects an element with a given `id` attribute value, e.g. `<p id="myId">My paragraph</p>`. The ID is passed to the function as a parameter, i.e. `const elementRef = document.getElementById('myId')`. - {{domxref("Document.getElementsByTagName()")}}, which returns an array-like object containing all the elements on the page of a given type, for example `<p>`s, `<a>`s, etc. The element type is passed to the function as a parameter, i.e. `const elementRefArray = document.getElementsByTagName('p')`. These two work better in older browsers than the modern methods like `querySelector()`, but are not as convenient. Have a look and see what others you can find! ### Creating and placing new nodes The above has given you a little taste of what you can do, but let's go further and look at how we can create new elements. 1. Going back to the current example, let's start by grabbing a reference to our {{htmlelement("section")}} element β€” add the following code at the bottom of your existing script (do the same with the other lines too): ```js const sect = document.querySelector("section"); ``` 2. Now let's create a new paragraph using {{domxref("Document.createElement()")}} and give it some text content in the same way as before: ```js const para = document.createElement("p"); para.textContent = "We hope you enjoyed the ride."; ``` 3. You can now append the new paragraph at the end of the section using {{domxref("Node.appendChild()")}}: ```js sect.appendChild(para); ``` 4. Finally for this part, let's add a text node to the paragraph the link sits inside, to round off the sentence nicely. First we will create the text node using {{domxref("Document.createTextNode()")}}: ```js const text = document.createTextNode( " β€” the premier source for web development knowledge.", ); ``` 5. Now we'll grab a reference to the paragraph the link is inside, and append the text node to it: ```js const linkPara = document.querySelector("p"); linkPara.appendChild(text); ``` That's most of what you need for adding nodes to the DOM β€” you'll make a lot of use of these methods when building dynamic interfaces (we'll look at some examples later). ### Moving and removing elements There may be times when you want to move nodes, or delete them from the DOM altogether. This is perfectly possible. If we wanted to move the paragraph with the link inside it to the bottom of the section, we could do this: ```js sect.appendChild(linkPara); ``` This moves the paragraph down to the bottom of the section. You might have thought it would make a second copy of it, but this is not the case β€” `linkPara` is a reference to the one and only copy of that paragraph. If you wanted to make a copy and add that as well, you'd need to use {{domxref("Node.cloneNode()")}} instead. Removing a node is pretty simple as well, at least when you have a reference to the node to be removed and its parent. In our current case, we just use {{domxref("Node.removeChild()")}}, like this: ```js sect.removeChild(linkPara); ``` When you want to remove a node based only on a reference to itself, which is fairly common, you can use {{domxref("Element.remove()")}}: ```js linkPara.remove(); ``` This method is not supported in older browsers. They have no method to tell a node to remove itself, so you'd have to do the following. ```js linkPara.parentNode.removeChild(linkPara); ``` Have a go at adding the above lines to your code. ### Manipulating styles It is possible to manipulate CSS styles via JavaScript in a variety of ways. To start with, you can get a list of all the stylesheets attached to a document using {{domxref("Document.stylesheets")}}, which returns an array-like object with {{domxref("CSSStyleSheet")}} objects. You can then add/remove styles as wished. However, we're not going to expand on those features because they are a somewhat archaic and difficult way to manipulate style. There are much easier ways. The first way is to add inline styles directly onto elements you want to dynamically style. This is done with the {{domxref("HTMLElement.style")}} property, which contains inline styling information for each element in the document. You can set properties of this object to directly update element styles. 1. As an example, try adding these lines to our ongoing example: ```js para.style.color = "white"; para.style.backgroundColor = "black"; para.style.padding = "10px"; para.style.width = "250px"; para.style.textAlign = "center"; ``` 2. Reload the page and you'll see that the styles have been applied to the paragraph. If you look at that paragraph in your browser's [Page Inspector/DOM inspector](https://firefox-source-docs.mozilla.org/devtools-user/page_inspector/index.html), you'll see that these lines are indeed adding inline styles to the document: ```html <p style="color: white; background-color: black; padding: 10px; width: 250px; text-align: center;"> We hope you enjoyed the ride. </p> ``` > **Note:** Notice how the JavaScript property versions of the CSS styles are written in {{Glossary("camel_case", "lower camel case")}} whereas the CSS versions are hyphenated ({{Glossary("kebab_case", "kebab-case")}}) (e.g. `backgroundColor` versus `background-color`). Make sure you don't get these mixed up, otherwise it won't work. There is another common way to dynamically manipulate styles on your document, which we'll look at now. 1. Delete the previous five lines you added to the JavaScript. 2. Add the following inside your HTML {{htmlelement("head")}}: ```html <style> .highlight { color: white; background-color: black; padding: 10px; width: 250px; text-align: center; } </style> ``` 3. Now we'll turn to a very useful method for general HTML manipulation β€” {{domxref("Element.setAttribute()")}} β€” this takes two arguments, the attribute you want to set on the element, and the value you want to set it to. In this case we will set a class name of highlight on our paragraph: ```js para.setAttribute("class", "highlight"); ``` 4. Refresh your page, and you'll see no change β€” the CSS is still applied to the paragraph, but this time by giving it a class that is selected by our CSS rule, not as inline CSS styles. Which method you choose is up to you; both have their advantages and disadvantages. The first method takes less setup and is good for simple uses, whereas the second method is more purist (no mixing CSS and JavaScript, no inline styles, which are seen as a bad practice). As you start building larger and more involved apps, you will probably start using the second method more, but it is really up to you. At this point, we haven't really done anything useful! There is no point using JavaScript to create static content β€” you might as well just write it into your HTML and not use JavaScript. It is more complex than HTML, and creating your content with JavaScript also has other issues attached to it (such as not being readable by search engines). In the next section we will look at a more practical use of DOM APIs. > **Note:** You can find our [finished version of the dom-example.html](https://github.com/mdn/learning-area/blob/main/javascript/apis/document-manipulation/dom-example-manipulated.html) demo on GitHub ([see it live also](https://mdn.github.io/learning-area/javascript/apis/document-manipulation/dom-example-manipulated.html)). ## Active learning: A dynamic shopping list In this challenge we want to make a simple shopping list example that allows you to dynamically add items to the list using a form input and button. When you add an item to the input and press the button: - The item should appear in the list. - Each item should be given a button that can be pressed to delete that item off the list. - The input should be emptied and focused ready for you to enter another item. The finished demo will look something like this: ![Demo layout of a shopping list. A 'my shopping list' header followed by 'Enter a new item' with an input field and 'add item' button. The list of already added items is below, each with a corresponding delete button. ](shopping-list.png) To complete the exercise, follow the steps below, and make sure that the list behaves as described above. 1. To start with, download a copy of our [shopping-list.html](https://github.com/mdn/learning-area/blob/main/javascript/apis/document-manipulation/shopping-list.html) starting file and make a copy of it somewhere. You'll see that it has some minimal CSS, a div with a label, input, and button, and an empty list and {{htmlelement("script")}} element. You'll be making all your additions inside the script. 2. Create three variables that hold references to the list ({{htmlelement("ul")}}), {{htmlelement("input")}}, and {{htmlelement("button")}} elements. 3. Create a [function](/en-US/docs/Learn/JavaScript/Building_blocks/Functions) that will run in response to the button being clicked. 4. Inside the function body, start off by storing the current [value](/en-US/docs/Web/API/HTMLInputElement#properties) of the input element in a variable. 5. Next, empty the input element by setting its value to an empty string β€” `''`. 6. Create three new elements β€” a list item ({{htmlelement('li')}}), {{htmlelement('span')}}, and {{htmlelement('button')}}, and store them in variables. 7. Append the span and the button as children of the list item. 8. Set the text content of the span to the input element value you saved earlier, and the text content of the button to 'Delete'. 9. Append the list item as a child of the list. 10. Attach an event handler to the delete button so that, when clicked, it will delete the entire list item (`<li>...</li>`). 11. Finally, use the [`focus()`](/en-US/docs/Web/API/HTMLElement/focus) method to focus the input element ready for entering the next shopping list item. > **Note:** If you get really stuck, have a look at our [finished shopping list](https://github.com/mdn/learning-area/blob/main/javascript/apis/document-manipulation/shopping-list-finished.html) ([see it running live also](https://mdn.github.io/learning-area/javascript/apis/document-manipulation/shopping-list-finished.html)). ## Summary We have reached the end of our study of document and DOM manipulation. At this point you should understand what the important parts of a web browser are with respect to controlling documents and other aspects of the user's web experience. Most importantly, you should understand what the Document Object Model is, and how to manipulate it to create useful functionality. ## See also There are lots more features you can use to manipulate your documents. Check out some of our references and see what you can discover: - {{domxref("Document")}} - {{domxref("Window")}} - {{domxref("Node")}} - {{domxref("HTMLElement")}}, {{domxref("HTMLInputElement")}}, {{domxref("HTMLImageElement")}}, etc. (See our [Web API index](/en-US/docs/Web/API) for the full list of Web APIs documented on MDN!) {{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Introduction", "Learn/JavaScript/Client-side_web_APIs/Fetching_data", "Learn/JavaScript/Client-side_web_APIs")}}
0
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/third_party_apis/index.md
--- title: Third-party APIs slug: Learn/JavaScript/Client-side_web_APIs/Third_party_APIs page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Fetching_data", "Learn/JavaScript/Client-side_web_APIs/Drawing_graphics", "Learn/JavaScript/Client-side_web_APIs")}} The APIs we've covered so far are built into the browser, but not all APIs are. Many large websites and services such as Google Maps, Twitter, Facebook, PayPal, etc. provide APIs allowing developers to make use of their data (e.g. displaying your twitter stream on your blog) or services (e.g. using Facebook login to log in your users). This article looks at the difference between browser APIs and 3rd party APIs and shows some typical uses of the latter. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">first steps</a>, <a href="/en-US/docs/Learn/JavaScript/Building_blocks" >building blocks</a >, <a href="/en-US/docs/Learn/JavaScript/Objects">JavaScript objects</a>), the <a href="/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Introduction" >basics of Client-side APIs</a > </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn how third-party APIs work, and how to use them to enhance your websites. </td> </tr> </tbody> </table> ## What are third party APIs? Third party APIs are APIs provided by third parties β€” generally companies such as Facebook, Twitter, or Google β€” to allow you to access their functionality via JavaScript and use it on your site. One of the most obvious examples is using mapping APIs to display custom maps on your pages. Let's look at a [Simple Mapquest API example](https://github.com/mdn/learning-area/tree/main/javascript/apis/third-party-apis/mapquest), and use it to illustrate how third-party APIs differ from browser APIs. > **Note:** You might want to just [get all our code examples](/en-US/docs/Learn#getting_our_code_examples) at once, in which case you can then just search the repo for the example files you need in each section. ### They are found on third-party servers Browser APIs are built into the browser β€” you can access them from JavaScript immediately. For example, the Web Audio API we [saw in the Introductory article](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Introduction#how_do_apis_work) is accessed using the native {{domxref("AudioContext")}} object. For example: ```js const audioCtx = new AudioContext(); // … const audioElement = document.querySelector("audio"); // … const audioSource = audioCtx.createMediaElementSource(audioElement); // etc. ``` Third party APIs, on the other hand, are located on third party servers. To access them from JavaScript you first need to connect to the API functionality and make it available on your page. This typically involves first linking to a JavaScript library available on the server via a {{htmlelement("script")}} element, as seen in our Mapquest example: ```html <script src="https://api.mqcdn.com/sdk/mapquest-js/v1.3.2/mapquest.js" defer></script> <link rel="stylesheet" href="https://api.mqcdn.com/sdk/mapquest-js/v1.3.2/mapquest.css" /> ``` You can then start using the objects available in that library. For example: ```js const map = L.mapquest.map("map", { center: [53.480759, -2.242631], layers: L.mapquest.tileLayer("map"), zoom: 12, }); ``` Here we are creating a variable to store the map information in, then creating a new map using the `mapquest.map()` method, which takes as its parameters the ID of a {{htmlelement("div")}} element you want to display the map in ('map'), and an options object containing the details of the particular map we want to display. In this case we specify the coordinates of the center of the map, a map layer of type `map` to show (created using the `mapquest.tileLayer()` method), and the default zoom level. This is all the information the Mapquest API needs to plot a simple map. The server you are connecting to handles all the complicated stuff, like displaying the correct map tiles for the area being shown, etc. > **Note:** Some APIs handle access to their functionality slightly differently, requiring the developer to make an HTTP request to a specific URL pattern to retrieve data. These are called [RESTful APIs β€” we'll show an example later on](#a_restful_api_%e2%80%94_nytimes). ### They usually require API keys Security for browser APIs tends to be handled by permission prompts, as [discussed in our first article](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Introduction#they_have_additional_security_mechanisms_where_appropriate). The purpose of these is so that the user knows what is going on in the websites they visit and is less likely to fall victim to someone using an API in a malicious way. Third party APIs have a slightly different permissions system β€” they tend to use developer keys to allow developers access to the API functionality, which is more to protect the API vendor than the user. You'll find a line similar to the following in the Mapquest API example: ```js L.mapquest.key = "YOUR-API-KEY-HERE"; ``` This line specifies an API or developer key to use in your application β€” the developer of the application must apply to get a key, and then include it in their code to be allowed access to the API's functionality. In our example we've just provided a placeholder. > **Note:** When creating your own examples, you'll use your own API key in place of any placeholder. Other APIs may require that you include the key in a slightly different way, but the pattern is relatively similar for most of them. Requiring a key enables the API provider to hold users of the API accountable for their actions. When the developer has registered for a key, they are then known to the API provider, and action can be taken if they start to do anything malicious with the API (such as tracking people's location or trying to spam the API with loads of requests to stop it working, for example). The easiest action would be to just revoke their API privileges. ## Extending the Mapquest example Let's add some more functionality to the Mapquest example to show how to use some other features of the API. 1. To start this section, make yourself a copy of the [mapquest starter file](https://github.com/mdn/learning-area/blob/main/javascript/apis/third-party-apis/mapquest/start/index.html), in a new directory. If you've already [cloned the examples repository](/en-US/docs/Learn#getting_our_code_examples), you'll already have a copy of this file, which you can find in the _javascript/apis/third-party-apis/mapquest/start_ directory. 2. Next, you need to go to the [Mapquest developer site](https://developer.mapquest.com/), create an account, and then create a developer key to use with your example. (At the time of writing, it was called a "consumer key" on the site, and the key creation process also asked for an optional "callback URL". You don't need to fill in a URL here: just leave it blank.) 3. Open up your starting file, and replace the API key placeholder with your key. ### Changing the type of map There are a number of different types of map that can be shown with the Mapquest API. To do this, find the following line: ```js layers: L.mapquest.tileLayer("map"); ``` Try changing `'map'` to `'hybrid'` to show a hybrid-style map. Try some other values too. The [`tileLayer` reference page](https://developer.mapquest.com/documentation/mapquest-js/v1.3/l-mapquest-tile-layer/) shows the different available options, plus a lot more information. ### Adding different controls The map has a number of different controls available; by default it just shows a zoom control. You can expand the controls available using the `map.addControl()` method; add this to your code: ```js map.addControl(L.mapquest.control()); ``` The [`mapquest.control()` method](https://developer.mapquest.com/documentation/mapquest-js/v1.3/l-mapquest-control/) just creates a simple full-featured control set, and it is placed in the top-right-hand corner by default. You can adjust the position by specifying an options object as a parameter for the control containing a `position` property, the value of which is a string specifying a position for the control. Try this, for example: ```js map.addControl(L.mapquest.control({ position: "bottomright" })); ``` There are other types of control available, for example [`mapquest.searchControl()`](https://developer.mapquest.com/documentation/mapquest-js/v1.3/l-mapquest-search-control/) and [`mapquest.satelliteControl()`](https://developer.mapquest.com/documentation/mapquest-js/v1.3/l-mapquest-satellite-control/), and some are quite complex and powerful. Have a play around and see what you can come up with. ### Adding a custom marker Adding a marker (icon) at a certain point on the map is easy β€” you just use the [`L.marker()`](https://leafletjs.com/reference.html#marker) method (which seems to be documented in the related Leaflet.js docs). Add the following code to your example, again inside `window.onload`: ```js L.marker([53.480759, -2.242631], { icon: L.mapquest.icons.marker({ primaryColor: "#22407F", secondaryColor: "#3B5998", shadow: true, size: "md", symbol: "A", }), }) .bindPopup("This is Manchester!") .addTo(map); ``` As you can see, this at its simplest takes two parameters, an array containing the coordinates at which to display the marker, and an options object containing an `icon` property that defines the icon to display at that point. The icon is defined using an [`mapquest.icons.marker()`](https://developer.mapquest.com/documentation/mapquest-js/v1.3/l-mapquest-icons/) method, which as you can see contains information such as color and size of marker. Onto the end of the first method call we chain `.bindPopup('This is Manchester!')`, which defines content to display when the marker is clicked. Finally, we chain `.addTo(map)` to the end of the chain to actually add the marker to the map. Have a play with the other options shown in the documentation and see what you can come up with! Mapquest provides some pretty advanced functionality, such as directions, searching, etc. > **Note:** If you have trouble getting the example to work, check your code against our [finished version](https://github.com/mdn/learning-area/blob/main/javascript/apis/third-party-apis/mapquest/finished/script.js). ## A RESTful API β€” NYTimes Now let's look at another API example β€” the [New York Times API](https://developer.nytimes.com). This API allows you to retrieve New York Times news story information and display it on your site. This type of API is known as a **RESTful API** β€” instead of getting data using the features of a JavaScript library like we did with Mapquest, we get data by making HTTP requests to specific URLs, with data like search terms and other properties encoded in the URL (often as URL parameters). This is a common pattern you'll encounter with APIs. ## An approach for using third-party APIs Below we'll take you through an exercise to show you how to use the NYTimes API, which also provides a more general set of steps to follow that you can use as an approach for working with new APIs. ### Find the documentation When you want to use a third party API, it is essential to find out where the documentation is, so you can find out what features the API has, how you use them, etc. The New York Times API documentation is at <https://developer.nytimes.com/>. ### Get a developer key Most APIs require you to use some kind of developer key, for reasons of security and accountability. To sign up for an NYTimes API key, following the instructions at <https://developer.nytimes.com/get-started>. 1. Let's request a key for the Article Search API β€” create a new app, selecting this as the API you want to use (fill in a name and description, toggle the switch under the "Article Search API" to the on position, and then click "Create"). 2. Get the API key from the resulting page. 3. Now, to start the example off, make a copy of all the files in the [nytimes/start](https://github.com/mdn/learning-area/tree/main/javascript/apis/third-party-apis/nytimes/start) directory. If you've already [cloned the examples repository](/en-US/docs/Learn#getting_our_code_examples), you'll already have a copy of these files, which you can find in the _javascript/apis/third-party-apis/nytimes/start_ directory. Initially the `script.js` file contains a number of variables needed for the setup of the example; below we'll fill in the required functionality. The app will end up allowing you to type in a search term and optional start and end dates, which it will then use to query the Article Search API and display the search results. ![A screenshot of a sample search query and search results as retrieved from the New York Article Search API.](nytimes-example.png) ### Connect the API to your app First, you'll need to make a connection between the API and your app. In the case of this API, you need to include the API key as a [get](/en-US/docs/Web/HTTP/Methods/GET) parameter every time you request data from the service at the correct URL. 1. Find the following line: ```js const key = "INSERT-YOUR-API-KEY-HERE"; ``` Replace the existing API key with the actual API key you got in the previous section. 2. Add the following line to your JavaScript, below the "`// Event listeners to control the functionality`" comment. This runs a function called `submitSearch()` when the form is submitted (the button is pressed). ```js searchForm.addEventListener("submit", submitSearch); ``` 3. Now add the `submitSearch()` and `fetchResults()` function definitions, below the previous line: ```js function submitSearch(e) { pageNumber = 0; fetchResults(e); } function fetchResults(e) { // Use preventDefault() to stop the form submitting e.preventDefault(); // Assemble the full URL let url = `${baseURL}?api-key=${key}&page=${pageNumber}&q=${searchTerm.value}&fq=document_type:("article")`; if (startDate.value !== "") { url = `${url}&begin_date=${startDate.value}`; } if (endDate.value !== "") { url = `${url}&end_date=${endDate.value}`; } } ``` `submitSearch()` sets the page number back to 0 to begin with, then calls `fetchResults()`. This first calls [`preventDefault()`](/en-US/docs/Web/API/Event/preventDefault) on the event object, to stop the form actually submitting (which would break the example). Next, we use some string manipulation to assemble the full URL that we will make the request to. We start off by assembling the parts we deem as mandatory for this demo: - The base URL (taken from the `baseURL` variable). - The API key, which has to be specified in the `api-key` URL parameter (the value is taken from the `key` variable). - The page number, which has to be specified in the `page` URL parameter (the value is taken from the `pageNumber` variable). - The search term, which has to be specified in the `q` URL parameter (the value is taken from the value of the `searchTerm` text {{htmlelement("input")}}). - The document type to return results for, as specified in an expression passed in via the `fq` URL parameter. In this case, we want to return articles. Next, we use a couple of [`if ()`](/en-US/docs/Web/JavaScript/Reference/Statements/if...else) statements to check whether the `startDate` and `endDate` elements have had values filled in on them. If they do, we append their values to the URL, specified in `begin_date` and `end_date` URL parameters respectively. So, a complete URL would end up looking something like this: ```url https://api.nytimes.com/svc/search/v2/articlesearch.json?api-key=YOUR-API-KEY-HERE&page=0&q=cats&fq=document_type:("article")&begin_date=20170301&end_date=20170312 ``` > **Note:** You can find more details of what URL parameters can be included at the [NYTimes developer docs](https://developer.nytimes.com/). > **Note:** The example has rudimentary form data validation β€” the search term field has to be filled in before the form can be submitted (achieved using the `required` attribute), and the date fields have `pattern` attributes specified, which means they won't submit unless their values consist of 8 numbers (`pattern="[0-9]{8}"`). See [Form data validation](/en-US/docs/Learn/Forms/Form_validation) for more details on how these work. ### Requesting data from the API Now we've constructed our URL, let's make a request to it. We'll do this using the [Fetch API](/en-US/docs/Web/API/Fetch_API/Using_Fetch). Add the following code block inside the `fetchResults()` function, just above the closing curly brace: ```js // Use fetch() to make the request to the API fetch(url) .then((response) => response.json()) .then((json) => displayResults(json)) .catch((error) => console.error(`Error fetching data: ${error.message}`)); ``` Here we run the request by passing our `url` variable to [`fetch()`](/en-US/docs/Web/API/fetch), convert the response body to JSON using the [`json()`](/en-US/docs/Web/API/Response/json) function, then pass the resulting JSON to the `displayResults()` function so the data can be displayed in our UI. We also catch and log any errors that might be thrown. ### Displaying the data OK, let's look at how we'll display the data. Add the following function below your `fetchResults()` function. ```js function displayResults(json) { while (section.firstChild) { section.removeChild(section.firstChild); } const articles = json.response.docs; nav.style.display = articles.length === 10 ? "block" : "none"; if (articles.length === 0) { const para = document.createElement("p"); para.textContent = "No results returned."; section.appendChild(para); } else { for (const current of articles) { const article = document.createElement("article"); const heading = document.createElement("h2"); const link = document.createElement("a"); const img = document.createElement("img"); const para1 = document.createElement("p"); const keywordPara = document.createElement("p"); keywordPara.classList.add("keywords"); console.log(current); link.href = current.web_url; link.textContent = current.headline.main; para1.textContent = current.snippet; keywordPara.textContent = "Keywords: "; for (const keyword of current.keywords) { const span = document.createElement("span"); span.textContent = `${keyword.value} `; keywordPara.appendChild(span); } if (current.multimedia.length > 0) { img.src = `http://www.nytimes.com/${current.multimedia[0].url}`; img.alt = current.headline.main; } article.appendChild(heading); heading.appendChild(link); article.appendChild(img); article.appendChild(para1); article.appendChild(keywordPara); section.appendChild(article); } } } ``` There's a lot of code here; let's explain it step by step: - The [`while`](/en-US/docs/Web/JavaScript/Reference/Statements/while) loop is a common pattern used to delete all of the contents of a DOM element, in this case, the {{htmlelement("section")}} element. We keep checking to see if the `<section>` has a first child, and if it does, we remove the first child. The loop ends when `<section>` no longer has any children. - Next, we set the `articles` variable to equal `json.response.docs` β€” this is the array holding all the objects that represent the articles returned by the search. This is done purely to make the following code a bit simpler. - The first [`if ()`](/en-US/docs/Web/JavaScript/Reference/Statements/if...else) block checks to see if 10 articles are returned (the API returns up to 10 articles at a time.) If so, we display the {{htmlelement("nav")}} that contains the _Previous 10_/_Next 10_ pagination buttons. If fewer than 10 articles are returned, they will all fit on one page, so we don't need to show the pagination buttons. We will wire up the pagination functionality in the next section. - The next `if ()` block checks to see if no articles are returned. If so, we don't try to display any β€” we create a {{htmlelement("p")}} containing the text "No results returned." and insert it into the `<section>`. - If some articles are returned, we, first of all, create all the elements that we want to use to display each news story, insert the right contents into each one, and then insert them into the DOM at the appropriate places. To work out which properties in the article objects contained the right data to show, we consulted the Article Search API reference (see [NYTimes APIs](https://developer.nytimes.com/apis)). Most of these operations are fairly obvious, but a few are worth calling out: - We used a [`for...of`](/en-US/docs/Web/JavaScript/Reference/Statements/for...of) loop to go through all the keywords associated with each article, and insert each one inside its own {{htmlelement("span")}}, inside a `<p>`. This was done to make it easy to style each one. - We used an `if ()` block (`if (current.multimedia.length > 0) { }`) to check whether each article has any images associated with it, as some stories don't. We display the first image only if it exists; otherwise, an error would be thrown. ### Wiring up the pagination buttons To make the pagination buttons work, we will increment (or decrement) the value of the `pageNumber` variable, and then re-rerun the fetch request with the new value included in the page URL parameter. This works because the NYTimes API only returns 10 results at a time β€” if more than 10 results are available, it will return the first 10 (0-9) if the `page` URL parameter is set to 0 (or not included at all β€” 0 is the default value), the next 10 (10-19) if it is set to 1, and so on. This allows us to write a simplistic pagination function. 1. Below the existing [`addEventListener()`](/en-US/docs/Web/API/EventTarget/addEventListener) call, add these two new ones, which cause the `nextPage()` and `previousPage()` functions to be invoked when the relevant buttons are clicked: ```js nextBtn.addEventListener("click", nextPage); previousBtn.addEventListener("click", previousPage); ``` 2. Below your previous addition, let's define the two functions β€” add this code now: ```js function nextPage(e) { pageNumber++; fetchResults(e); } function previousPage(e) { if (pageNumber > 0) { pageNumber--; } else { return; } fetchResults(e); } ``` The first function increments the `pageNumber` variable, then run the `fetchResults()` function again to display the next page's results. The second function works nearly exactly the same way in reverse, but we also have to take the extra step of checking that `pageNumber` is not already zero before decrementing it β€” if the fetch request runs with a minus `page` URL parameter, it could cause errors. If the `pageNumber` is already 0, we [`return`](/en-US/docs/Web/JavaScript/Reference/Statements/return) out of the function β€” if we are already at the first page, we don't need to load the same results again. > **Note:** You can find our [finished NYTimes API example code on GitHub](https://github.com/mdn/learning-area/blob/main/javascript/apis/third-party-apis/nytimes/finished/index.html) (also [see it running live here](https://mdn.github.io/learning-area/javascript/apis/third-party-apis/nytimes/finished/)). ## YouTube example We also built another example for you to study and learn from β€” see our [YouTube video search example](https://mdn.github.io/learning-area/javascript/apis/third-party-apis/youtube/). This uses two related APIs: - The [YouTube Data API](https://developers.google.com/youtube/v3/docs/) to search for YouTube videos and return results. - The [YouTube IFrame Player API](https://developers.google.com/youtube/iframe_api_reference) to display the returned video examples inside IFrame video players so you can watch them. This example is interesting because it shows two related third-party APIs being used together to build an app. The first one is a RESTful API, while the second one works more like Mapquest (with API-specific methods, etc.). It is worth noting however that both of the APIs require a JavaScript library to be applied to the page. The RESTful API has functions available to handle making the HTTP requests and returning the results. ![A screenshot of a sample Youtube video search using two related APIs. The left side of the image has a sample search query using the YouTube Data API. The right side of the image displays the search results using the Youtube Iframe Player API.](youtube-example.png) We are not going to say too much more about this example in the article β€” [the source code](https://github.com/mdn/learning-area/tree/main/javascript/apis/third-party-apis/youtube) has detailed comments inserted inside it to explain how it works. To get it running, you'll need to: - Read the [YouTube Data API Overview](https://developers.google.com/youtube/v3/getting-started) documentation. - Make sure you visit the [Enabled APIs page](https://console.cloud.google.com/apis/enabled), and in the list of APIs, make sure the status is ON for the YouTube Data API v3. - Get an API key from [Google Cloud](https://cloud.google.com/). - Find the string `ENTER-API-KEY-HERE` in the source code, and replace it with your API key. - Run the example through a web server. It won't work if you just run it directly in the browser (i.e. via a `file://` URL). ## Summary This article has given you a useful introduction to using third-party APIs to add functionality to your websites. {{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Fetching_data", "Learn/JavaScript/Client-side_web_APIs/Drawing_graphics", "Learn/JavaScript/Client-side_web_APIs")}}
0
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/drawing_graphics/index.md
--- title: Drawing graphics slug: Learn/JavaScript/Client-side_web_APIs/Drawing_graphics page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Third_party_APIs", "Learn/JavaScript/Client-side_web_APIs/Video_and_audio_APIs", "Learn/JavaScript/Client-side_web_APIs")}} The browser contains some very powerful graphics programming tools, from the Scalable Vector Graphics ([SVG](/en-US/docs/Web/SVG)) language, to APIs for drawing on HTML {{htmlelement("canvas")}} elements, (see [The Canvas API](/en-US/docs/Web/API/Canvas_API) and [WebGL](/en-US/docs/Web/API/WebGL_API)). This article provides an introduction to canvas, and further resources to allow you to learn more. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">first steps</a>, <a href="/en-US/docs/Learn/JavaScript/Building_blocks" >building blocks</a >, <a href="/en-US/docs/Learn/JavaScript/Objects">JavaScript objects</a>), the <a href="/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Introduction" >basics of Client-side APIs</a > </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn the basics of drawing on <code>&#x3C;canvas></code> elements using JavaScript. </td> </tr> </tbody> </table> ## Graphics on the Web As we talked about in our HTML [Multimedia and embedding](/en-US/docs/Learn/HTML/Multimedia_and_embedding) module, the Web was originally just text, which was very boring, so images were introduced β€” first via the {{htmlelement("img")}} element and later via CSS properties such as {{cssxref("background-image")}}, and [SVG](/en-US/docs/Web/SVG). This however was still not enough. While you could use [CSS](/en-US/docs/Learn/CSS) and [JavaScript](/en-US/docs/Learn/JavaScript) to animate (and otherwise manipulate) SVG vector images β€” as they are represented by markup β€” there was still no way to do the same for bitmap images, and the tools available were rather limited. The Web still had no way to effectively create animations, games, 3D scenes, and other requirements commonly handled by lower level languages such as C++ or Java. The situation started to improve when browsers began to support the {{htmlelement("canvas")}} element and associated [Canvas API](/en-US/docs/Web/API/Canvas_API) in 2004. As you'll see below, canvas provides some useful tools for creating 2D animations, games, data visualizations, and other types of applications, especially when combined with some of the other APIs the web platform provides, but can be difficult or impossible to make accessible The below example shows a simple 2D canvas-based bouncing balls animation that we originally met in our [Introducing JavaScript objects](/en-US/docs/Learn/JavaScript/Objects/Object_building_practice) module: {{EmbedGHLiveSample("learning-area/javascript/oojs/bouncing-balls/index-finished.html", '100%', 500)}} Around 2006–2007, Mozilla started work on an experimental 3D canvas implementation. This became [WebGL](/en-US/docs/Web/API/WebGL_API), which gained traction among browser vendors, and was standardized around 2009–2010. WebGL allows you to create real 3D graphics inside your web browser; the below example shows a simple rotating WebGL cube: {{EmbedGHLiveSample("learning-area/javascript/apis/drawing-graphics/threejs-cube/index.html", '100%', 500)}} This article will focus mainly on 2D canvas, as raw WebGL code is very complex. We will however show how to use a WebGL library to create a 3D scene more easily, and you can find a tutorial covering raw WebGL elsewhere β€” see [Getting started with WebGL](/en-US/docs/Web/API/WebGL_API/Tutorial/Getting_started_with_WebGL). ## Active learning: Getting started with a \<canvas> If you want to create a 2D _or_ 3D scene on a web page, you need to start with an HTML {{htmlelement("canvas")}} element. This element is used to define the area on the page into which the image will be drawn. This is as simple as including the element on the page: ```html <canvas width="320" height="240"></canvas> ``` This will create a canvas on the page with a size of 320 by 240 pixels. You should put some fallback content inside the `<canvas>` tags. This should describe the canvas content to users of browsers that don't support canvas, or users of screen readers. ```html <canvas width="320" height="240"> <p>Description of the canvas for those unable to view it.</p> </canvas> ``` The fallback should provide useful alternative content to the canvas content. For example, if you are rendering a constantly updating graph of stock prices, the fallback content could be a static image of the latest stock graph, with `alt` text saying what the prices are in text or a list of links to individual stock pages. > **Note:** Canvas content is not accessible to screen readers. Include descriptive text as the value of the [`aria-label`](/en-US/docs/Web/Accessibility/ARIA/Attributes/aria-label) attribute directly on the canvas element itself or include fallback content placed within the opening and closing `<canvas>` tags. Canvas content is not part of the DOM, but nested fallback content is. ### Creating and sizing our canvas Let's start by creating our own canvas that we draw future experiments on to. 1. First make a local copy of the [0_canvas_start](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/0_canvas_start) directory. It contains three files: - "index.html" - "script.js" - "style.css" 2. Open "index.html", and add the following code into it, just below the opening {{htmlelement("body")}} tag: ```html <canvas class="myCanvas"> <p>Add suitable fallback here.</p> </canvas> ``` We have added a `class` to the `<canvas>` element so it will be easier to select if we have multiple canvases on the page, but we have removed the `width` and `height` attributes for now (you could add them back in if you wanted, but we will set them using JavaScript in a below section). Canvases with no explicit width and height default to 300 pixels wide by 150 pixels high. 3. Now open "script.js" and add the following lines of JavaScript: ```js const canvas = document.querySelector(".myCanvas"); const width = (canvas.width = window.innerWidth); const height = (canvas.height = window.innerHeight); ``` Here we have stored a reference to the canvas in the `canvas` constant. In the second line we set both a new constant `width` and the canvas' `width` property equal to {{domxref("Window.innerWidth")}} (which gives us the viewport width). In the third line we set both a new constant `height` and the canvas' `height` property equal to {{domxref("Window.innerHeight")}} (which gives us the viewport height). So now we have a canvas that fills the entire width and height of the browser window! You'll also see that we are chaining assignments together with multiple equals signs β€” this is allowed in JavaScript, and it is a good technique if you want to make multiple variables all equal to the same value. We wanted to make the canvas width and height easily accessible in the width/height variables, as they are useful values to have available for later (for example, if you want to draw something exactly halfway across the width of the canvas). > **Note:** You should generally set the size of the image using HTML attributes or DOM properties, as explained above. You could use CSS, but the trouble then is that the sizing is done after the canvas has rendered, and just like any other image (the rendered canvas is just an image), the image could become pixelated/distorted. ### Getting the canvas context and final setup We need to do one final thing before we can consider our canvas template finished. To draw onto the canvas we need to get a special reference to the drawing area called a context. This is done using the {{domxref("HTMLCanvasElement.getContext()")}} method, which for basic usage takes a single string as a parameter representing the type of context you want to retrieve. In this case we want a 2d canvas, so add the following JavaScript line below the others in "script.js": ```js const ctx = canvas.getContext("2d"); ``` > **Note:** other context values you could choose include `webgl` for WebGL, `webgl2` for WebGL 2, etc., but we won't need those in this article. So that's it β€” our canvas is now primed and ready for drawing on! The `ctx` variable now contains a {{domxref("CanvasRenderingContext2D")}} object, and all drawing operations on the canvas will involve manipulating this object. Let's do one last thing before we move on. We'll color the canvas background black to give you a first taste of the canvas API. Add the following lines at the bottom of your JavaScript: ```js ctx.fillStyle = "rgb(0 0 0)"; ctx.fillRect(0, 0, width, height); ``` Here we are setting a fill color using the canvas' {{domxref("CanvasRenderingContext2D.fillStyle", "fillStyle")}} property (this takes [color values](/en-US/docs/Learn/CSS/Building_blocks/Values_and_units#colors) just like CSS properties do), then drawing a rectangle that covers the entire area of the canvas with the {{domxref("CanvasRenderingContext2D.fillRect", "fillRect")}} method (the first two parameters are the coordinates of the rectangle's top left-hand corner; the last two are the width and height you want the rectangle drawn at β€” we told you those `width` and `height` variables would be useful)! OK, our template is done and it's time to move on. ## 2D canvas basics As we said above, all drawing operations are done by manipulating a {{domxref("CanvasRenderingContext2D")}} object (in our case, `ctx`). Many operations need to be given coordinates to pinpoint exactly where to draw something β€” the top left of the canvas is point (0, 0), the horizontal (x) axis runs from left to right, and the vertical (y) axis runs from top to bottom. ![Gridded graph paper with small squares covering its area with a steelblue square in the middle. The top left corner of the canvas is point (0, 0) of the canvas x-axis and y-axis. The horizontal (x) axis runs from left to right denoting the width, and the vertical (y) axis runs from top to bottom denotes the height. The top left corner of the blue square is labeled as being a distance of x units from the y-axis and y units from the x-axis.](canvas_default_grid.png) Drawing shapes tends to be done using the rectangle shape primitive, or by tracing a line along a certain path and then filling in the shape. Below we'll show how to do both. ### Simple rectangles Let's start with some simple rectangles. 1. First of all, take a copy of your newly coded canvas template (or make a local copy of the [1_canvas_template](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/1_canvas_template) directory if you didn't follow the above steps). 2. Next, add the following lines to the bottom of your JavaScript: ```js ctx.fillStyle = "rgb(255 0 0)"; ctx.fillRect(50, 50, 100, 150); ``` If you save and refresh, you should see a red rectangle has appeared on your canvas. Its top left corner is 50 pixels away from the top and left of the canvas edge (as defined by the first two parameters), and it is 100 pixels wide and 150 pixels tall (as defined by the third and fourth parameters). 3. Let's add another rectangle into the mix β€” a green one this time. Add the following at the bottom of your JavaScript: ```js ctx.fillStyle = "rgb(0 255 0)"; ctx.fillRect(75, 75, 100, 100); ``` Save and refresh, and you'll see your new rectangle. This raises an important point: graphics operations like drawing rectangles, lines, and so forth are performed in the order in which they occur. Think of it like painting a wall, where each coat of paint overlaps and may even hide what's underneath. You can't do anything to change this, so you have to think carefully about the order in which you draw the graphics. 4. Note that you can draw semi-transparent graphics by specifying a semi-transparent color, for example by using `rgb()`. The "alpha channel" defines the amount of transparency the color has. The higher its value, the more it will obscure whatever's behind it. Add the following to your code: ```js ctx.fillStyle = "rgb(255 0 255 / 75%)"; ctx.fillRect(25, 100, 175, 50); ``` 5. Now try drawing some more rectangles of your own; have fun! ### Strokes and line widths So far we've looked at drawing filled rectangles, but you can also draw rectangles that are just outlines (called **strokes** in graphic design). To set the color you want for your stroke, you use the {{domxref("CanvasRenderingContext2D.strokeStyle", "strokeStyle")}} property; drawing a stroke rectangle is done using {{domxref("CanvasRenderingContext2D.strokeRect", "strokeRect")}}. 1. Add the following to the previous example, again below the previous JavaScript lines: ```js ctx.strokeStyle = "rgb(255 255 255)"; ctx.strokeRect(25, 25, 175, 200); ``` 2. The default width of strokes is 1 pixel; you can adjust the {{domxref("CanvasRenderingContext2D.lineWidth", "lineWidth")}} property value to change this (it takes a number representing the number of pixels wide the stroke is). Add the following line in between the previous two lines: ```js ctx.lineWidth = 5; ``` Now you should see that your white outline has become much thicker! That's it for now. At this point your example should look like this: {{EmbedGHLiveSample("learning-area/javascript/apis/drawing-graphics/getting-started/2_canvas_rectangles/index.html", '100%', 250)}} > **Note:** The finished code is available on GitHub as [2_canvas_rectangles](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/2_canvas_rectangles). ### Drawing paths If you want to draw anything more complex than a rectangle, you need to draw a path. Basically, this involves writing code to specify exactly what path the pen should move along on your canvas to trace the shape you want to draw. Canvas includes functions for drawing straight lines, circles, BΓ©zier curves, and more. Let's start the section off by making a fresh copy of our canvas template ([1_canvas_template](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/1_canvas_template)), in which to draw the new example. We'll be using some common methods and properties across all of the below sections: - {{domxref("CanvasRenderingContext2D.beginPath", "beginPath()")}} β€” start drawing a path at the point where the pen currently is on the canvas. On a new canvas, the pen starts out at (0, 0). - {{domxref("CanvasRenderingContext2D.moveTo", "moveTo()")}} β€” move the pen to a different point on the canvas, without recording or tracing the line; the pen "jumps" to the new position. - {{domxref("CanvasRenderingContext2D.fill", "fill()")}} β€” draw a filled shape by filling in the path you've traced so far. - {{domxref("CanvasRenderingContext2D.stroke", "stroke()")}} β€” draw an outline shape by drawing a stroke along the path you've drawn so far. - You can also use features like `lineWidth` and `fillStyle`/`strokeStyle` with paths as well as rectangles. A typical, simple path-drawing operation would look something like so: ```js ctx.fillStyle = "rgb(255 0 0)"; ctx.beginPath(); ctx.moveTo(50, 50); // draw your path ctx.fill(); ``` #### Drawing lines Let's draw an equilateral triangle on the canvas. 1. First of all, add the following helper function to the bottom of your code. This converts degree values to radians, which is useful because whenever you need to provide an angle value in JavaScript, it will nearly always be in radians, but humans usually think in degrees. ```js function degToRad(degrees) { return (degrees * Math.PI) / 180; } ``` 2. Next, start off your path by adding the following below your previous addition; here we set a color for our triangle, start drawing a path, and then move the pen to (50, 50) without drawing anything. That's where we'll start drawing our triangle. ```js ctx.fillStyle = "rgb(255 0 0)"; ctx.beginPath(); ctx.moveTo(50, 50); ``` 3. Now add the following lines at the bottom of your script: ```js ctx.lineTo(150, 50); const triHeight = 50 * Math.tan(degToRad(60)); ctx.lineTo(100, 50 + triHeight); ctx.lineTo(50, 50); ctx.fill(); ``` Let's run through this in order: First we draw a line across to (150, 50) β€” our path now goes 100 pixels to the right along the x axis. Second, we work out the height of our equilateral triangle, using a bit of simple trigonometry. Basically, we are drawing the triangle pointing downwards. The angles in an equilateral triangle are always 60 degrees; to work out the height we can split it down the middle into two right-angled triangles, which will each have angles of 90 degrees, 60 degrees, and 30 degrees. In terms of the sides: - The longest side is called the **hypotenuse** - The side next to the 60 degree angle is called the **adjacent** β€” which we know is 50 pixels, as it is half of the line we just drew. - The side opposite the 60 degree angle is called the **opposite**, which is the height of the triangle we want to calculate. ![An equilateral triangle pointing downwards with labeled angles and sides. The horizontal line at the top is labeled 'adjacent'. A perpendicular dotted line, from the middle of the adjacent line, labeled 'opposite', splits the triangle creating two equal right triangles. The right side of the triangle is labeled the hypotenuse, as it is the hypotenuse of the right triangle formed by the line labeled 'opposite'. while all three-sided of the triangle are of equal length, the hypotenuse is the longest side of the right triangle.](trigonometry.png) One of the basic trigonometric formulae states that the length of the adjacent multiplied by the tangent of the angle is equal to the opposite, hence we come up with `50 * Math.tan(degToRad(60))`. We use our `degToRad()` function to convert 60 degrees to radians, as {{jsxref("Math.tan()")}} expects an input value in radians. 4. With the height calculated, we draw another line to `(100, 50 + triHeight)`. The X coordinate is simple; it must be halfway between the previous two X values we set. The Y value on the other hand must be 50 plus the triangle height, as we know the top of the triangle is 50 pixels from the top of the canvas. 5. The next line draws a line back to the starting point of the triangle. 6. Last of all, we run `ctx.fill()` to end the path and fill in the shape. #### Drawing circles Now let's look at how to draw a circle in canvas. This is accomplished using the {{domxref("CanvasRenderingContext2D.arc", "arc()")}} method, which draws all or part of a circle at a specified point. 1. Let's add an arc to our canvas β€” add the following to the bottom of your code: ```js ctx.fillStyle = "rgb(0 0 255)"; ctx.beginPath(); ctx.arc(150, 106, 50, degToRad(0), degToRad(360), false); ctx.fill(); ``` `arc()` takes six parameters. The first two specify the position of the arc's center (X and Y, respectively). The third is the circle's radius, the fourth and fifth are the start and end angles at which to draw the circle (so specifying 0 and 360 degrees gives us a full circle), and the sixth parameter defines whether the circle should be drawn counterclockwise (anticlockwise) or clockwise (`false` is clockwise). > **Note:** 0 degrees is horizontally to the right. 2. Let's try adding another arc: ```js ctx.fillStyle = "yellow"; ctx.beginPath(); ctx.arc(200, 106, 50, degToRad(-45), degToRad(45), true); ctx.lineTo(200, 106); ctx.fill(); ``` The pattern here is very similar, but with two differences: - We have set the last parameter of `arc()` to `true`, meaning that the arc is drawn counterclockwise, which means that even though the arc is specified as starting at -45 degrees and ending at 45 degrees, we draw the arc around the 270 degrees not inside this portion. If you were to change `true` to `false` and then re-run the code, only the 90 degree slice of the circle would be drawn. - Before calling `fill()`, we draw a line to the center of the circle. This means that we get the rather nice Pac-Man-style cutout rendered. If you removed this line (try it!) then re-ran the code, you'd get just an edge of the circle chopped off between the start and end point of the arc. This illustrates another important point of the canvas β€” if you try to fill an incomplete path (i.e. one that is not closed), the browser fills in a straight line between the start and end point and then fills it in. That's it for now; your final example should look like this: {{EmbedGHLiveSample("learning-area/javascript/apis/drawing-graphics/getting-started/3_canvas_paths/index.html", '100%', 200)}} > **Note:** The finished code is available on GitHub as [3_canvas_paths](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/3_canvas_paths). > **Note:** To find out more about advanced path drawing features such as BΓ©zier curves, check out our [Drawing shapes with canvas](/en-US/docs/Web/API/Canvas_API/Tutorial/Drawing_shapes) tutorial. ### Text Canvas also has features for drawing text. Let's explore these briefly. Start by making another fresh copy of our canvas template ([1_canvas_template](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/1_canvas_template)) in which to draw the new example. Text is drawn using two methods: - {{domxref("CanvasRenderingContext2D.fillText", "fillText()")}} β€” draws filled text. - {{domxref("CanvasRenderingContext2D.strokeText", "strokeText()")}} β€” draws outline (stroke) text. Both of these take three properties in their basic usage: the text string to draw and the X and Y coordinates of the point to start drawing the text at. This works out as the **bottom left** corner of the **text box** (literally, the box surrounding the text you draw), which might confuse you as other drawing operations tend to start from the top left corner β€” bear this in mind. There are also a number of properties to help control text rendering such as {{domxref("CanvasRenderingContext2D.font", "font")}}, which lets you specify font family, size, etc. It takes as its value the same syntax as the CSS {{cssxref("font")}} property. Canvas content is not accessible to screen readers. Text painted to the canvas is not available to the DOM, but must be made available to be accessible. In this example, we include the text as the value for `aria-label`. Try adding the following block to the bottom of your JavaScript: ```js ctx.strokeStyle = "white"; ctx.lineWidth = 1; ctx.font = "36px arial"; ctx.strokeText("Canvas text", 50, 50); ctx.fillStyle = "red"; ctx.font = "48px georgia"; ctx.fillText("Canvas text", 50, 150); canvas.setAttribute("aria-label", "Canvas text"); ``` Here we draw two lines of text, one outline and the other stroke. The final example should look like so: {{EmbedGHLiveSample("learning-area/javascript/apis/drawing-graphics/getting-started/4_canvas_text/index.html", '100%', 180)}} > **Note:** The finished code is available on GitHub as [4_canvas_text](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/4_canvas_text). Have a play and see what you can come up with! You can find more information on the options available for canvas text at [Drawing text](/en-US/docs/Web/API/Canvas_API/Tutorial/Drawing_text). ### Drawing images onto canvas It is possible to render external images onto your canvas. These can be simple images, frames from videos, or the content of other canvases. For the moment we'll just look at the case of using some simple images on our canvas. 1. As before, make another fresh copy of our canvas template ([1_canvas_template](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/1_canvas_template)) in which to draw the new example. Images are drawn onto canvas using the {{domxref("CanvasRenderingContext2D.drawImage", "drawImage()")}} method. The simplest version takes three parameters β€” a reference to the image you want to render, and the X and Y coordinates of the image's top left corner. 2. Let's start by getting an image source to embed in our canvas. Add the following lines to the bottom of your JavaScript: ```js const image = new Image(); image.src = "firefox.png"; ``` Here we create a new {{domxref("HTMLImageElement")}} object using the {{domxref("HTMLImageElement.Image()", "Image()")}} constructor. The returned object is the same type as that which is returned when you grab a reference to an existing {{htmlelement("img")}} element. We then set its [`src`](/en-US/docs/Web/HTML/Element/img#src) attribute to equal our Firefox logo image. At this point, the browser starts loading the image. 3. We could now try to embed the image using `drawImage()`, but we need to make sure the image file has been loaded first, otherwise the code will fail. We can achieve this using the `load` event, which will only be fired when the image has finished loading. Add the following block below the previous one: ```js image.addEventListener("load", () => ctx.drawImage(image, 20, 20)); ``` If you load your example in the browser now, you should see the image embedded in the canvas. 4. But there's more! What if we want to display only a part of the image, or to resize it? We can do both with the more complex version of `drawImage()`. Update your `ctx.drawImage()` line like so: ```js ctx.drawImage(image, 20, 20, 185, 175, 50, 50, 185, 175); ``` - The first parameter is the image reference, as before. - Parameters 2 and 3 define the coordinates of the top left corner of the area you want to cut out of the loaded image, relative to the top-left corner of the image itself. Nothing to the left of the first parameter or above the second will be drawn. - Parameters 4 and 5 define the width and height of the area we want to cut out from the original image we loaded. - Parameters 6 and 7 define the coordinates at which you want to draw the top-left corner of the cut-out portion of the image, relative to the top-left corner of the canvas. - Parameters 8 and 9 define the width and height to draw the cut-out area of the image. In this case, we have specified the same dimensions as the original slice, but you could resize it by specifying different values. 5. When the image is meaningfully updated, the {{glossary("accessible description")}} must also be updated. ```js canvas.setAttribute("aria-label", "Firefox Logo"); ``` The final example should look like so: {{EmbedGHLiveSample("learning-area/javascript/apis/drawing-graphics/getting-started/5_canvas_images/index.html", '100%', 260)}} > **Note:** The finished code is available on GitHub as [5_canvas_images](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/5_canvas_images). ## Loops and animations We have so far covered some very basic uses of 2D canvas, but really you won't experience the full power of canvas unless you update or animate it in some way. After all, canvas does provide scriptable images! If you aren't going to change anything, then you might as well just use static images and save yourself all the work. ### Creating a loop Playing with loops in canvas is rather fun β€” you can run canvas commands inside a [`for`](/en-US/docs/Web/JavaScript/Reference/Statements/for) (or other type of) loop just like any other JavaScript code. Let's build a simple example. 1. Make another fresh copy of our canvas template ([1_canvas_template](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/1_canvas_template)) and open it in your code editor. 2. Add the following line to the bottom of your JavaScript. This contains a new method, {{domxref("CanvasRenderingContext2D.translate", "translate()")}}, which moves the origin point of the canvas: ```js ctx.translate(width / 2, height / 2); ``` This causes the coordinate origin (0, 0) to be moved to the center of the canvas, rather than being at the top left corner. This is very useful in many situations, like this one, where we want our design to be drawn relative to the center of the canvas. 3. Now add the following code to the bottom of the JavaScript: ```js function degToRad(degrees) { return (degrees * Math.PI) / 180; } function rand(min, max) { return Math.floor(Math.random() * (max - min + 1)) + min; } let length = 250; let moveOffset = 20; for (let i = 0; i < length; i++) {} ``` Here we are implementing the same `degToRad()` function we saw in the triangle example above, a `rand()` function that returns a random number between given lower and upper bounds, `length` and `moveOffset` variables (which we'll find out more about later), and an empty `for` loop. 4. The idea here is that we'll draw something on the canvas inside the `for` loop, and iterate on it each time so we can create something interesting. Add the following code inside your `for` loop: ```js ctx.fillStyle = `rgb(${255 - length} 0 ${255 - length} / 90%)`; ctx.beginPath(); ctx.moveTo(moveOffset, moveOffset); ctx.lineTo(moveOffset + length, moveOffset); const triHeight = (length / 2) * Math.tan(degToRad(60)); ctx.lineTo(moveOffset + length / 2, moveOffset + triHeight); ctx.lineTo(moveOffset, moveOffset); ctx.fill(); length--; moveOffset += 0.7; ctx.rotate(degToRad(5)); ``` So on each iteration, we: - Set the `fillStyle` to be a shade of slightly transparent purple, which changes each time based on the value of `length`. As you'll see later the length gets smaller each time the loop runs, so the effect here is that the color gets brighter with each successive triangle drawn. - Begin the path. - Move the pen to a coordinate of `(moveOffset, moveOffset)`; This variable defines how far we want to move each time we draw a new triangle. - Draw a line to a coordinate of `(moveOffset+length, moveOffset)`. This draws a line of length `length` parallel to the X axis. - Calculate the triangle's height, as before. - Draw a line to the downward-pointing corner of the triangle, then draw a line back to the start of the triangle. - Call `fill()` to fill in the triangle. - Update the variables that describe the sequence of triangles, so we can be ready to draw the next one. We decrease the `length` value by 1, so the triangles get smaller each time; increase `moveOffset` by a small amount so each successive triangle is slightly further away, and use another new function, {{domxref("CanvasRenderingContext2D.rotate", "rotate()")}}, which allows us to rotate the entire canvas! We rotate it by 5 degrees before drawing the next triangle. That's it! The final example should look like so: {{EmbedGHLiveSample("learning-area/javascript/apis/drawing-graphics/loops_animation/6_canvas_for_loop/index.html", '100%', 550)}} At this point, we'd like to encourage you to play with the example and make it your own! For example: - Draw rectangles or arcs instead of triangles, or even embed images. - Play with the `length` and `moveOffset` values. - Introduce some random numbers using that `rand()` function we included above but didn't use. > **Note:** The finished code is available on GitHub as [6_canvas_for_loop](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/loops_animation/6_canvas_for_loop). ### Animations The loop example we built above was fun, but really you need a constant loop that keeps going and going for any serious canvas applications (such as games and real time visualizations). If you think of your canvas as being like a movie, you really want the display to update on each frame to show the updated view, with an ideal refresh rate of 60 frames per second so that movement appears nice and smooth to the human eye. There are a few JavaScript functions that will allow you to run functions repeatedly, several times a second, the best one for our purposes here being {{domxref("window.requestAnimationFrame()")}}. It takes one parameter β€” the name of the function you want to run for each frame. The next time the browser is ready to update the screen, your function will get called. If that function draws the new update to your animation, then calls `requestAnimationFrame()` again just before the end of the function, the animation loop will continue to run. The loop ends when you stop calling `requestAnimationFrame()` or if you call {{domxref("window.cancelAnimationFrame()")}} after calling `requestAnimationFrame()` but before the frame is called. > **Note:** It's good practice to call `cancelAnimationFrame()` from your main code when you're done using the animation, to ensure that no updates are still waiting to be run. The browser works out complex details such as making the animation run at a consistent speed, and not wasting resources animating things that can't be seen. To see how it works, let's quickly look again at our Bouncing Balls example ([see it live](https://mdn.github.io/learning-area/javascript/oojs/bouncing-balls/index-finished.html), and also see [the source code](https://github.com/mdn/learning-area/tree/main/javascript/oojs/bouncing-balls)). The code for the loop that keeps everything moving looks like this: ```js function loop() { ctx.fillStyle = "rgb(0 0 0 / 25%)"; ctx.fillRect(0, 0, width, height); for (const ball of balls) { ball.draw(); ball.update(); ball.collisionDetect(); } requestAnimationFrame(loop); } loop(); ``` We run the `loop()` function once at the bottom of the code to start the cycle, drawing the first animation frame; the `loop()` function then takes charge of calling `requestAnimationFrame(loop)` to run the next frame of the animation, again and again. Note that on each frame we are completely clearing the canvas and redrawing everything. For every ball present we draw it, update its position, and check to see if it is colliding with any other balls. Once you've drawn a graphic to a canvas, there's no way to manipulate that graphic individually like you can with DOM elements. You can't move each ball around on the canvas, because once it's drawn, it's part of the canvas, and is not an individual accessible element or object. Instead, you have to erase and redraw, either by erasing the entire frame and redrawing everything, or by having code that knows exactly what parts need to be erased and only erases and redraws the minimum area of the canvas necessary. Optimizing animation of graphics is an entire specialty of programming, with lots of clever techniques available. Those are beyond what we need for our example, though! In general, the process of doing a canvas animation involves the following steps: 1. Clear the canvas contents (e.g. with {{domxref("CanvasRenderingContext2D.fillRect", "fillRect()")}} or {{domxref("CanvasRenderingContext2D.clearRect", "clearRect()")}}). 2. Save state (if necessary) using {{domxref("CanvasRenderingContext2D.save", "save()")}} β€” this is needed when you want to save settings you've updated on the canvas before continuing, which is useful for more advanced applications. 3. Draw the graphics you are animating. 4. Restore the settings you saved in step 2, using {{domxref("CanvasRenderingContext2D.restore", "restore()")}} 5. Call `requestAnimationFrame()` to schedule drawing of the next frame of the animation. > **Note:** We won't cover `save()` and `restore()` here, but they are explained nicely in our [Transformations](/en-US/docs/Web/API/Canvas_API/Tutorial/Transformations) tutorial (and the ones that follow it). ### A simple character animation Now let's create our own simple animation β€” we'll get a character from a certain rather awesome retro computer game to walk across the screen. 1. Make another fresh copy of our canvas template ([1_canvas_template](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/getting-started/1_canvas_template)) and open it in your code editor. 2. Update the inner HTML to reflect the image: ```html <canvas class="myCanvas"> <p>A man walking.</p> </canvas> ``` 3. At the bottom of the JavaScript, add the following line to once again make the coordinate origin sit in the middle of the canvas: ```js ctx.translate(width / 2, height / 2); ``` 4. Now let's create a new {{domxref("HTMLImageElement")}} object, set its [`src`](/en-US/docs/Web/HTML/Element/img#src) to the image we want to load, and add an `onload` event handler that will cause the `draw()` function to fire when the image is loaded: ```js const image = new Image(); image.src = "walk-right.png"; image.onload = draw; ``` 5. Now we'll add some variables to keep track of the position the sprite is to be drawn on the screen, and the sprite number we want to display. ```js let sprite = 0; let posX = 0; ``` Let's explain the spritesheet image (which we have respectfully borrowed from Mike Thomas' [Walking cycle using CSS animation](https://codepen.io/mikethomas/pen/kQjKLW) CodePen). The image looks like this: ![A sprite sheet with six sprite images of a pixelated character resembling a walking person from their right side at different instances of a single step forward. The character has a white shirt with sky blue buttons, black trousers, and black shoes. Each sprite is 102 pixels wide and 148 pixels high.](walk-right.png) It contains six sprites that make up the whole walking sequence β€” each one is 102 pixels wide and 148 pixels high. To display each sprite cleanly we will have to use `drawImage()` to chop out a single sprite image from the spritesheet and display only that part, like we did above with the Firefox logo. The X coordinate of the slice will have to be a multiple of 102, and the Y coordinate will always be 0. The slice size will always be 102 by 148 pixels. 6. Now let's insert an empty `draw()` function at the bottom of the code, ready for filling up with some code: ```js function draw() {} ``` 7. The rest of the code in this section goes inside `draw()`. First, add the following line, which clears the canvas to prepare for drawing each frame. Notice that we have to specify the top-left corner of the rectangle as `-(width/2), -(height/2)` because we specified the origin position as `width/2, height/2` earlier on. ```js ctx.fillRect(-(width / 2), -(height / 2), width, height); ``` 8. Next, we'll draw our image using drawImage β€” the 9-parameter version. Add the following: ```js ctx.drawImage(image, sprite * 102, 0, 102, 148, 0 + posX, -74, 102, 148); ``` As you can see: - We specify `image` as the image to embed. - Parameters 2 and 3 specify the top-left corner of the slice to cut out of the source image, with the X value as `sprite` multiplied by 102 (where `sprite` is the sprite number between 0 and 5) and the Y value always 0. - Parameters 4 and 5 specify the size of the slice to cut out β€” 102 pixels by 148 pixels. - Parameters 6 and 7 specify the top-left corner of the box into which to draw the slice on the canvas β€” the X position is 0 + `posX`, meaning that we can alter the drawing position by altering the `posX` value. - Parameters 8 and 9 specify the size of the image on the canvas. We just want to keep its original size, so we specify 102 and 148 as the width and height. 9. Now we'll alter the `sprite` value after each draw β€” well, after some of them anyway. Add the following block to the bottom of the `draw()` function: ```js if (posX % 13 === 0) { if (sprite === 5) { sprite = 0; } else { sprite++; } } ``` We are wrapping the whole block in `if (posX % 13 === 0) { }`. We use the modulo (`%`) operator (also known as the [remainder operator](/en-US/docs/Web/JavaScript/Reference/Operators/Remainder)) to check whether the `posX` value can be exactly divided by 13 with no remainder. If so, we move on to the next sprite by incrementing `sprite` (wrapping to 0 after we're done with sprite #5). This effectively means that we are only updating the sprite on every 13th frame, or roughly about 5 frames a second (`requestAnimationFrame()` calls us at up to 60 frames per second if possible). We are deliberately slowing down the frame rate because we only have six sprites to work with, and if we display one every 60th of a second, our character will move way too fast! Inside the outer block we use an [`if...else`](/en-US/docs/Web/JavaScript/Reference/Statements/if...else) statement to check whether the `sprite` value is at 5 (the last sprite, given that the sprite numbers run from 0 to 5). If we are showing the last sprite already, we reset `sprite` back to 0; if not we just increment it by 1. 10. Next we need to work out how to change the `posX` value on each frame β€” add the following code block just below your last one. ```js if (posX > width / 2) { let newStartPos = -(width / 2 + 102); posX = Math.ceil(newStartPos); console.log(posX); } else { posX += 2; } ``` We are using another `if...else` statement to see if the value of `posX` has become greater than `width/2`, which means our character has walked off the right edge of the screen. If so, we calculate a position that would put the character just to the left of the left side of the screen. If our character hasn't yet walked off the edge of the screen, we increment `posX` by 2. This will make him move a little bit to the right the next time we draw him. 11. Finally, we need to make the animation loop by calling {{domxref("window.requestAnimationFrame", "requestAnimationFrame()")}} at the bottom of the `draw()` function: ```js window.requestAnimationFrame(draw); ``` That's it! The final example should look like so: {{EmbedGHLiveSample("learning-area/javascript/apis/drawing-graphics/loops_animation/7_canvas_walking_animation/index.html", '100%', 260)}} > **Note:** The finished code is available on GitHub as [7_canvas_walking_animation](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/loops_animation/7_canvas_walking_animation). ### A simple drawing application As a final animation example, we'd like to show you a very simple drawing application, to illustrate how the animation loop can be combined with user input (like mouse movement, in this case). We won't get you to walk through and build this one; we'll just explore the most interesting parts of the code. The example can be found on GitHub as [8_canvas_drawing_app](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/loops_animation/8_canvas_drawing_app), and you can play with it live below: {{EmbedGHLiveSample("learning-area/javascript/apis/drawing-graphics/loops_animation/8_canvas_drawing_app/index.html", '100%', 600)}} Let's look at the most interesting parts. First of all, we keep track of the mouse's X and Y coordinates and whether it is being clicked or not with three variables: `curX`, `curY`, and `pressed`. When the mouse moves, we fire a function set as the `onmousemove` event handler, which captures the current X and Y values. We also use `onmousedown` and `onmouseup` event handlers to change the value of `pressed` to `true` when the mouse button is pressed, and back to `false` again when it is released. ```js let curX; let curY; let pressed = false; // update mouse pointer coordinates document.addEventListener("mousemove", (e) => { curX = e.pageX; curY = e.pageY; }); canvas.addEventListener("mousedown", () => (pressed = true)); canvas.addEventListener("mouseup", () => (pressed = false)); ``` When the "Clear canvas" button is pressed, we run a simple function that clears the whole canvas back to black, the same way we've seen before: ```js clearBtn.addEventListener("click", () => { ctx.fillStyle = "rgb(0 0 0)"; ctx.fillRect(0, 0, width, height); }); ``` The drawing loop is pretty simple this time around β€” if pressed is `true`, we draw a circle with a fill style equal to the value in the color picker, and a radius equal to the value set in the range input. We have to draw the circle 85 pixels above where we measured it from, because the vertical measurement is taken from the top of the viewport, but we are drawing the circle relative to the top of the canvas, which starts below the 85 pixel-high toolbar. If we drew it with just `curY` as the y coordinate, it would appear 85 pixels lower than the mouse position. ```js function draw() { if (pressed) { ctx.fillStyle = colorPicker.value; ctx.beginPath(); ctx.arc( curX, curY - 85, sizePicker.value, degToRad(0), degToRad(360), false, ); ctx.fill(); } requestAnimationFrame(draw); } draw(); ``` All {{htmlelement("input")}} types are well supported. If a browser doesn't support an input type, it will fall back to a plain text fields. ## WebGL It's now time to leave 2D behind, and take a quick look at 3D canvas. 3D canvas content is specified using the [WebGL API](/en-US/docs/Web/API/WebGL_API), which is a completely separate API from the 2D canvas API, even though they both render onto {{htmlelement("canvas")}} elements. WebGL is based on [OpenGL](/en-US/docs/Glossary/OpenGL) (Open Graphics Library), and allows you to communicate directly with the computer's [GPU](/en-US/docs/Glossary/GPU). As such, writing raw WebGL is closer to low level languages such as C++ than regular JavaScript; it is quite complex but incredibly powerful. ### Using a library Because of its complexity, most people write 3D graphics code using a third party JavaScript library such as [Three.js](/en-US/docs/Games/Techniques/3D_on_the_web/Building_up_a_basic_demo_with_Three.js), [PlayCanvas](/en-US/docs/Games/Techniques/3D_on_the_web/Building_up_a_basic_demo_with_PlayCanvas), or [Babylon.js](/en-US/docs/Games/Techniques/3D_on_the_web/Building_up_a_basic_demo_with_Babylon.js). Most of these work in a similar way, providing functionality to create primitive and custom shapes, position viewing cameras and lighting, covering surfaces with textures, and more. They handle the WebGL for you, letting you work on a higher level. Yes, using one of these means learning another new API (a third party one, in this case), but they are a lot simpler than coding raw WebGL. ### Recreating our cube Let's look at a simple example of how to create something with a WebGL library. We'll choose [Three.js](/en-US/docs/Games/Techniques/3D_on_the_web/Building_up_a_basic_demo_with_Three.js), as it is one of the most popular ones. In this tutorial we'll create the 3D spinning cube we saw earlier. 1. To start with, make a local copy of [threejs-cube/index.html](https://github.com/mdn/learning-area/blob/main/javascript/apis/drawing-graphics/threejs-cube/index.html) in a new folder, then save a copy of [metal003.png](https://github.com/mdn/learning-area/blob/main/javascript/apis/drawing-graphics/threejs-cube/metal003.png) in the same folder. This is the image we'll use as a surface texture for the cube later on. 2. Next, create a new file called `script.js`, again in the same folder as before. 3. Next, you need to [download the three.min.js library](https://raw.githubusercontent.com/mrdoob/three.js/dev/build/three.min.js) and save it in the same directory as before. 4. Now we've got `three.js` attached to our page, we can start to write JavaScript that makes use of it into `script.js`. Let's start by creating a new scene β€” add the following into your `script.js` file: ```js const scene = new THREE.Scene(); ``` The [`Scene()`](https://threejs.org/docs/index.html#api/en/scenes/Scene) constructor creates a new scene, which represents the whole 3D world we are trying to display. 5. Next, we need a **camera** so we can see the scene. In 3D imagery terms, the camera represents a viewer's position in the world. To create a camera, add the following lines next: ```js const camera = new THREE.PerspectiveCamera( 75, window.innerWidth / window.innerHeight, 0.1, 1000, ); camera.position.z = 5; ``` The [`PerspectiveCamera()`](https://threejs.org/docs/index.html#api/en/cameras/PerspectiveCamera) constructor takes four arguments: - The field of view: How wide the area in front of the camera is that should be visible onscreen, in degrees. - The aspect ratio: Usually, this is the ratio of the scene's width divided by the scene's height. Using another value will distort the scene (which might be what you want, but usually isn't). - The near plane: How close to the camera objects can be before we stop rendering them to the screen. Think about how when you move your fingertip closer and closer to the space between your eyes, eventually you can't see it anymore. - The far plane: How far away things are from the camera before they are no longer rendered. We also set the camera's position to be 5 distance units out of the Z axis, which, like in CSS, is out of the screen towards you, the viewer. 6. The third vital ingredient is a renderer. This is an object that renders a given scene, as viewed through a given camera. We'll create one for now using the [`WebGLRenderer()`](https://threejs.org/docs/index.html#api/en/renderers/WebGLRenderer) constructor, but we'll not use it till later. Add the following lines next: ```js const renderer = new THREE.WebGLRenderer(); renderer.setSize(window.innerWidth, window.innerHeight); document.body.appendChild(renderer.domElement); ``` The first line creates a new renderer, the second line sets the size at which the renderer will draw the camera's view, and the third line appends the {{htmlelement("canvas")}} element created by the renderer to the document's {{htmlelement("body")}}. Now anything the renderer draws will be displayed in our window. 7. Next, we want to create the cube we'll display on the canvas. Add the following chunk of code at the bottom of your JavaScript: ```js let cube; const loader = new THREE.TextureLoader(); loader.load("metal003.png", (texture) => { texture.wrapS = THREE.RepeatWrapping; texture.wrapT = THREE.RepeatWrapping; texture.repeat.set(2, 2); const geometry = new THREE.BoxGeometry(2.4, 2.4, 2.4); const material = new THREE.MeshLambertMaterial({ map: texture }); cube = new THREE.Mesh(geometry, material); scene.add(cube); draw(); }); ``` There's a bit more to take in here, so let's go through it in stages: - We first create a `cube` global variable so we can access our cube from anywhere in the code. - Next, we create a new [`TextureLoader`](https://threejs.org/docs/index.html#api/en/loaders/TextureLoader) object, then call `load()` on it. `load()` takes two parameters in this case (although it can take more): the texture we want to load (our PNG), and a function that will run when the texture has loaded. - Inside this function we use properties of the [`texture`](https://threejs.org/docs/index.html#api/en/textures/Texture) object to specify that we want a 2 x 2 repeat of the image wrapped around all sides of the cube. Next, we create a new [`BoxGeometry`](https://threejs.org/docs/index.html#api/en/geometries/BoxGeometry) object and a new [`MeshLambertMaterial`](https://threejs.org/docs/index.html#api/en/materials/MeshLambertMaterial) object, and bring them together in a [`Mesh`](https://threejs.org/docs/index.html#api/en/objects/Mesh) to create our cube. An object typically requires a geometry (what shape it is) and a material (what its surface looks like). - Last of all, we add our cube to the scene, then call our `draw()` function to start off the animation. 8. Before we get to defining `draw()`, we'll add a couple of lights to the scene, to liven things up a bit; add the following blocks next: ```js const light = new THREE.AmbientLight("rgb(255 255 255)"); // soft white light scene.add(light); const spotLight = new THREE.SpotLight("rgb(255 255 255)"); spotLight.position.set(100, 1000, 1000); spotLight.castShadow = true; scene.add(spotLight); ``` An [`AmbientLight`](https://threejs.org/docs/index.html#api/en/lights/AmbientLight) object is a kind of soft light that lightens the whole scene a bit, like the sun when you are outside. The [`SpotLight`](https://threejs.org/docs/index.html#api/en/lights/SpotLight) object, on the other hand, is a directional beam of light, more like a flashlight/torch (or a spotlight, in fact). 9. Last of all, let's add our `draw()` function to the bottom of the code: ```js function draw() { cube.rotation.x += 0.01; cube.rotation.y += 0.01; renderer.render(scene, camera); requestAnimationFrame(draw); } ``` This is fairly intuitive; on each frame, we rotate our cube slightly on its X and Y axes, then render the scene as viewed by our camera, then finally call `requestAnimationFrame()` to schedule drawing our next frame. Let's have another quick look at what the finished product should look like: {{EmbedGHLiveSample("learning-area/javascript/apis/drawing-graphics/threejs-cube/index.html", '100%', 500)}} You can [find the finished code on GitHub](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/threejs-cube). > **Note:** In our GitHub repo you can also find another interesting 3D cube example β€” [Three.js Video Cube](https://github.com/mdn/learning-area/tree/main/javascript/apis/drawing-graphics/threejs-video-cube) ([see it live also](https://mdn.github.io/learning-area/javascript/apis/drawing-graphics/threejs-video-cube/)). This uses {{domxref("MediaDevices.getUserMedia", "getUserMedia()")}} to take a video stream from a computer web cam and project it onto the side of the cube as a texture! ## Summary At this point, you should have a useful idea of the basics of graphics programming using Canvas and WebGL and what you can do with these APIs, as well as a good idea of where to go for further information. Have fun! ## See also Here we have covered only the real basics of canvas β€” there is so much more to learn! The below articles will take you further. - [Canvas tutorial](/en-US/docs/Web/API/Canvas_API/Tutorial) β€” A very detailed tutorial series explaining what you should know about 2D canvas in much more detail than was covered here. Essential reading. - [WebGL tutorial](/en-US/docs/Web/API/WebGL_API/Tutorial) β€” A series that teaches the basics of raw WebGL programming. - [Building up a basic demo with Three.js](/en-US/docs/Games/Techniques/3D_on_the_web/Building_up_a_basic_demo_with_Three.js) β€” basic Three.js tutorial. We also have equivalent guides for [PlayCanvas](/en-US/docs/Games/Techniques/3D_on_the_web/Building_up_a_basic_demo_with_PlayCanvas) or [Babylon.js](/en-US/docs/Games/Techniques/3D_on_the_web/Building_up_a_basic_demo_with_Babylon.js). - [Game development](/en-US/docs/Games) β€” the landing page for web games development on MDN. There are some really useful tutorials and techniques available here related to 2D and 3D canvas β€” see the Techniques and Tutorials menu options. ## Examples - [Violent theremin](https://github.com/mdn/webaudio-examples/tree/main/violent-theremin) β€” Uses the Web Audio API to generate sound, and canvas to generate a pretty visualization to go along with it. - [Voice change-o-matic](https://github.com/mdn/webaudio-examples/tree/main/voice-change-o-matic) β€” Uses a canvas to visualize real-time audio data from the Web Audio API. {{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Third_party_APIs", "Learn/JavaScript/Client-side_web_APIs/Video_and_audio_APIs", "Learn/JavaScript/Client-side_web_APIs")}}
0
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/introduction/index.md
--- title: Introduction to web APIs slug: Learn/JavaScript/Client-side_web_APIs/Introduction page-type: learn-module-chapter --- {{LearnSidebar}}{{NextMenu("Learn/JavaScript/Client-side_web_APIs/Manipulating_documents", "Learn/JavaScript/Client-side_web_APIs")}} First up, we'll start by looking at APIs from a high level β€” what are they, how do they work, how to use them in your code, and how are they structured? We'll also take a look at what the different main classes of APIs are, and what kind of uses they have. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> A basic understanding of <a href="/en-US/docs/Learn/HTML">HTML</a>, <a href="/en-US/docs/Learn/CSS">CSS</a>, and JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">first steps</a>, <a href="/en-US/docs/Learn/JavaScript/Building_blocks" >building blocks</a >, <a href="/en-US/docs/Learn/JavaScript/Objects">JavaScript objects</a>). </td> </tr> <tr> <th scope="row">Objective:</th> <td> To gain familiarity with APIs, what they can do, and how you can use them in your code. </td> </tr> </tbody> </table> ## What are APIs? Application Programming Interfaces (APIs) are constructs made available in programming languages to allow developers to create complex functionality more easily. They abstract more complex code away from you, providing some easier syntax to use in its place. As a real-world example, think about the electricity supply in your house, apartment, or other dwellings. If you want to use an appliance in your house, you plug it into a plug socket and it works. You don't try to wire it directly into the power supply β€” to do so would be really inefficient and, if you are not an electrician, difficult and dangerous to attempt. ![Two multi-plug holders are plugged into two different plug outlet sockets. Each multi-plug holder has a plug slot on it's top and to it's front side. Two plugs are plugged into each multi-plug holder.](plug-socket.png) _Image source: [Overloaded plug socket](https://www.flickr.com/photos/easy-pics/9518184890/in/photostream/lightbox/) by [The Clear Communication People](https://www.flickr.com/photos/easy-pics/), on Flickr._ In the same way, if you want to say, program some 3D graphics, it is a lot easier to do it using an API written in a higher-level language such as JavaScript or Python, rather than try to directly write low-level code (say C or C++) that directly controls the computer's GPU or other graphics functions. > **Note:** See also the [API glossary entry](/en-US/docs/Glossary/API) for further description. ### APIs in client-side JavaScript Client-side JavaScript, in particular, has many APIs available to it β€” these are not part of the JavaScript language itself, rather they are built on top of the core JavaScript language, providing you with extra superpowers to use in your JavaScript code. They generally fall into two categories: - **Browser APIs** are built into your web browser and are able to expose data from the browser and surrounding computer environment and do useful complex things with it. For example, the [Web Audio API](/en-US/docs/Web/API/Web_Audio_API) provides JavaScript constructs for manipulating audio in the browser β€” taking an audio track, altering its volume, applying effects to it, etc. In the background, the browser is actually using some complex lower-level code (e.g. C++ or Rust) to do the actual audio processing. But again, this complexity is abstracted away from you by the API. - **Third-party APIs** are not built into the browser by default, and you generally have to retrieve their code and information from somewhere on the Web. For example, the [Google Maps API](https://developers.google.com/maps/documentation/javascript) allows you to do things like display an interactive map to your office on your website. It provides a special set of constructs you can use to query the Google Maps service and return specific information. ![A screenshot of the browser with the home page of firefox browser open. There are APIs built into the browser by default. Third party APIs are not built into the browser by default. Their code and information has to be retrieved from somewhere on the web to utilize them.](browser.png) ### Relationship between JavaScript, APIs, and other JavaScript tools So above, we talked about what client-side JavaScript APIs are, and how they relate to the JavaScript language. Let's recap this to make it clearer, and also mention where other JavaScript tools fit in: - JavaScript β€” A high-level scripting language built into browsers that allows you to implement functionality on web pages/apps. Note that JavaScript is also available in other programming environments, such as [Node](/en-US/docs/Learn/Server-side/Express_Nodejs/Introduction). - Browser APIs β€” constructs built into the browser that sits on top of the JavaScript language and allows you to implement functionality more easily. - Third-party APIs β€” constructs built into third-party platforms (e.g. Disqus, Facebook) that allow you to use some of those platform's functionality in your own web pages (for example, display your Disqus comments on a web page). - JavaScript libraries β€” Usually one or more JavaScript files containing [custom functions](/en-US/docs/Learn/JavaScript/Building_blocks/Functions#custom_functions) that you can attach to your web page to speed up or enable writing common functionality. Examples include jQuery, Mootools and React. - JavaScript frameworks β€” The next step up from libraries, JavaScript frameworks (e.g. Angular and Ember) tend to be packages of HTML, CSS, JavaScript, and other technologies that you install and then use to write an entire web application from scratch. The key difference between a library and a framework is "Inversion of Control". When calling a method from a library, the developer is in control. With a framework, the control is inverted: the framework calls the developer's code. ## What can APIs do? There are a huge number of APIs available in modern browsers that allow you to do a wide variety of things in your code. You can see this by taking a look at the [MDN APIs index page](/en-US/docs/Web/API). ### Common browser APIs In particular, the most common categories of browser APIs you'll use (and which we'll cover in this module in greater detail) are: - **APIs for manipulating documents** loaded into the browser. The most obvious example is the [DOM (Document Object Model) API](/en-US/docs/Web/API/Document_Object_Model), which allows you to manipulate HTML and CSS β€” creating, removing and changing HTML, dynamically applying new styles to your page, etc. Every time you see a popup window appear on a page or some new content displayed, for example, that's the DOM in action. Find out more about these types of API in [Manipulating documents](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Manipulating_documents). - **APIs that fetch data from the server** to update small sections of a webpage on their own are very commonly used. This seemingly small detail has had a huge impact on the performance and behavior of sites β€” if you just need to update a stock listing or list of available new stories, doing it instantly without having to reload the whole entire page from the server can make the site or app feel much more responsive and "snappy". The main API used for this is the [Fetch API](/en-US/docs/Web/API/Fetch_API), although older code might still use the [`XMLHttpRequest`](/en-US/docs/Web/API/XMLHttpRequest) API. You may also come across the term **Ajax**, which describes this technique. Find out more about such APIs in [Fetching data from the server](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Fetching_data). - **APIs for drawing and manipulating graphics** are widely supported in browsers β€” the most popular ones are [Canvas](/en-US/docs/Web/API/Canvas_API) and [WebGL](/en-US/docs/Web/API/WebGL_API), which allow you to programmatically update the pixel data contained in an HTML {{htmlelement("canvas")}} element to create 2D and 3D scenes. For example, you might draw shapes such as rectangles or circles, import an image onto the canvas, and apply a filter to it such as sepia or grayscale using the Canvas API, or create a complex 3D scene with lighting and textures using WebGL. Such APIs are often combined with APIs for creating animation loops (such as {{domxref("window.requestAnimationFrame()")}}) and others to make constantly updating scenes like cartoons and games. - **[Audio and Video APIs](/en-US/docs/Web/Media/Audio_and_video_delivery)** like {{domxref("HTMLMediaElement")}}, the [Web Audio API](/en-US/docs/Web/API/Web_Audio_API), and [WebRTC](/en-US/docs/Web/API/WebRTC_API) allow you to do really interesting things with multimedia such as creating custom UI controls for playing audio and video, displaying text tracks like captions and subtitles along with your videos, grabbing video from your web camera to be manipulated via a canvas (see above) or displayed on someone else's computer in a web conference, or adding effects to audio tracks (such as gain, distortion, panning, etc.). - **Device APIs** enable you to interact with device hardware: for example, accessing the device GPS to find the user's position using the [Geolocation API](/en-US/docs/Web/API/Geolocation_API). - **Client-side storage APIs** enable you to store data on the client-side, so you can create an app that will save its state between page loads, and perhaps even work when the device is offline. There are several options available, e.g. simple name/value storage with the [Web Storage API](/en-US/docs/Web/API/Web_Storage_API), and more complex database storage with the [IndexedDB API](/en-US/docs/Web/API/IndexedDB_API). ### Common third-party APIs Third-party APIs come in a large variety; some of the more popular ones that you are likely to make use of sooner or later are: - Map APIs, like [Mapquest](https://developer.mapquest.com/) and the [Google Maps API](https://developers.google.com/maps/), which allow you to do all sorts of things with maps on your web pages. - The [Facebook suite of APIs](https://developers.facebook.com/docs/), which enables you to use various parts of the Facebook ecosystem to benefit your app, such as by providing app login using Facebook login, accepting in-app payments, rolling out targeted ad campaigns, etc. - The [Telegram APIs](https://core.telegram.org/api), which allows you to embed content from Telegram channels on your website, in addition to providing support for bots. - The [YouTube API](https://developers.google.com/youtube/), which allows you to embed YouTube videos on your site, search YouTube, build playlists, and more. - The [Pinterest API](https://developers.pinterest.com/), which provides tools to manage Pinterest boards and pins to include them in your website. - The [Twilio API](https://www.twilio.com/docs), which provides a framework for building voice and video call functionality into your app, sending SMS/MMS from your apps, and more. - The [Disqus API](https://disqus.com/api/docs/), which provides a commenting platform that can be integrated into your site. - The [Mastodon API](https://docs.joinmastodon.org/api/), which enables you to manipulate features of the Mastodon social network programmatically. - The [IFTTT API](https://ifttt.com/developers), which enables integrating multiple APIs through one platform. ## How do APIs work? Different JavaScript APIs work in slightly different ways, but generally, they have common features and similar themes to how they work. ### They are based on objects Your code interacts with APIs using one or more [JavaScript objects](/en-US/docs/Learn/JavaScript/Objects), which serve as containers for the data the API uses (contained in object properties), and the functionality the API makes available (contained in object methods). > **Note:** If you are not already familiar with how objects work, you should go back and work through our [JavaScript objects](/en-US/docs/Learn/JavaScript/Objects) module before continuing. Let's return to the example of the Web Audio API β€” this is a fairly complex API, which consists of a number of objects. The most obvious ones are: - {{domxref("AudioContext")}}, which represents an [audio graph](/en-US/docs/Web/API/Web_Audio_API/Basic_concepts_behind_Web_Audio_API#audio_graphs) that can be used to manipulate audio playing inside the browser, and has a number of methods and properties available to manipulate that audio. - {{domxref("MediaElementAudioSourceNode")}}, which represents an {{htmlelement("audio")}} element containing sound you want to play and manipulate inside the audio context. - {{domxref("AudioDestinationNode")}}, which represents the destination of the audio, i.e. the device on your computer that will actually output it β€” usually your speakers or headphones. So how do these objects interact? If you look at our [simple web audio example](https://github.com/mdn/learning-area/blob/main/javascript/apis/introduction/web-audio/index.html) ([see it live also](https://mdn.github.io/learning-area/javascript/apis/introduction/web-audio/)), you'll first see the following HTML: ```html <audio src="outfoxing.mp3"></audio> <button class="paused">Play</button> <br /> <input type="range" min="0" max="1" step="0.01" value="1" class="volume" /> ``` We, first of all, include an `<audio>` element with which we embed an MP3 into the page. We don't include any default browser controls. Next, we include a {{htmlelement("button")}} that we'll use to play and stop the music, and an {{htmlelement("input")}} element of type range, which we'll use to adjust the volume of the track while it's playing. Next, let's look at the JavaScript for this example. We start by creating an `AudioContext` instance inside which to manipulate our track: ```js const AudioContext = window.AudioContext || window.webkitAudioContext; const audioCtx = new AudioContext(); ``` Next, we create constants that store references to our `<audio>`, `<button>`, and `<input>` elements, and use the {{domxref("AudioContext.createMediaElementSource()")}} method to create a `MediaElementAudioSourceNode` representing the source of our audio β€” the `<audio>` element will be played from: ```js const audioElement = document.querySelector("audio"); const playBtn = document.querySelector("button"); const volumeSlider = document.querySelector(".volume"); const audioSource = audioCtx.createMediaElementSource(audioElement); ``` Next up we include a couple of event handlers that serve to toggle between play and pause when the button is pressed and reset the display back to the beginning when the song has finished playing: ```js // play/pause audio playBtn.addEventListener("click", () => { // check if context is in suspended state (autoplay policy) if (audioCtx.state === "suspended") { audioCtx.resume(); } // if track is stopped, play it if (playBtn.getAttribute("class") === "paused") { audioElement.play(); playBtn.setAttribute("class", "playing"); playBtn.textContent = "Pause"; // if track is playing, stop it } else if (playBtn.getAttribute("class") === "playing") { audioElement.pause(); playBtn.setAttribute("class", "paused"); playBtn.textContent = "Play"; } }); // if track ends audioElement.addEventListener("ended", () => { playBtn.setAttribute("class", "paused"); playBtn.textContent = "Play"; }); ``` > **Note:** Some of you may notice that the `play()` and `pause()` methods being used to play and pause the track are not part of the Web Audio API; they are part of the {{domxref("HTMLMediaElement")}} API, which is different but closely-related. Next, we create a {{domxref("GainNode")}} object using the {{domxref("BaseAudioContext/createGain", "AudioContext.createGain()")}} method, which can be used to adjust the volume of audio fed through it, and create another event handler that changes the value of the audio graph's gain (volume) whenever the slider value is changed: ```js // volume const gainNode = audioCtx.createGain(); volumeSlider.addEventListener("input", () => { gainNode.gain.value = volumeSlider.value; }); ``` The final thing to do to get this to work is to connect the different nodes in the audio graph up, which is done using the {{domxref("AudioNode.connect()")}} method available on every node type: ```js audioSource.connect(gainNode).connect(audioCtx.destination); ``` The audio starts in the source, which is then connected to the gain node so the audio's volume can be adjusted. The gain node is then connected to the destination node so the sound can be played on your computer (the {{domxref("BaseAudioContext/destination", "AudioContext.destination")}} property represents whatever is the default {{domxref("AudioDestinationNode")}} available on your computer's hardware, e.g. your speakers). ### They have recognizable entry points When using an API, you should make sure you know where the entry point is for the API. In The Web Audio API, this is pretty simple β€” it is the {{domxref("AudioContext")}} object, which needs to be used to do any audio manipulation whatsoever. The Document Object Model (DOM) API also has a simple entry point β€” its features tend to be found hanging off the {{domxref("Document")}} object, or an instance of an HTML element that you want to affect in some way, for example: ```js const em = document.createElement("em"); // create a new em element const para = document.querySelector("p"); // reference an existing p element em.textContent = "Hello there!"; // give em some text content para.appendChild(em); // embed em inside para ``` The [Canvas API](/en-US/docs/Web/API/Canvas_API) also relies on getting a context object to use to manipulate things, although in this case, it's a graphical context rather than an audio context. Its context object is created by getting a reference to the {{htmlelement("canvas")}} element you want to draw on, and then calling its {{domxref("HTMLCanvasElement.getContext()")}} method: ```js const canvas = document.querySelector("canvas"); const ctx = canvas.getContext("2d"); ``` Anything that we want to do to the canvas is then achieved by calling properties and methods of the context object (which is an instance of {{domxref("CanvasRenderingContext2D")}}), for example: ```js Ball.prototype.draw = function () { ctx.beginPath(); ctx.fillStyle = this.color; ctx.arc(this.x, this.y, this.size, 0, 2 * Math.PI); ctx.fill(); }; ``` > **Note:** You can see this code in action in our [bouncing balls demo](https://github.com/mdn/learning-area/blob/main/javascript/apis/introduction/bouncing-balls.html) (see it [running live](https://mdn.github.io/learning-area/javascript/apis/introduction/bouncing-balls.html) also). ### They often use events to handle changes in state We already discussed events earlier on in the course in our [Introduction to events](/en-US/docs/Learn/JavaScript/Building_blocks/Events) article, which looks in detail at what client-side web events are and how they are used in your code. If you are not already familiar with how client-side web API events work, you should go and read this article first before continuing. Some web APIs contain no events, but most contain at least a few. The handler properties that allow us to run functions when events fire are generally listed in our reference material in separate "Event handlers" sections. We already saw a number of event handlers in use in our Web Audio API example above: ```js // play/pause audio playBtn.addEventListener("click", () => { // check if context is in suspended state (autoplay policy) if (audioCtx.state === "suspended") { audioCtx.resume(); } // if track is stopped, play it if (playBtn.getAttribute("class") === "paused") { audioElement.play(); playBtn.setAttribute("class", "playing"); playBtn.textContent = "Pause"; // if track is playing, stop it } else if (playBtn.getAttribute("class") === "playing") { audioElement.pause(); playBtn.setAttribute("class", "paused"); playBtn.textContent = "Play"; } }); // if track ends audioElement.addEventListener("ended", () => { playBtn.setAttribute("class", "paused"); playBtn.textContent = "Play"; }); ``` ### They have additional security mechanisms where appropriate WebAPI features are subject to the same security considerations as JavaScript and other web technologies (for example [same-origin policy](/en-US/docs/Web/Security/Same-origin_policy)), but they sometimes have additional security mechanisms in place. For example, some of the more modern WebAPIs will only work on pages served over HTTPS due to them transmitting potentially sensitive data (examples include [Service Workers](/en-US/docs/Web/API/Service_Worker_API) and [Push](/en-US/docs/Web/API/Push_API)). In addition, some WebAPIs request permission to be enabled from the user once calls to them are made in your code. As an example, the [Notifications API](/en-US/docs/Web/API/Notifications_API) asks for permission using a pop-up dialog box: ![A screenshot of the notifications pop-up dialog provided by the Notifications API of the browser. 'mdn.github.io' website is asking for permissions to push notifications to the user-agent with an X to close the dialog and drop-down menu of options with 'always receive notifications' selected by default.](notification-permission.png) The Web Audio and {{domxref("HTMLMediaElement")}} APIs are subject to a security mechanism called [autoplay policy](/en-US/docs/Web/API/Web_Audio_API/Best_practices#autoplay_policy) β€” this basically means that you can't automatically play audio when a page loads β€” you've got to allow your users to initiate audio play through a control like a button. This is done because autoplaying audio is usually really annoying and we really shouldn't be subjecting our users to it. > **Note:** Depending on how strict the browser is, such security mechanisms might even stop the example from working locally, i.e. if you load the local example file in your browser instead of running it from a web server. At the time of writing, our Web Audio API example wouldn't work locally on Google Chrome β€” we had to upload it to GitHub before it would work. ## Summary At this point, you should have a good idea of what APIs are, how they work, and what you can do with them in your JavaScript code. You are probably excited to start actually doing some fun things with specific APIs, so let's go! Next up, we'll look at manipulating documents with the Document Object Model (DOM). {{NextMenu("Learn/JavaScript/Client-side_web_APIs/Manipulating_documents", "Learn/JavaScript/Client-side_web_APIs")}}
0
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/client-side_storage/index.md
--- title: Client-side storage slug: Learn/JavaScript/Client-side_web_APIs/Client-side_storage page-type: learn-module-chapter --- {{LearnSidebar}} {{PreviousMenu("Learn/JavaScript/Client-side_web_APIs/Video_and_audio_APIs", "Learn/JavaScript/Client-side_web_APIs")}} Modern web browsers support a number of ways for websites to store data on the user's computer β€” with the user's permission β€” then retrieve it when necessary. This lets you persist data for long-term storage, save sites or documents for offline use, retain user-specific settings for your site, and more. This article explains the very basics of how these work. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">first steps</a>, <a href="/en-US/docs/Learn/JavaScript/Building_blocks" >building blocks</a >, <a href="/en-US/docs/Learn/JavaScript/Objects">JavaScript objects</a>), the <a href="/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Introduction" >basics of Client-side APIs</a > </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn how to use client-side storage APIs to store application data. </td> </tr> </tbody> </table> ## Client-side storage? Elsewhere in the MDN learning area, we talked about the difference between [static sites](/en-US/docs/Learn/Server-side/First_steps/Client-Server_overview#static_sites) and [dynamic sites](/en-US/docs/Learn/Server-side/First_steps/Client-Server_overview#dynamic_sites). Most major modern websites are dynamic β€” they store data on the server using some kind of database (server-side storage), then run [server-side](/en-US/docs/Learn/Server-side) code to retrieve needed data, insert it into static page templates, and serve the resulting HTML to the client to be displayed by the user's browser. Client-side storage works on similar principles, but has different uses. It consists of JavaScript APIs that allow you to store data on the client (i.e. on the user's machine) and then retrieve it when needed. This has many distinct uses, such as: - Personalizing site preferences (e.g. showing a user's choice of custom widgets, color scheme, or font size). - Persisting previous site activity (e.g. storing the contents of a shopping cart from a previous session, remembering if a user was previously logged in). - Saving data and assets locally so a site will be quicker (and potentially less expensive) to download, or be usable without a network connection. - Saving web application generated documents locally for use offline Often client-side and server-side storage are used together. For example, you could download a batch of music files (perhaps used by a web game or music player application), store them inside a client-side database, and play them as needed. The user would only have to download the music files once β€” on subsequent visits they would be retrieved from the database instead. > **Note:** There are limits to the amount of data you can store using client-side storage APIs (possibly both per individual API and cumulatively); the exact limit varies depending on the browser and possibly based on user settings. See [Browser storage quotas and eviction criteria](/en-US/docs/Web/API/Storage_API/Storage_quotas_and_eviction_criteria) for more information. ### Old school: Cookies The concept of client-side storage has been around for a long time. Since the early days of the web, sites have used [cookies](/en-US/docs/Web/HTTP/Cookies) to store information to personalize user experience on websites. They're the earliest form of client-side storage commonly used on the web. These days, there are easier mechanisms available for storing client-side data, therefore we won't be teaching you how to use cookies in this article. However, this does not mean cookies are completely useless on the modern-day web β€” they are still used commonly to store data related to user personalization and state, e.g. session IDs and access tokens. For more information on cookies see our [Using HTTP cookies](/en-US/docs/Web/HTTP/Cookies) article. ### New school: Web Storage and IndexedDB The "easier" features we mentioned above are as follows: - The [Web Storage API](/en-US/docs/Web/API/Web_Storage_API) provides a mechanism for storing and retrieving smaller, data items consisting of a name and a corresponding value. This is useful when you just need to store some simple data, like the user's name, whether they are logged in, what color to use for the background of the screen, etc. - The [IndexedDB API](/en-US/docs/Web/API/IndexedDB_API) provides the browser with a complete database system for storing complex data. This can be used for things from complete sets of customer records to even complex data types like audio or video files. You'll learn more about these APIs below. ### The Cache API The {{domxref("Cache")}} API is designed for storing HTTP responses to specific requests, and is very useful for doing things like storing website assets offline so the site can subsequently be used without a network connection. Cache is usually used in combination with the [Service Worker API](/en-US/docs/Web/API/Service_Worker_API), although it doesn't have to be. The use of Cache and Service Workers is an advanced topic, and we won't be covering it in great detail in this article, although we will show an example in the [Offline asset storage](#offline_asset_storage) section below. ## Storing simple data β€” web storage The [Web Storage API](/en-US/docs/Web/API/Web_Storage_API) is very easy to use β€” you store simple name/value pairs of data (limited to strings, numbers, etc.) and retrieve these values when needed. ### Basic syntax Let's show you how: 1. First, go to our [web storage blank template](https://mdn.github.io/learning-area/javascript/apis/client-side-storage/web-storage/index.html) on GitHub (open this in a new tab). 2. Open the JavaScript console of your browser's developer tools. 3. All of your web storage data is contained within two object-like structures inside the browser: {{domxref("Window.sessionStorage", "sessionStorage")}} and {{domxref("Window.localStorage", "localStorage")}}. The first one persists data for as long as the browser is open (the data is lost when the browser is closed) and the second one persists data even after the browser is closed and then opened again. We'll use the second one in this article as it is generally more useful. The {{domxref("Storage.setItem()")}} method allows you to save a data item in storage β€” it takes two parameters: the name of the item, and its value. Try typing this into your JavaScript console (change the value to your own name, if you wish!): ```js localStorage.setItem("name", "Chris"); ``` 4. The {{domxref("Storage.getItem()")}} method takes one parameter β€” the name of a data item you want to retrieve β€” and returns the item's value. Now type these lines into your JavaScript console: ```js let myName = localStorage.getItem("name"); myName; ``` Upon typing in the second line, you should see that the `myName` variable now contains the value of the `name` data item. 5. The {{domxref("Storage.removeItem()")}} method takes one parameter β€” the name of a data item you want to remove β€” and removes that item out of web storage. Type the following lines into your JavaScript console: ```js localStorage.removeItem("name"); myName = localStorage.getItem("name"); myName; ``` The third line should now return `null` β€” the `name` item no longer exists in the web storage. ### The data persists! One key feature of web storage is that the data persists between page loads (and even when the browser is shut down, in the case of `localStorage`). Let's look at this in action. 1. Open our web storage blank template again, but this time in a different browser to the one you've got this tutorial open in! This will make it easier to deal with. 2. Type these lines into the browser's JavaScript console: ```js localStorage.setItem("name", "Chris"); let myName = localStorage.getItem("name"); myName; ``` You should see the name item returned. 3. Now close down the browser and open it up again. 4. Enter the following lines again: ```js let myName = localStorage.getItem("name"); myName; ``` You should see that the value is still available, even though the browser has been closed and then opened again. ### Separate storage for each domain There is a separate data store for each domain (each separate web address loaded in the browser). You will see that if you load two websites (say google.com and amazon.com) and try storing an item on one website, it won't be available to the other website. This makes sense β€” you can imagine the security issues that would arise if websites could see each other's data! ### A more involved example Let's apply this new-found knowledge by writing a working example to give you an idea of how web storage can be used. Our example will allow you to enter a name, after which the page will update to give you a personalized greeting. This state will also persist across page/browser reloads, because the name is stored in web storage. You can find the example HTML at [personal-greeting.html](https://github.com/mdn/learning-area/blob/main/javascript/apis/client-side-storage/web-storage/personal-greeting.html) β€” this contains a website with a header, content, and footer, and a form for entering your name. ![A Screenshot of a website that has a header, content and footer sections. The header has a welcome text to the left-hand side and a button labelled 'forget' to the right-hand side. The content has an heading followed by a two paragraphs of dummy text. The footer reads 'Copyright nobody. Use the code as you like'.](web-storage-demo.png) Let's build up the example, so you can understand how it works. 1. First, make a local copy of our [personal-greeting.html](https://github.com/mdn/learning-area/blob/main/javascript/apis/client-side-storage/web-storage/personal-greeting.html) file in a new directory on your computer. 2. Next, note how our HTML references a JavaScript file called `index.js`, with a line like `<script src="index.js" defer></script>`. We need to create this and write our JavaScript code into it. Create an `index.js` file in the same directory as your HTML file. 3. We'll start off by creating references to all the HTML features we need to manipulate in this example β€” we'll create them all as constants, as these references do not need to change in the lifecycle of the app. Add the following lines to your JavaScript file: ```js // create needed constants const rememberDiv = document.querySelector(".remember"); const forgetDiv = document.querySelector(".forget"); const form = document.querySelector("form"); const nameInput = document.querySelector("#entername"); const submitBtn = document.querySelector("#submitname"); const forgetBtn = document.querySelector("#forgetname"); const h1 = document.querySelector("h1"); const personalGreeting = document.querySelector(".personal-greeting"); ``` 4. Next up, we need to include a small event listener to stop the form from actually submitting itself when the submit button is pressed, as this is not the behavior we want. Add this snippet below your previous code: ```js // Stop the form from submitting when a button is pressed form.addEventListener("submit", (e) => e.preventDefault()); ``` 5. Now we need to add an event listener, the handler function of which will run when the "Say hello" button is clicked. The comments explain in detail what each bit does, but in essence here we are taking the name the user has entered into the text input box and saving it in web storage using `setItem()`, then running a function called `nameDisplayCheck()` that will handle updating the actual website text. Add this to the bottom of your code: ```js // run function when the 'Say hello' button is clicked submitBtn.addEventListener("click", () => { // store the entered name in web storage localStorage.setItem("name", nameInput.value); // run nameDisplayCheck() to sort out displaying the personalized greetings and updating the form display nameDisplayCheck(); }); ``` 6. At this point we also need an event handler to run a function when the "Forget" button is clicked β€” this is only displayed after the "Say hello" button has been clicked (the two form states toggle back and forth). In this function we remove the `name` item from web storage using `removeItem()`, then again run `nameDisplayCheck()` to update the display. Add this to the bottom: ```js // run function when the 'Forget' button is clicked forgetBtn.addEventListener("click", () => { // Remove the stored name from web storage localStorage.removeItem("name"); // run nameDisplayCheck() to sort out displaying the generic greeting again and updating the form display nameDisplayCheck(); }); ``` 7. It is now time to define the `nameDisplayCheck()` function itself. Here we check whether the name item has been stored in web storage by using `localStorage.getItem('name')` as a conditional test. If the name has been stored, this call will evaluate to `true`; if not, the call will evaluate to `false`. If the call evaluates to `true`, we display a personalized greeting, display the "forget" part of the form, and hide the "Say hello" part of the form. If the call evaluates to `false`, we display a generic greeting and do the opposite. Again, put the following code at the bottom: ```js // define the nameDisplayCheck() function function nameDisplayCheck() { // check whether the 'name' data item is stored in web Storage if (localStorage.getItem("name")) { // If it is, display personalized greeting const name = localStorage.getItem("name"); h1.textContent = `Welcome, ${name}`; personalGreeting.textContent = `Welcome to our website, ${name}! We hope you have fun while you are here.`; // hide the 'remember' part of the form and show the 'forget' part forgetDiv.style.display = "block"; rememberDiv.style.display = "none"; } else { // if not, display generic greeting h1.textContent = "Welcome to our website "; personalGreeting.textContent = "Welcome to our website. We hope you have fun while you are here."; // hide the 'forget' part of the form and show the 'remember' part forgetDiv.style.display = "none"; rememberDiv.style.display = "block"; } } ``` 8. Last but not least, we need to run the `nameDisplayCheck()` function when the page is loaded. If we don't do this, then the personalized greeting will not persist across page reloads. Add the following to the bottom of your code: ```js nameDisplayCheck(); ``` Your example is finished β€” well done! All that remains now is to save your code and test your HTML page in a browser. You can see our [finished version running live here](https://mdn.github.io/learning-area/javascript/apis/client-side-storage/web-storage/personal-greeting.html). > **Note:** There is another, slightly more complex example to explore at [Using the Web Storage API](/en-US/docs/Web/API/Web_Storage_API/Using_the_Web_Storage_API). > **Note:** In the line `<script src="index.js" defer></script>` of the source for our finished version, the `defer` attribute specifies that the contents of the {{htmlelement("script")}} element will not execute until the page has finished loading. ## Storing complex data β€” IndexedDB The [IndexedDB API](/en-US/docs/Web/API/IndexedDB_API) (sometimes abbreviated IDB) is a complete database system available in the browser in which you can store complex related data, the types of which aren't limited to simple values like strings or numbers. You can store videos, images, and pretty much anything else in an IndexedDB instance. The IndexedDB API allows you to create a database, then create object stores within that database. Object stores are like tables in a relational database, and each object store can contain a number of objects. To learn more about the IndexedDB API, see [Using IndexedDB](/en-US/docs/Web/API/IndexedDB_API/Using_IndexedDB). However, this does come at a cost: IndexedDB is much more complex to use than the Web Storage API. In this section, we'll really only scratch the surface of what it is capable of, but we will give you enough to get started. ### Working through a note storage example Here we'll run you through an example that allows you to store notes in your browser and view and delete them whenever you like, getting you to build it up for yourself and explaining the most fundamental parts of IDB as we go along. The app looks something like this: ![IndexDB notes demo screenshot with 4 sections. The first section is the header. The second section lists all the notes that have been created. It has two notes, each with a delete button. A third section is a form with 2 input fields for 'Note title' and 'Note text' and a button labeled 'Create new note'. The bottom section footer reads 'Copyright nobody. Use the code as you like'.](idb-demo.png) Each note has a title and some body text, each individually editable. The JavaScript code we'll go through below has detailed comments to help you understand what's going on. ### Getting started 1. First of all, make local copies of our [`index.html`](https://github.com/mdn/learning-area/blob/main/javascript/apis/client-side-storage/indexeddb/notes/index.html), [`style.css`](https://github.com/mdn/learning-area/blob/main/javascript/apis/client-side-storage/indexeddb/notes/style.css), and [`index-start.js`](https://github.com/mdn/learning-area/blob/main/javascript/apis/client-side-storage/indexeddb/notes/index-start.js) files into a new directory on your local machine. 2. Have a look at the files. You'll see that the HTML defines a website with a header and footer, as well as a main content area that contains a place to display notes, and a form for entering new notes into the database. The CSS provides some styling to make it clearer what is going on. The JavaScript file contains five declared constants containing references to the {{htmlelement("ul")}} element the notes will be displayed in, the title and body {{htmlelement("input")}} elements, the {{htmlelement("form")}} itself, and the {{htmlelement("button")}}. 3. Rename your JavaScript file to `index.js`. You are now ready to start adding code to it. ### Database initial setup Now let's look at what we have to do in the first place, to actually set up a database. 1. Below the constant declarations, add the following lines: ```js // Create an instance of a db object for us to store the open database in let db; ``` Here we are declaring a variable called `db` β€” this will later be used to store an object representing our database. We will use this in a few places, so we've declared it globally here to make things easier. 2. Next, add the following: ```js // Open our database; it is created if it doesn't already exist // (see the upgradeneeded handler below) const openRequest = window.indexedDB.open("notes_db", 1); ``` This line creates a request to open version `1` of a database called `notes_db`. If this doesn't already exist, it will be created for you by subsequent code. You will see this request pattern used very often throughout IndexedDB. Database operations take time. You don't want to hang the browser while you wait for the results, so database operations are {{Glossary("asynchronous")}}, meaning that instead of happening immediately, they will happen at some point in the future, and you get notified when they're done. To handle this in IndexedDB, you create a request object (which can be called anything you like β€” we called it `openRequest` here, so it is obvious what it is for). You then use event handlers to run code when the request completes, fails, etc., which you'll see in use below. > **Note:** The version number is important. If you want to upgrade your database (for example, by changing the table structure), you have to run your code again with an increased version number, different schema specified inside the `upgradeneeded` handler (see below), etc. We won't cover upgrading databases in this tutorial. 3. Now add the following event handlers just below your previous addition: ```js // error handler signifies that the database didn't open successfully openRequest.addEventListener("error", () => console.error("Database failed to open"), ); // success handler signifies that the database opened successfully openRequest.addEventListener("success", () => { console.log("Database opened successfully"); // Store the opened database object in the db variable. This is used a lot below db = openRequest.result; // Run the displayData() function to display the notes already in the IDB displayData(); }); ``` The {{domxref("IDBRequest/error_event", "error")}} event handler will run if the system comes back saying that the request failed. This allows you to respond to this problem. In our example, we just print a message to the JavaScript console. The {{domxref("IDBRequest/success_event", "success")}} event handler will run if the request returns successfully, meaning the database was successfully opened. If this is the case, an object representing the opened database becomes available in the {{domxref("IDBRequest.result", "openRequest.result")}} property, allowing us to manipulate the database. We store this in the `db` variable we created earlier for later use. We also run a function called `displayData()`, which displays the data in the database inside the {{HTMLElement("ul")}}. We run it now so that the notes already in the database are displayed as soon as the page loads. You'll see `displayData()` defined later on. 4. Finally for this section, we'll add probably the most important event handler for setting up the database: {{domxref("IDBOpenDBRequest/upgradeneeded_event", "upgradeneeded")}}. This handler runs if the database has not already been set up, or if the database is opened with a bigger version number than the existing stored database (when performing an upgrade). Add the following code, below your previous handler: ```js // Set up the database tables if this has not already been done openRequest.addEventListener("upgradeneeded", (e) => { // Grab a reference to the opened database db = e.target.result; // Create an objectStore in our database to store notes and an auto-incrementing key // An objectStore is similar to a 'table' in a relational database const objectStore = db.createObjectStore("notes_os", { keyPath: "id", autoIncrement: true, }); // Define what data items the objectStore will contain objectStore.createIndex("title", "title", { unique: false }); objectStore.createIndex("body", "body", { unique: false }); console.log("Database setup complete"); }); ``` This is where we define the schema (structure) of our database; that is, the set of columns (or fields) it contains. Here we first grab a reference to the existing database from the `result` property of the event's target (`e.target.result`), which is the `request` object. This is equivalent to the line `db = openRequest.result;` inside the `success` event handler, but we need to do this separately here because the `upgradeneeded` event handler (if needed) will run before the `success` event handler, meaning that the `db` value wouldn't be available if we didn't do this. We then use {{domxref("IDBDatabase.createObjectStore()")}} to create a new object store inside our opened database called `notes_os`. This is equivalent to a single table in a conventional database system. We've given it the name notes, and also specified an `autoIncrement` key field called `id` β€” in each new record this will automatically be given an incremented value β€” the developer doesn't need to set this explicitly. Being the key, the `id` field will be used to uniquely identify records, such as when deleting or displaying a record. We also create two other indexes (fields) using the {{domxref("IDBObjectStore.createIndex()")}} method: `title` (which will contain a title for each note), and `body` (which will contain the body text of the note). So with this database schema set up, when we start adding records to the database, each one will be represented as an object along these lines: ```json { "title": "Buy milk", "body": "Need both cows milk and soy.", "id": 8 } ``` ### Adding data to the database Now let's look at how we can add records to the database. This will be done using the form on our page. Below your previous event handler, add the following line, which sets up a `submit` event handler that runs a function called `addData()` when the form is submitted (when the submit {{htmlelement("button")}} is pressed leading to a successful form submission): ```js // Create a submit event handler so that when the form is submitted the addData() function is run form.addEventListener("submit", addData); ``` Now let's define the `addData()` function. Add this below your previous line: ```js // Define the addData() function function addData(e) { // prevent default - we don't want the form to submit in the conventional way e.preventDefault(); // grab the values entered into the form fields and store them in an object ready for being inserted into the DB const newItem = { title: titleInput.value, body: bodyInput.value }; // open a read/write db transaction, ready for adding the data const transaction = db.transaction(["notes_os"], "readwrite"); // call an object store that's already been added to the database const objectStore = transaction.objectStore("notes_os"); // Make a request to add our newItem object to the object store const addRequest = objectStore.add(newItem); addRequest.addEventListener("success", () => { // Clear the form, ready for adding the next entry titleInput.value = ""; bodyInput.value = ""; }); // Report on the success of the transaction completing, when everything is done transaction.addEventListener("complete", () => { console.log("Transaction completed: database modification finished."); // update the display of data to show the newly added item, by running displayData() again. displayData(); }); transaction.addEventListener("error", () => console.log("Transaction not opened due to error"), ); } ``` This is quite complex; breaking it down, we: - Run {{domxref("Event.preventDefault()")}} on the event object to stop the form actually submitting in the conventional manner (this would cause a page refresh and spoil the experience). - Create an object representing a record to enter into the database, populating it with values from the form inputs. Note that we don't have to explicitly include an `id` value β€” as we explained earlier, this is auto-populated. - Open a `readwrite` transaction against the `notes_os` object store using the {{domxref("IDBDatabase.transaction()")}} method. This transaction object allows us to access the object store so we can do something to it, e.g. add a new record. - Access the object store using the {{domxref("IDBTransaction.objectStore()")}} method, saving the result in the `objectStore` variable. - Add the new record to the database using {{domxref("IDBObjectStore.add()")}}. This creates a request object, in the same fashion as we've seen before. - Add a bunch of event handlers to the `request` and the `transaction` objects to run code at critical points in the lifecycle. Once the request has succeeded, we clear the form inputs ready for entering the next note. Once the transaction has completed, we run the `displayData()` function again to update the display of notes on the page. ### Displaying the data We've referenced `displayData()` twice in our code already, so we'd probably better define it. Add this to your code, below the previous function definition: ```js // Define the displayData() function function displayData() { // Here we empty the contents of the list element each time the display is updated // If you didn't do this, you'd get duplicates listed each time a new note is added while (list.firstChild) { list.removeChild(list.firstChild); } // Open our object store and then get a cursor - which iterates through all the // different data items in the store const objectStore = db.transaction("notes_os").objectStore("notes_os"); objectStore.openCursor().addEventListener("success", (e) => { // Get a reference to the cursor const cursor = e.target.result; // If there is still another data item to iterate through, keep running this code if (cursor) { // Create a list item, h3, and p to put each data item inside when displaying it // structure the HTML fragment, and append it inside the list const listItem = document.createElement("li"); const h3 = document.createElement("h3"); const para = document.createElement("p"); listItem.appendChild(h3); listItem.appendChild(para); list.appendChild(listItem); // Put the data from the cursor inside the h3 and para h3.textContent = cursor.value.title; para.textContent = cursor.value.body; // Store the ID of the data item inside an attribute on the listItem, so we know // which item it corresponds to. This will be useful later when we want to delete items listItem.setAttribute("data-note-id", cursor.value.id); // Create a button and place it inside each listItem const deleteBtn = document.createElement("button"); listItem.appendChild(deleteBtn); deleteBtn.textContent = "Delete"; // Set an event handler so that when the button is clicked, the deleteItem() // function is run deleteBtn.addEventListener("click", deleteItem); // Iterate to the next item in the cursor cursor.continue(); } else { // Again, if list item is empty, display a 'No notes stored' message if (!list.firstChild) { const listItem = document.createElement("li"); listItem.textContent = "No notes stored."; list.appendChild(listItem); } // if there are no more cursor items to iterate through, say so console.log("Notes all displayed"); } }); } ``` Again, let's break this down: - First, we empty out the {{htmlelement("ul")}} element's content, before then filling it with the updated content. If you didn't do this, you'd end up with a huge list of duplicated content being added to with each update. - Next, we get a reference to the `notes_os` object store using {{domxref("IDBDatabase.transaction()")}} and {{domxref("IDBTransaction.objectStore()")}} like we did in `addData()`, except here we are chaining them together in one line. - The next step is to use the {{domxref("IDBObjectStore.openCursor()")}} method to open a request for a cursor β€” this is a construct that can be used to iterate over the records in an object store. We chain a `success` event handler onto the end of this line to make the code more concise β€” when the cursor is successfully returned, the handler is run. - We get a reference to the cursor itself (an {{domxref("IDBCursor")}} object) using `const cursor = e.target.result`. - Next, we check to see if the cursor contains a record from the datastore (`if (cursor){ }`) β€” if so, we create a DOM fragment, populate it with the data from the record, and insert it into the page (inside the `<ul>` element). We also include a delete button that, when clicked, will delete that note by running the `deleteItem()` function, which we will look at in the next section. - At the end of the `if` block, we use the {{domxref("IDBCursor.continue()")}} method to advance the cursor to the next record in the datastore, and run the content of the `if` block again. If there is another record to iterate to, this causes it to be inserted into the page, and then `continue()` is run again, and so on. - When there are no more records to iterate over, `cursor` will return `undefined`, and therefore the `else` block will run instead of the `if` block. This block checks whether any notes were inserted into the `<ul>` β€” if not, it inserts a message to say no note was stored. ### Deleting a note As stated above, when a note's delete button is pressed, the note is deleted. This is achieved by the `deleteItem()` function, which looks like so: ```js // Define the deleteItem() function function deleteItem(e) { // retrieve the name of the task we want to delete. We need // to convert it to a number before trying to use it with IDB; IDB key // values are type-sensitive. const noteId = Number(e.target.parentNode.getAttribute("data-note-id")); // open a database transaction and delete the task, finding it using the id we retrieved above const transaction = db.transaction(["notes_os"], "readwrite"); const objectStore = transaction.objectStore("notes_os"); const deleteRequest = objectStore.delete(noteId); // report that the data item has been deleted transaction.addEventListener("complete", () => { // delete the parent of the button // which is the list item, so it is no longer displayed e.target.parentNode.parentNode.removeChild(e.target.parentNode); console.log(`Note ${noteId} deleted.`); // Again, if list item is empty, display a 'No notes stored' message if (!list.firstChild) { const listItem = document.createElement("li"); listItem.textContent = "No notes stored."; list.appendChild(listItem); } }); } ``` - The first part of this could use some explaining β€” we retrieve the ID of the record to be deleted using `Number(e.target.parentNode.getAttribute('data-note-id'))` β€” recall that the ID of the record was saved in a `data-note-id` attribute on the `<li>` when it was first displayed. We do however need to pass the attribute through the global built-in [`Number()`](/en-US/docs/Web/JavaScript/Reference/Global_Objects/Number) object as it is of datatype string, and therefore wouldn't be recognized by the database, which expects a number. - We then get a reference to the object store using the same pattern we've seen previously, and use the {{domxref("IDBObjectStore.delete()")}} method to delete the record from the database, passing it the ID. - When the database transaction is complete, we delete the note's `<li>` from the DOM, and again do the check to see if the `<ul>` is now empty, inserting a note as appropriate. So that's it! Your example should now work. If you are having trouble with it, feel free to [check it against our live example](https://mdn.github.io/learning-area/javascript/apis/client-side-storage/indexeddb/notes/) (see the [source code](https://github.com/mdn/learning-area/blob/main/javascript/apis/client-side-storage/indexeddb/notes/index.js) also). ### Storing complex data via IndexedDB As we mentioned above, IndexedDB can be used to store more than just text strings. You can store just about anything you want, including complex objects such as video or image blobs. And it isn't much more difficult to achieve than any other type of data. To demonstrate how to do it, we've written another example called [IndexedDB video store](https://github.com/mdn/learning-area/tree/main/javascript/apis/client-side-storage/indexeddb/video-store) (see it [running live here also](https://mdn.github.io/learning-area/javascript/apis/client-side-storage/indexeddb/video-store/)). When you first run the example, it downloads all the videos from the network, stores them in an IndexedDB database, and then displays the videos in the UI inside {{htmlelement("video")}} elements. The second time you run it, it finds the videos in the database and gets them from there instead before displaying them β€” this makes subsequent loads much quicker and less bandwidth-hungry. Let's walk through the most interesting parts of the example. We won't look at it all β€” a lot of it is similar to the previous example, and the code is well-commented. 1. For this example, we've stored the names of the videos to fetch in an array of objects: ```js const videos = [ { name: "crystal" }, { name: "elf" }, { name: "frog" }, { name: "monster" }, { name: "pig" }, { name: "rabbit" }, ]; ``` 2. To start with, once the database is successfully opened we run an `init()` function. This loops through the different video names, trying to load a record identified by each name from the `videos` database. If each video is found in the database (checked by seeing whether `request.result` evaluates to `true` β€” if the record is not present, it will be `undefined`), its video files (stored as blobs) and the video name are passed straight to the `displayVideo()` function to place them in the UI. If not, the video name is passed to the `fetchVideoFromNetwork()` function to, you guessed it, fetch the video from the network. ```js function init() { // Loop through the video names one by one for (const video of videos) { // Open transaction, get object store, and get() each video by name const objectStore = db.transaction("videos_os").objectStore("videos_os"); const request = objectStore.get(video.name); request.addEventListener("success", () => { // If the result exists in the database (is not undefined) if (request.result) { // Grab the videos from IDB and display them using displayVideo() console.log("taking videos from IDB"); displayVideo( request.result.mp4, request.result.webm, request.result.name, ); } else { // Fetch the videos from the network fetchVideoFromNetwork(video); } }); } } ``` 3. The following snippet is taken from inside `fetchVideoFromNetwork()` β€” here we fetch MP4 and WebM versions of the video using two separate {{domxref("fetch()")}} requests. We then use the {{domxref("Response.blob()")}} method to extract each response's body as a blob, giving us an object representation of the videos that can be stored and displayed later on. We have a problem here though β€” these two requests are both asynchronous, but we only want to try to display or store the video when both promises have fulfilled. Fortunately there is a built-in method that handles such a problem β€” {{jsxref("Promise.all()")}}. This takes one argument β€” references to all the individual promises you want to check for fulfillment placed in an array β€” and returns a promise which is fulfilled when all the individual promises are fulfilled. Inside the `then()` handler for this promise, we call the `displayVideo()` function like we did before to display the videos in the UI, then we also call the `storeVideo()` function to store those videos inside the database. ```js // Fetch the MP4 and WebM versions of the video using the fetch() function, // then expose their response bodies as blobs const mp4Blob = fetch(`videos/${video.name}.mp4`).then((response) => response.blob(), ); const webmBlob = fetch(`videos/${video.name}.webm`).then((response) => response.blob(), ); // Only run the next code when both promises have fulfilled Promise.all([mp4Blob, webmBlob]).then((values) => { // display the video fetched from the network with displayVideo() displayVideo(values[0], values[1], video.name); // store it in the IDB using storeVideo() storeVideo(values[0], values[1], video.name); }); ``` 4. Let's look at `storeVideo()` first. This is very similar to the pattern you saw in the previous example for adding data to the database β€” we open a `readwrite` transaction and get a reference to our `videos_os` object store, create an object representing the record to add to the database, then add it using {{domxref("IDBObjectStore.add()")}}. ```js // Define the storeVideo() function function storeVideo(mp4, webm, name) { // Open transaction, get object store; make it a readwrite so we can write to the IDB const objectStore = db .transaction(["videos_os"], "readwrite") .objectStore("videos_os"); // Add the record to the IDB using add() const request = objectStore.add({ mp4, webm, name }); request.addEventListener("success", () => console.log("Record addition attempt finished"), ); request.addEventListener("error", () => console.error(request.error)); } ``` 5. Finally, we have `displayVideo()`, which creates the DOM elements needed to insert the video in the UI and then appends them to the page. The most interesting parts of this are those shown below β€” to actually display our video blobs in a `<video>` element, we need to create object URLs (internal URLs that point to the video blobs stored in memory) using the {{domxref("URL/createObjectURL_static", "URL.createObjectURL()")}} method. Once that is done, we can set the object URLs to be the values of our {{htmlelement("source")}} element's `src` attributes, and it works fine. ```js // Define the displayVideo() function function displayVideo(mp4Blob, webmBlob, title) { // Create object URLs out of the blobs const mp4URL = URL.createObjectURL(mp4Blob); const webmURL = URL.createObjectURL(webmBlob); // Create DOM elements to embed video in the page const article = document.createElement("article"); const h2 = document.createElement("h2"); h2.textContent = title; const video = document.createElement("video"); video.controls = true; const source1 = document.createElement("source"); source1.src = mp4URL; source1.type = "video/mp4"; const source2 = document.createElement("source"); source2.src = webmURL; source2.type = "video/webm"; // Embed DOM elements into page section.appendChild(article); article.appendChild(h2); article.appendChild(video); video.appendChild(source1); video.appendChild(source2); } ``` ## Offline asset storage The above example already shows how to create an app that will store large assets in an IndexedDB database, avoiding the need to download them more than once. This is already a great improvement to the user experience, but there is still one thing missing β€” the main HTML, CSS, and JavaScript files still need to be downloaded each time the site is accessed, meaning that it won't work when there is no network connection. ![Firefox offline screen with an illustration of a cartoon character to the left-hand side holding a two-pin plug in its right hand and a two-pin socket in its left hand. On the right-hand side there is an Offline Mode message and a button labeled 'Try again'.](ff-offline.png) This is where [Service workers](/en-US/docs/Web/API/Service_Worker_API) and the closely-related [Cache API](/en-US/docs/Web/API/Cache) come in. A service worker is a JavaScript file that is registered against a particular origin (website, or part of a website at a certain domain) when it is accessed by a browser. When registered, it can control pages available at that origin. It does this by sitting between a loaded page and the network and intercepting network requests aimed at that origin. When it intercepts a request, it can do anything you wish to it (see [use case ideas](/en-US/docs/Web/API/Service_Worker_API#other_use_case_ideas)), but the classic example is saving the network responses offline and then providing those in response to a request instead of the responses from the network. In effect, it allows you to make a website work completely offline. The Cache API is another client-side storage mechanism, with a bit of a difference β€” it is designed to save HTTP responses, and so works very well with service workers. ### A service worker example Let's look at an example, to give you a bit of an idea of what this might look like. We have created another version of the video store example we saw in the previous section β€” this functions identically, except that it also saves the HTML, CSS, and JavaScript in the Cache API via a service worker, allowing the example to run offline! See [IndexedDB video store with service worker running live](https://mdn.github.io/learning-area/javascript/apis/client-side-storage/cache-sw/video-store-offline/), and also [see the source code](https://github.com/mdn/learning-area/tree/main/javascript/apis/client-side-storage/cache-sw/video-store-offline). #### Registering the service worker The first thing to note is that there's an extra bit of code placed in the main JavaScript file (see [index.js](https://github.com/mdn/learning-area/blob/main/javascript/apis/client-side-storage/cache-sw/video-store-offline/index.js)). First, we do a feature detection test to see if the `serviceWorker` member is available in the {{domxref("Navigator")}} object. If this returns true, then we know that at least the basics of service workers are supported. Inside here we use the {{domxref("ServiceWorkerContainer.register()")}} method to register a service worker contained in the `sw.js` file against the origin it resides at, so it can control pages in the same directory as it, or subdirectories. When its promise fulfills, the service worker is deemed registered. ```js // Register service worker to control making site work offline if ("serviceWorker" in navigator) { navigator.serviceWorker .register( "/learning-area/javascript/apis/client-side-storage/cache-sw/video-store-offline/sw.js", ) .then(() => console.log("Service Worker Registered")); } ``` > **Note:** The given path to the `sw.js` file is relative to the site origin, not the JavaScript file that contains the code. The service worker is at `https://mdn.github.io/learning-area/javascript/apis/client-side-storage/cache-sw/video-store-offline/sw.js`. The origin is `https://mdn.github.io`, and therefore the given path has to be `/learning-area/javascript/apis/client-side-storage/cache-sw/video-store-offline/sw.js`. If you wanted to host this example on your own server, you'd have to change this accordingly. This is rather confusing, but it has to work this way for security reasons. #### Installing the service worker The next time any page under the service worker's control is accessed (e.g. when the example is reloaded), the service worker is installed against that page, meaning that it will start controlling it. When this occurs, an `install` event is fired against the service worker; you can write code inside the service worker itself that will respond to the installation. Let's look at an example, in the [sw.js](https://github.com/mdn/learning-area/blob/main/javascript/apis/client-side-storage/cache-sw/video-store-offline/sw.js) file (the service worker). You'll see that the install listener is registered against `self`. This `self` keyword is a way to refer to the global scope of the service worker from inside the service worker file. Inside the `install` handler, we use the {{domxref("ExtendableEvent.waitUntil()")}} method, available on the event object, to signal that the browser shouldn't complete installation of the service worker until after the promise inside it has fulfilled successfully. Here is where we see the Cache API in action. We use the {{domxref("CacheStorage.open()")}} method to open a new cache object in which responses can be stored (similar to an IndexedDB object store). This promise fulfills with a {{domxref("Cache")}} object representing the `video-store` cache. We then use the {{domxref("Cache.addAll()")}} method to fetch a series of assets and add their responses to the cache. ```js self.addEventListener("install", (e) => { e.waitUntil( caches .open("video-store") .then((cache) => cache.addAll([ "/learning-area/javascript/apis/client-side-storage/cache-sw/video-store-offline/", "/learning-area/javascript/apis/client-side-storage/cache-sw/video-store-offline/index.html", "/learning-area/javascript/apis/client-side-storage/cache-sw/video-store-offline/index.js", "/learning-area/javascript/apis/client-side-storage/cache-sw/video-store-offline/style.css", ]), ), ); }); ``` That's it for now, installation done. #### Responding to further requests With the service worker registered and installed against our HTML page, and the relevant assets all added to our cache, we are nearly ready to go. There is only one more thing to do: write some code to respond to further network requests. This is what the second bit of code in `sw.js` does. We add another listener to the service worker global scope, which runs the handler function when the `fetch` event is raised. This happens whenever the browser makes a request for an asset in the directory the service worker is registered against. Inside the handler, we first log the URL of the requested asset. We then provide a custom response to the request, using the {{domxref("FetchEvent.respondWith()")}} method. Inside this block, we use {{domxref("CacheStorage.match()")}} to check whether a matching request (i.e. matches the URL) can be found in any cache. This promise fulfills with the matching response if a match is found, or `undefined` if it isn't. If a match is found, we return it as the custom response. If not, we [fetch()](/en-US/docs/Web/API/fetch) the response from the network and return that instead. ```js self.addEventListener("fetch", (e) => { console.log(e.request.url); e.respondWith( caches.match(e.request).then((response) => response || fetch(e.request)), ); }); ``` And that is it for our service worker. There is a whole load more you can do with them β€” for a lot more detail, see the [service worker cookbook](https://github.com/mdn/serviceworker-cookbook). Many thanks to Paul Kinlan for his article [Adding a Service Worker and Offline into your Web App](https://developers.google.com/codelabs/pwa-training/pwa03--going-offline#0), which inspired this example. #### Testing the example offline To test our [service worker example](https://mdn.github.io/learning-area/javascript/apis/client-side-storage/cache-sw/video-store-offline/), you'll need to load it a couple of times to make sure it is installed. Once this is done, you can: - Try unplugging your network/turning your Wi-Fi off. - Select _File > Work Offline_ if you are using Firefox. - Go to the devtools, then choose _Application > Service Workers_, then check the _Offline_ checkbox if you are using Chrome. If you refresh your example page again, you should still see it load just fine. Everything is stored offline β€” the page assets in a cache, and the videos in an IndexedDB database. ## Summary That's it for now. We hope you've found our rundown of client-side storage technologies useful. ## See also - [Web storage API](/en-US/docs/Web/API/Web_Storage_API) - [IndexedDB API](/en-US/docs/Web/API/IndexedDB_API) - [Cookies](/en-US/docs/Web/HTTP/Cookies) - [Service worker API](/en-US/docs/Web/API/Service_Worker_API) {{PreviousMenu("Learn/JavaScript/Client-side_web_APIs/Video_and_audio_APIs", "Learn/JavaScript/Client-side_web_APIs")}}
0
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/fetching_data/index.md
--- title: Fetching data from the server slug: Learn/JavaScript/Client-side_web_APIs/Fetching_data page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Manipulating_documents", "Learn/JavaScript/Client-side_web_APIs/Third_party_APIs", "Learn/JavaScript/Client-side_web_APIs")}} Another very common task in modern websites and applications is retrieving individual data items from the server to update sections of a webpage without having to load an entire new page. This seemingly small detail has had a huge impact on the performance and behavior of sites, so in this article, we'll explain the concept and look at technologies that make it possible: in particular, the [Fetch API](/en-US/docs/Web/API/Fetch_API). <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">first steps</a>, <a href="/en-US/docs/Learn/JavaScript/Building_blocks" >building blocks</a >, <a href="/en-US/docs/Learn/JavaScript/Objects">JavaScript objects</a>), the <a href="/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Introduction" >basics of Client-side APIs</a > </td> </tr> <tr> <th scope="row">Objective:</th> <td> To learn how to fetch data from the server and use it to update the contents of a web page. </td> </tr> </tbody> </table> ## What is the problem here? A web page consists of an HTML page and (usually) various other files, such as stylesheets, scripts, and images. The basic model of page loading on the Web is that your browser makes one or more HTTP requests to the server for the files needed to display the page, and the server responds with the requested files. If you visit another page, the browser requests the new files, and the server responds with them. ![Traditional page loading](traditional-loading.svg) This model works perfectly well for many sites. But consider a website that's very data-driven. For example, a library website like the [Vancouver Public Library](https://www.vpl.ca/). Among other things you could think of a site like this as a user interface to a database. It might let you search for a particular genre of book, or might show you recommendations for books you might like, based on books you've previously borrowed. When you do this, it needs to update the page with the new set of books to display. But note that most of the page content β€” including items like the page header, sidebar, and footer β€” stays the same. The trouble with the traditional model here is that we'd have to fetch and load the entire page, even when we only need to update one part of it. This is inefficient and can result in a poor user experience. So instead of the traditional model, many websites use JavaScript APIs to request data from the server and update the page content without a page load. So when the user searches for a new product, the browser only requests the data which is needed to update the page β€” the set of new books to display, for instance. ![Using fetch to update pages](fetch-update.svg) The main API here is the [Fetch API](/en-US/docs/Web/API/Fetch_API). This enables JavaScript running in a page to make an [HTTP](/en-US/docs/Web/HTTP) request to a server to retrieve specific resources. When the server provides them, the JavaScript can use the data to update the page, typically by using [DOM manipulation APIs](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Manipulating_documents). The data requested is often [JSON](/en-US/docs/Learn/JavaScript/Objects/JSON), which is a good format for transferring structured data, but can also be HTML or just text. This is a common pattern for data-driven sites such as Amazon, YouTube, eBay, and so on. With this model: - Page updates are a lot quicker and you don't have to wait for the page to refresh, meaning that the site feels faster and more responsive. - Less data is downloaded on each update, meaning less wasted bandwidth. This may not be such a big issue on a desktop on a broadband connection, but it's a major issue on mobile devices and in countries that don't have ubiquitous fast internet service. > **Note:** In the early days, this general technique was known as [Asynchronous](/en-US/docs/Glossary/Asynchronous) JavaScript and XML ([Ajax](/en-US/docs/Glossary/AJAX)), because it tended to request XML data. This is normally not the case these days (you'd be more likely to request JSON), but the result is still the same, and the term "Ajax" is still often used to describe the technique. To speed things up even further, some sites also store assets and data on the user's computer when they are first requested, meaning that on subsequent visits they use the local versions instead of downloading fresh copies every time the page is first loaded. The content is only reloaded from the server when it has been updated. ## The Fetch API Let's walk through a couple of examples of the Fetch API. ### Fetching text content For this example, we'll request data out of a few different text files and use them to populate a content area. This series of files will act as our fake database; in a real application, we'd be more likely to use a server-side language like PHP, Python, or Node to request our data from a database. Here, however, we want to keep it simple and concentrate on the client-side part of this. To begin this example, make a local copy of [fetch-start.html](https://github.com/mdn/learning-area/blob/main/javascript/apis/fetching-data/fetch-start.html) and the four text files β€” [verse1.txt](https://github.com/mdn/learning-area/blob/main/javascript/apis/fetching-data/verse1.txt), [verse2.txt](https://github.com/mdn/learning-area/blob/main/javascript/apis/fetching-data/verse2.txt), [verse3.txt](https://github.com/mdn/learning-area/blob/main/javascript/apis/fetching-data/verse3.txt), and [verse4.txt](https://github.com/mdn/learning-area/blob/main/javascript/apis/fetching-data/verse4.txt) β€” in a new directory on your computer. In this example, we will fetch a different verse of the poem (which you may well recognize) when it's selected in the drop-down menu. Just inside the {{htmlelement("script")}} element, add the following code. This stores references to the {{htmlelement("select")}} and {{htmlelement("pre")}} elements and adds a listener to the `<select>` element, so that when the user selects a new value, the new value is passed to the function named `updateDisplay()` as a parameter. ```js const verseChoose = document.querySelector("select"); const poemDisplay = document.querySelector("pre"); verseChoose.addEventListener("change", () => { const verse = verseChoose.value; updateDisplay(verse); }); ``` Let's define our `updateDisplay()` function. First of all, put the following beneath your previous code block β€” this is the empty shell of the function. ```js-nolint function updateDisplay(verse) { } ``` We'll start our function by constructing a relative URL pointing to the text file we want to load, as we'll need it later. The value of the {{htmlelement("select")}} element at any time is the same as the text inside the selected {{htmlelement("option")}} (unless you specify a different value in a value attribute) β€” so for example "Verse 1". The corresponding verse text file is "verse1.txt", and is in the same directory as the HTML file, therefore just the file name will do. However, web servers tend to be case-sensitive, and the file name doesn't have a space in it. To convert "Verse 1" to "verse1.txt" we need to convert the 'V' to lower case, remove the space, and add ".txt" on the end. This can be done with {{jsxref("String.replace", "replace()")}}, {{jsxref("String.toLowerCase", "toLowerCase()")}}, and [template literal](/en-US/docs/Web/JavaScript/Reference/Template_literals). Add the following lines inside your `updateDisplay()` function: ```js verse = verse.replace(" ", "").toLowerCase(); const url = `${verse}.txt`; ``` Finally we're ready to use the Fetch API: ```js // Call `fetch()`, passing in the URL. fetch(url) // fetch() returns a promise. When we have received a response from the server, // the promise's `then()` handler is called with the response. .then((response) => { // Our handler throws an error if the request did not succeed. if (!response.ok) { throw new Error(`HTTP error: ${response.status}`); } // Otherwise (if the response succeeded), our handler fetches the response // as text by calling response.text(), and immediately returns the promise // returned by `response.text()`. return response.text(); }) // When response.text() has succeeded, the `then()` handler is called with // the text, and we copy it into the `poemDisplay` box. .then((text) => { poemDisplay.textContent = text; }) // Catch any errors that might happen, and display a message // in the `poemDisplay` box. .catch((error) => { poemDisplay.textContent = `Could not fetch verse: ${error}`; }); ``` There's quite a lot to unpack in here. First, the entry point to the Fetch API is a global function called {{domxref("fetch", "fetch()")}}, that takes the URL as a parameter (it takes another optional parameter for custom settings, but we're not using that here). Next, `fetch()` is an asynchronous API which returns a {{jsxref("Promise")}}. If you don't know what that is, read the module on [asynchronous JavaScript](/en-US/docs/Learn/JavaScript/Asynchronous), and in particular the article on [promises](/en-US/docs/Learn/JavaScript/Asynchronous/Promises), then come back here. You'll find that article also talks about the `fetch()` API! So because `fetch()` returns a promise, we pass a function into the {{jsxref("Promise/then", "then()")}} method of the returned promise. This method will be called when the HTTP request has received a response from the server. In the handler, we check that the request succeeded, and throw an error if it didn't. Otherwise, we call {{domxref("Response/text", "response.text()")}}, to get the response body as text. It turns out that `response.text()` is _also_ asynchronous, so we return the promise it returns, and pass a function into the `then()` method of this new promise. This function will be called when the response text is ready, and inside it we will update our `<pre>` block with the text. Finally, we chain a {{jsxref("Promise/catch", "catch()")}} handler at the end, to catch any errors thrown in either of the asynchronous functions we called or their handlers. One problem with the example as it stands is that it won't show any of the poem when it first loads. To fix this, add the following two lines at the bottom of your code (just above the closing `</script>` tag) to load verse 1 by default, and make sure the {{htmlelement("select")}} element always shows the correct value: ```js updateDisplay("Verse 1"); verseChoose.value = "Verse 1"; ``` #### Serving your example from a server Modern browsers will not run HTTP requests if you just run the example from a local file. This is because of security restrictions (for more on web security, read [Website security](/en-US/docs/Learn/Server-side/First_steps/Website_security)). To get around this, we need to test the example by running it through a local web server. To find out how to do this, read [our guide to setting up a local testing server](/en-US/docs/Learn/Common_questions/Tools_and_setup/set_up_a_local_testing_server). ### The can store In this example we have created a sample site called The Can Store β€” it's a fictional supermarket that only sells canned goods. You can find this [example live on GitHub](https://mdn.github.io/learning-area/javascript/apis/fetching-data/can-store/), and [see the source code](https://github.com/mdn/learning-area/tree/main/javascript/apis/fetching-data/can-store). ![A fake e-commerce site showing search options in the left hand column, and product search results in the right-hand column.](can-store.png) By default, the site displays all the products, but you can use the form controls in the left-hand column to filter them by category, or search term, or both. There is quite a lot of complex code that deals with filtering the products by category and search terms, manipulating strings so the data displays correctly in the UI, etc. We won't discuss all of it in the article, but you can find extensive comments in the code (see [can-script.js](https://github.com/mdn/learning-area/blob/main/javascript/apis/fetching-data/can-store/can-script.js)). We will, however, explain the Fetch code. The first block that uses Fetch can be found at the start of the JavaScript: ```js fetch("products.json") .then((response) => { if (!response.ok) { throw new Error(`HTTP error: ${response.status}`); } return response.json(); }) .then((json) => initialize(json)) .catch((err) => console.error(`Fetch problem: ${err.message}`)); ``` The `fetch()` function returns a promise. If this completes successfully, the function inside the first `.then()` block contains the `response` returned from the network. Inside this function we: - check that the server didn't return an error (such as [`404 Not Found`](/en-US/docs/Web/HTTP/Status/404)). If it did, we throw the error. - call {{domxref("Response.json","json()")}} on the response. This will retrieve the data as a [JSON object](/en-US/docs/Learn/JavaScript/Objects/JSON). We return the promise returned by `response.json()`. Next we pass a function into the `then()` method of that returned promise. This function will be passed an object containing the response data as JSON, which we pass into the `initialize()` function. This function which starts the process of displaying all the products in the user interface. To handle errors, we chain a `.catch()` block onto the end of the chain. This runs if the promise fails for some reason. Inside it, we include a function that is passed as a parameter, an `err` object. This `err` object can be used to report the nature of the error that has occurred, in this case we do it with a simple `console.error()`. However, a complete website would handle this error more gracefully by displaying a message on the user's screen and perhaps offering options to remedy the situation, but we don't need anything more than a simple `console.error()`. You can test the failure case yourself: 1. Make a local copy of the example files. 2. Run the code through a web server (as described above, in [Serving your example from a server](#serving_your_example_from_a_server)). 3. Modify the path to the file being fetched, to something like 'produc.json' (make sure it is misspelled). 4. Now load the index file in your browser (via `localhost:8000`) and look in your browser developer console. You'll see a message similar to "Fetch problem: HTTP error: 404". The second Fetch block can be found inside the `fetchBlob()` function: ```js fetch(url) .then((response) => { if (!response.ok) { throw new Error(`HTTP error: ${response.status}`); } return response.blob(); }) .then((blob) => showProduct(blob, product)) .catch((err) => console.error(`Fetch problem: ${err.message}`)); ``` This works in much the same way as the previous one, except that instead of using {{domxref("Response.json","json()")}}, we use {{domxref("Response.blob","blob()")}}. In this case we want to return our response as an image file, and the data format we use for that is [Blob](/en-US/docs/Web/API/Blob) (the term is an abbreviation of "Binary Large Object" and can basically be used to represent large file-like objects, such as images or video files). Once we've successfully received our blob, we pass it into our `showProduct()` function, which displays it. ## The XMLHttpRequest API Sometimes, especially in older code, you'll see another API called [`XMLHttpRequest`](/en-US/docs/Web/API/XMLHttpRequest) (often abbreviated as "XHR") used to make HTTP requests. This predated Fetch, and was really the first API widely used to implement AJAX. We recommend you use Fetch if you can: it's a simpler API and has more features than `XMLHttpRequest`. We won't go through an example that uses `XMLHttpRequest`, but we will show you what the `XMLHttpRequest` version of our first can store request would look like: ```js const request = new XMLHttpRequest(); try { request.open("GET", "products.json"); request.responseType = "json"; request.addEventListener("load", () => initialize(request.response)); request.addEventListener("error", () => console.error("XHR error")); request.send(); } catch (error) { console.error(`XHR error ${request.status}`); } ``` There are five stages to this: 1. Create a new `XMLHttpRequest` object. 2. Call its [`open()`](/en-US/docs/Web/API/XMLHttpRequest/open) method to initialize it. 3. Add an event listener to its [`load`](/en-US/docs/Web/API/XMLHttpRequest/load_event) event, which fires when the response has completed successfully. In the listener we call `initialize()` with the data. 4. Add an event listener to its [`error`](/en-US/docs/Web/API/XMLHttpRequest/error_event) event, which fires when the request encounters an error 5. Send the request. We also have to wrap the whole thing in the [try...catch](/en-US/docs/Web/JavaScript/Reference/Statements/try...catch) block, to handle any errors thrown by `open()` or `send()`. Hopefully you think the Fetch API is an improvement over this. In particular, see how we have to handle errors in two different places. ## Summary This article shows how to start working with Fetch to fetch data from the server. ## See also There are however a lot of different subjects discussed in this article, which has only really scratched the surface. For a lot more detail on these subjects, try the following articles: - [Using Fetch](/en-US/docs/Web/API/Fetch_API/Using_Fetch) - [Promises](/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) - [Working with JSON data](/en-US/docs/Learn/JavaScript/Objects/JSON) - [An overview of HTTP](/en-US/docs/Web/HTTP/Overview) - [Server-side website programming](/en-US/docs/Learn/Server-side) {{PreviousMenuNext("Learn/JavaScript/Client-side_web_APIs/Manipulating_documents", "Learn/JavaScript/Client-side_web_APIs/Third_party_APIs", "Learn/JavaScript/Client-side_web_APIs")}}
0
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/fetching_data/fetch-update.svg
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" width="652" height="301" viewBox="-0.5 -0.5 652 301"><path fill="none" pointer-events="all" d="M78 0h98v98H78z"/><path d="M162.2 81.77v-6.61h-16.23v-3.79h27.55c.99 0 1.79-.73 1.79-1.63V1.64c0-.91-.8-1.64-1.79-1.64H80.14c-.99 0-1.79.73-1.79 1.64v68.09c0 .91.8 1.63 1.79 1.63h27.88v3.79H91.8v6.61L78 90.75V98h98v-7.25l-13.8-8.98zM84.9 64.93V5.92c0-.78.69-1.41 1.53-1.41h80.43c.85 0 1.54.63 1.54 1.41v59.01c0 .78-.7 1.41-1.54 1.41H86.44c-.85 0-1.54-.64-1.54-1.41zm-2.08 25.5 12.44-8.03h63.48l12.42 8.03H82.82z" pointer-events="all"/><path fill="#FFF" stroke="#000" stroke-width="5" pointer-events="all" d="M529 9h120v60H529z"/><path d="M541 18v10m20-10v10m-10-10v10" fill="none" stroke="#000" stroke-width="5" stroke-miterlimit="10" pointer-events="stroke"/><path d="M128 123h451.76" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m585.76 123-8 4 2-4-2-4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><g font-family="Helvetica" text-anchor="middle" font-size="16"><path fill="#FFF" d="M237 121h256v20H237z"/><text x="364" y="126.5"> Request page (HTML, JS, CSS, ...) </text></g><path d="M128 200h451.76" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m585.76 200-8 4 2-4-2-4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><g font-family="Helvetica" text-anchor="middle" font-size="16"><path fill="#FFF" d="M312 198h106v20H312z"/><text x="364" y="203.5"> Request data </text></g><path d="M126.5 298V98M588 290V69" fill="none" stroke="#000" stroke-width="3" stroke-miterlimit="10" stroke-dasharray="9 9" pointer-events="stroke"/><path d="M588 150H136.24" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m130.24 150 8-4-2 4 2 4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><path d="M588 230H136.24" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m130.24 230 8-4-2 4 2 4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><path d="M8 180h101.76" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m115.76 180-8 4 2-4-2-4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><g font-family="Helvetica" text-anchor="middle" font-size="16"><path fill="#FFF" d="M28 171h59v20H28z"/><text x="56" y="186"> search </text></g><path d="M128 250q60 0 60 20t-51.76 20" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m130.24 290 8-4-2 4 2 4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><path fill="none" pointer-events="all" d="M194 254h94v30h-94z"/><switch transform="translate(-.5 -.5)"><foreignObject style="overflow:visible;text-align:left" pointer-events="none" width="100%" height="100%" requiredFeatures="http://www.w3.org/TR/SVG11/feature#Extensibility"><div xmlns="http://www.w3.org/1999/xhtml" style="display:flex;align-items:unsafe flex-start;justify-content:unsafe flex-start;width:92px;height:1px;padding-top:261px;margin-left:196px"><div style="box-sizing:border-box;font-size:0;text-align:left" data-drawio-colors="color: rgb(0 0 0);"><div style="display:inline-block;font-size:16px;font-family:Helvetica;color:#000;line-height:1.2;pointer-events:all;white-space:normal;overflow-wrap:normal">update page</div></div></div></foreignObject><text x="196" y="277" font-family="Helvetica" font-size="16">update page</text></switch><path fill="none" pointer-events="all" d="M78 0h98v98H78z"/><path d="M162.2 81.77v-6.61h-16.23v-3.79h27.55c.99 0 1.79-.73 1.79-1.63V1.64c0-.91-.8-1.64-1.79-1.64H80.14c-.99 0-1.79.73-1.79 1.64v68.09c0 .91.8 1.63 1.79 1.63h27.88v3.79H91.8v6.61L78 90.75V98h98v-7.25l-13.8-8.98zM84.9 64.93V5.92c0-.78.69-1.41 1.53-1.41h80.43c.85 0 1.54.63 1.54 1.41v59.01c0 .78-.7 1.41-1.54 1.41H86.44c-.85 0-1.54-.64-1.54-1.41zm-2.08 25.5 12.44-8.03h63.48l12.42 8.03H82.82z" pointer-events="all"/><path fill="#FFF" stroke="#000" stroke-width="5" pointer-events="all" d="M529 9h120v60H529z"/><path d="M541 18v10m20-10v10m-10-10v10" fill="none" stroke="#000" stroke-width="5" stroke-miterlimit="10" pointer-events="stroke"/><path d="M126.5 298V98M588 290V69" fill="none" stroke="#000" stroke-width="3" stroke-miterlimit="10" stroke-dasharray="9 9" pointer-events="stroke"/><path d="M588 150H136.24" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m130.24 150 8-4-2 4 2 4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><path d="M588 230H136.24" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m130.24 230 8-4-2 4 2 4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><path d="M8 180h101.76" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m115.76 180-8 4 2-4-2-4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><g font-family="Helvetica" text-anchor="middle" font-size="16"><path fill="#FFF" d="M28 171h59v20H28z"/><text x="56" y="186"> search </text></g><path d="M128 250q60 0 60 20t-51.76 20" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m130.24 290 8-4-2 4 2 4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><path fill="none" pointer-events="all" d="M194 254h94v30h-94z"/><switch transform="translate(-.5 -.5)"><foreignObject style="overflow:visible;text-align:left" pointer-events="none" width="100%" height="100%" requiredFeatures="http://www.w3.org/TR/SVG11/feature#Extensibility"><div xmlns="http://www.w3.org/1999/xhtml" style="display:flex;align-items:unsafe flex-start;justify-content:unsafe flex-start;width:92px;height:1px;padding-top:261px;margin-left:196px"><div style="box-sizing:border-box;font-size:0;text-align:left" data-drawio-colors="color: rgb(0 0 0);"><div style="display:inline-block;font-size:16px;font-family:Helvetica;color:#000;line-height:1.2;pointer-events:all;white-space:normal;overflow-wrap:normal">update page</div></div></div></foreignObject><text x="196" y="277" font-family="Helvetica" font-size="16">update page</text></switch><switch><a transform="translate(0 -5)" xlink:href="https://www.diagrams.net/doc/faq/svg-export-text-problems" target="_blank"><text text-anchor="middle" font-size="10" x="50%" y="100%">Text is not SVG - cannot display</text></a></switch></svg>
0
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis
data/mdn-content/files/en-us/learn/javascript/client-side_web_apis/fetching_data/traditional-loading.svg
<svg xmlns="http://www.w3.org/2000/svg" style="background-color:#fff" width="652" height="253" viewBox="-0.5 -0.5 652 253"><path fill="none" pointer-events="all" d="M78 0h98v98H78z"/><path d="M162.2 81.77v-6.61h-16.23v-3.79h27.55c.99 0 1.79-.73 1.79-1.63V1.64c0-.91-.8-1.64-1.79-1.64H80.14c-.99 0-1.79.73-1.79 1.64v68.09c0 .91.8 1.63 1.79 1.63h27.88v3.79H91.8v6.61L78 90.75V98h98v-7.25l-13.8-8.98zM84.9 64.93V5.92c0-.78.69-1.41 1.53-1.41h80.43c.85 0 1.54.63 1.54 1.41v59.01c0 .78-.7 1.41-1.54 1.41H86.44c-.85 0-1.54-.64-1.54-1.41zm-2.08 25.5 12.44-8.03h63.48l12.42 8.03H82.82z" pointer-events="all"/><path d="M550 18v10m20-10v10m-10-10v10" fill="none" stroke="#000" stroke-width="5" stroke-miterlimit="10" pointer-events="stroke"/><path fill="none" pointer-events="all" d="M78 0h98v98H78z"/><path d="M162.2 81.77v-6.61h-16.23v-3.79h27.55c.99 0 1.79-.73 1.79-1.63V1.64c0-.91-.8-1.64-1.79-1.64H80.14c-.99 0-1.79.73-1.79 1.64v68.09c0 .91.8 1.63 1.79 1.63h27.88v3.79H91.8v6.61L78 90.75V98h98v-7.25l-13.8-8.98zM84.9 64.93V5.92c0-.78.69-1.41 1.53-1.41h80.43c.85 0 1.54.63 1.54 1.41v59.01c0 .78-.7 1.41-1.54 1.41H86.44c-.85 0-1.54-.64-1.54-1.41zm-2.08 25.5 12.44-8.03h63.48l12.42 8.03H82.82z" pointer-events="all"/><path fill="#FFF" stroke="#000" stroke-width="5" pointer-events="all" d="M529 9h120v60H529z"/><path d="M541 18v10m20-10v10m-10-10v10" fill="none" stroke="#000" stroke-width="5" stroke-miterlimit="10" pointer-events="stroke"/><path d="M128 123h451.76" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m585.76 123-8 4 2-4-2-4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><g font-family="Helvetica" text-anchor="middle" font-size="16"><path fill="#FFF" d="M237 121h256v20H237z"/><text x="364" y="126.5"> Request page (HTML, JS, CSS, ...) </text></g><path d="M128 200h451.76" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m585.76 200-8 4 2-4-2-4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><g font-family="Helvetica" text-anchor="middle" font-size="16"><path fill="#FFF" d="M237 197h256v20H237z"/><text x="364" y="202.5"> Request page (HTML, JS, CSS, ...) </text></g><path d="m127 250-.5-152M588 250V69" fill="none" stroke="#000" stroke-width="3" stroke-miterlimit="10" stroke-dasharray="9 9" pointer-events="stroke"/><path d="M588 150H136.24" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m130.24 150 8-4-2 4 2 4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><path d="M588 230H136.24" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m130.24 230 8-4-2 4 2 4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><path d="M8 180h101.76" fill="none" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="stroke"/><path d="m115.76 180-8 4 2-4-2-4z" stroke="#000" stroke-width="2" stroke-miterlimit="10" pointer-events="all"/><g font-family="Helvetica" text-anchor="middle" font-size="16"><path fill="#FFF" d="M22 171h71v20H22z"/><text x="56" y="186"> navigate </text></g></svg>
0
data/mdn-content/files/en-us/learn/javascript
data/mdn-content/files/en-us/learn/javascript/objects/index.md
--- title: Introducing JavaScript objects slug: Learn/JavaScript/Objects page-type: learn-module --- {{LearnSidebar}} In JavaScript, most things are objects, from core JavaScript features like arrays to the browser {{Glossary("API", "APIs")}} built on top of JavaScript. You can even create your own objects to encapsulate related functions and variables into efficient packages and act as handy data containers. The object-based nature of JavaScript is important to understand if you want to go further with your knowledge of the language, therefore we've provided this module to help you. Here we teach object theory and syntax in detail, then look at how to create your own objects. > **Callout:** > > #### Looking to become a front-end web developer? > > We have put together a course that includes all the essential information you need to > work towards your goal. > > [**Get started**](/en-US/docs/Learn/Front-end_web_developer) ## Prerequisites Before starting this module, you should have some familiarity with {{Glossary("HTML")}} and {{Glossary("CSS")}}. You are advised to work through the [Introduction to HTML](/en-US/docs/Learn/HTML/Introduction_to_HTML) and [Introduction to CSS](/en-US/docs/Learn/CSS/First_steps) modules before starting on JavaScript. You should also have some familiarity with JavaScript basics before looking at JavaScript objects in detail. Before attempting this module, work through [JavaScript first steps](/en-US/docs/Learn/JavaScript/First_steps) and [JavaScript building blocks](/en-US/docs/Learn/JavaScript/Building_blocks). > **Note:** If you are working on a computer/tablet/other devices where you are not able to create your own files, you could try out (most of) the code examples in an online coding program such as [JSBin](https://jsbin.com/) or [Glitch](https://glitch.com/). ## Guides - [Object basics](/en-US/docs/Learn/JavaScript/Objects/Basics) - : In the first article looking at JavaScript objects, we'll look at fundamental JavaScript object syntax, and revisit some JavaScript features we've already looked at earlier on in the course, reiterating the fact that many of the features you've already dealt with are in fact objects. - [Object prototypes](/en-US/docs/Learn/JavaScript/Objects/Object_prototypes) - : Prototypes are the mechanism by which JavaScript objects inherit features from one another, and they work differently from inheritance mechanisms in classical object-oriented programming languages. In this article, we explore how prototype chains work. - [Object-oriented programming](/en-US/docs/Learn/JavaScript/Objects/Object-oriented_programming) - : In this article, we'll describe some of the basic principles of "classical" object-oriented programming, and look at the ways it is different from the prototype model in JavaScript. - [Classes in JavaScript](/en-US/docs/Learn/JavaScript/Objects/Classes_in_JavaScript) - : JavaScript provides some features for people wanting to implement "classical" object-oriented programs, and in this article, we'll describe these features. - [Working with JSON data](/en-US/docs/Learn/JavaScript/Objects/JSON) - : JavaScript Object Notation (JSON) is a standard text-based format for representing structured data based on JavaScript object syntax, which is commonly used for representing and transmitting data on the web (i.e., sending some data from the server to the client, so it can be displayed on a web page). You'll come across it quite often, so in this article, we give you all you need to work with JSON using JavaScript, including parsing the JSON so you can access data items within it, and writing your own JSON. - [Object building practice](/en-US/docs/Learn/JavaScript/Objects/Object_building_practice) - : In previous articles we looked at all the essential JavaScript object theory and syntax details, giving you a solid base to start from. In this article we dive into a practical exercise, giving you some more practice in building custom JavaScript objects, which produce something fun and colorful β€” some colored bouncing balls. ## Assessments - [Adding features to our bouncing balls demo](/en-US/docs/Learn/JavaScript/Objects/Adding_bouncing_balls_features) - : In this assessment, you are expected to use the bouncing balls demo from the previous article as a starting point, and add some new and interesting features to it. ## See also - [Learn JavaScript](https://learnjavascript.online/) - : An excellent resource for aspiring web developers β€” Learn JavaScript in an interactive environment, with short lessons and interactive tests, guided by automated assessment. The first 40 lessons are free, and the complete course is available for a small one-time payment.
0
data/mdn-content/files/en-us/learn/javascript/objects
data/mdn-content/files/en-us/learn/javascript/objects/json/index.md
--- title: Working with JSON slug: Learn/JavaScript/Objects/JSON page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/JavaScript/Objects/Classes_in_JavaScript", "Learn/JavaScript/Objects/Object_building_practice", "Learn/JavaScript/Objects")}} JavaScript Object Notation (JSON) is a standard text-based format for representing structured data based on JavaScript object syntax. It is commonly used for transmitting data in web applications (e.g., sending some data from the server to the client, so it can be displayed on a web page, or vice versa). You'll come across it quite often, so in this article, we give you all you need to work with JSON using JavaScript, including parsing JSON so you can access data within it, and creating JSON. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> A basic understanding of HTML and CSS, familiarity with JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">First steps</a> and <a href="/en-US/docs/Learn/JavaScript/Building_blocks">Building blocks</a>) and OOJS basics (see <a href="/en-US/docs/Learn/JavaScript/Objects/Basics">Introduction to objects</a>). </td> </tr> <tr> <th scope="row">Objective:</th> <td> To understand how to work with data stored in JSON, and create your own JSON strings. </td> </tr> </tbody> </table> ## No, really, what is JSON? {{glossary("JSON")}} is a text-based data format following JavaScript object syntax, which was popularized by [Douglas Crockford](https://en.wikipedia.org/wiki/Douglas_Crockford). Even though it closely resembles JavaScript object literal syntax, it can be used independently from JavaScript, and many programming environments feature the ability to read (parse) and generate JSON. JSON exists as a string β€” useful when you want to transmit data across a network. It needs to be converted to a native JavaScript object when you want to access the data. This is not a big issue β€” JavaScript provides a global [JSON](/en-US/docs/Web/JavaScript/Reference/Global_Objects/JSON) object that has methods available for converting between the two. > **Note:** Converting a string to a native object is called _deserialization_, while converting a native object to a string so it can be transmitted across the network is called _serialization_. A JSON string can be stored in its own file, which is basically just a text file with an extension of `.json`, and a {{glossary("MIME type")}} of `application/json`. ### JSON structure As described above, JSON is a string whose format very much resembles JavaScript object literal format. You can include the same basic data types inside JSON as you can in a standard JavaScript object β€” strings, numbers, arrays, booleans, and other object literals. This allows you to construct a data hierarchy, like so: ```json { "squadName": "Super hero squad", "homeTown": "Metro City", "formed": 2016, "secretBase": "Super tower", "active": true, "members": [ { "name": "Molecule Man", "age": 29, "secretIdentity": "Dan Jukes", "powers": ["Radiation resistance", "Turning tiny", "Radiation blast"] }, { "name": "Madame Uppercut", "age": 39, "secretIdentity": "Jane Wilson", "powers": [ "Million tonne punch", "Damage resistance", "Superhuman reflexes" ] }, { "name": "Eternal Flame", "age": 1000000, "secretIdentity": "Unknown", "powers": [ "Immortality", "Heat Immunity", "Inferno", "Teleportation", "Interdimensional travel" ] } ] } ``` If we loaded this string into a JavaScript program and parsed it into a variable called `superHeroes` for example, we could then access the data inside it using the same dot/bracket notation we looked at in the [JavaScript object basics](/en-US/docs/Learn/JavaScript/Objects/Basics) article. For example: ```js superHeroes.homeTown; superHeroes["active"]; ``` To access data further down the hierarchy, you have to chain the required property names and array indexes together. For example, to access the third superpower of the second hero listed in the members list, you'd do this: ```js superHeroes["members"][1]["powers"][2]; ``` 1. First, we have the variable name β€” `superHeroes`. 2. Inside that, we want to access the `members` property, so we use `["members"]`. 3. `members` contains an array populated by objects. We want to access the second object inside the array, so we use `[1]`. 4. Inside this object, we want to access the `powers` property, so we use `["powers"]`. 5. Inside the `powers` property is an array containing the selected hero's superpowers. We want the third one, so we use `[2]`. > **Note:** We've made the JSON seen above available inside a variable in our [JSONTest.html](https://mdn.github.io/learning-area/javascript/oojs/json/JSONTest.html) example (see the [source code](https://github.com/mdn/learning-area/blob/main/javascript/oojs/json/JSONTest.html)). > Try loading this up and then accessing data inside the variable via your browser's JavaScript console. ### Arrays as JSON Above we mentioned that JSON text basically looks like a JavaScript object inside a string. We can also convert arrays to/from JSON. Below is also valid JSON, for example: ```json [ { "name": "Molecule Man", "age": 29, "secretIdentity": "Dan Jukes", "powers": ["Radiation resistance", "Turning tiny", "Radiation blast"] }, { "name": "Madame Uppercut", "age": 39, "secretIdentity": "Jane Wilson", "powers": [ "Million tonne punch", "Damage resistance", "Superhuman reflexes" ] } ] ``` The above is perfectly valid JSON. You'd just have to access array items (in its parsed version) by starting with an array index, for example `[0]["powers"][0]`. ### Other notes - JSON is purely a string with a specified data format β€” it contains only properties, no methods. - JSON requires double quotes to be used around strings and property names. Single quotes are not valid other than surrounding the entire JSON string. - Even a single misplaced comma or colon can cause a JSON file to go wrong, and not work. You should be careful to validate any data you are attempting to use (although computer-generated JSON is less likely to include errors, as long as the generator program is working correctly). You can validate JSON using an application like [JSONLint](https://jsonlint.com/). - JSON can actually take the form of any data type that is valid for inclusion inside JSON, not just arrays or objects. So for example, a single string or number would be valid JSON. - Unlike in JavaScript code in which object properties may be unquoted, in JSON only quoted strings may be used as properties. ## Active learning: Working through a JSON example So, let's work through an example to show how we could make use of some JSON formatted data on a website. ### Getting started To begin with, make local copies of our [heroes.html](https://github.com/mdn/learning-area/blob/main/javascript/oojs/json/heroes.html) and [style.css](https://github.com/mdn/learning-area/blob/main/javascript/oojs/json/style.css) files. The latter contains some simple CSS to style our page, while the former contains some very simple body HTML, plus a {{HTMLElement("script")}} element to contain the JavaScript code we will be writing in this exercise: ```html-nolint <header> ... </header> <section> ... </section> <script> ... </script> ``` We have made our JSON data available on our GitHub, at <https://mdn.github.io/learning-area/javascript/oojs/json/superheroes.json>. We are going to load the JSON into our script, and use some nifty DOM manipulation to display it, like this: ![Image of a document titled "Super hero squad" (in a fancy font) and subtitled "Hometown: Metro City // Formed: 2016". Three columns below the heading are titled "Molecule Man", "Madame Uppercut", and "Eternal Flame", respectively. Each column lists the hero's secret identity name, age, and superpowers.](json-superheroes.png) ### Top-level function The top-level function looks like this: ```js async function populate() { const requestURL = "https://mdn.github.io/learning-area/javascript/oojs/json/superheroes.json"; const request = new Request(requestURL); const response = await fetch(request); const superHeroes = await response.json(); populateHeader(superHeroes); populateHeroes(superHeroes); } ``` To obtain the JSON, we use an API called [Fetch](/en-US/docs/Web/API/Fetch_API). This API allows us to make network requests to retrieve resources from a server via JavaScript (e.g. images, text, JSON, even HTML snippets), meaning that we can update small sections of content without having to reload the entire page. In our function, the first four lines use the Fetch API to fetch the JSON from the server: - we declare the `requestURL` variable to store the GitHub URL - we use the URL to initialize a new {{domxref("Request")}} object. - we make the network request using the {{domxref("fetch", "fetch()")}} function, and this returns a {{domxref("Response")}} object - we retrieve the response as JSON using the {{domxref("Response/json", "json()")}} function of the `Response` object. > **Note:** The `fetch()` API is **asynchronous**. We'll learn a lot about asynchronous functions in [the next module](/en-US/docs/Learn/JavaScript/Asynchronous), but for now, we'll just say that we need to add the keyword {{jsxref("Statements/async_function", "async")}} before the name of the function that uses the fetch API, and add the keyword {{jsxref("Operators/await", "await")}} before the calls to any asynchronous functions. After all that, the `superHeroes` variable will contain the JavaScript object based on the JSON. We are then passing that object to two function calls β€” the first one fills the `<header>` with the correct data, while the second one creates an information card for each hero on the team, and inserts it into the `<section>`. ### Populating the header Now that we've retrieved the JSON data and converted it into a JavaScript object, let's make use of it by writing the two functions we referenced above. First of all, add the following function definition below the previous code: ```js function populateHeader(obj) { const header = document.querySelector("header"); const myH1 = document.createElement("h1"); myH1.textContent = obj.squadName; header.appendChild(myH1); const myPara = document.createElement("p"); myPara.textContent = `Hometown: ${obj.homeTown} // Formed: ${obj.formed}`; header.appendChild(myPara); } ``` Here we first create an {{HTMLElement("Heading_Elements", "h1")}} element with [`createElement()`](/en-US/docs/Web/API/Document/createElement), set its [`textContent`](/en-US/docs/Web/API/Node/textContent) to equal the `squadName` property of the object, then append it to the header using [`appendChild()`](/en-US/docs/Web/API/Node/appendChild). We then do a very similar operation with a paragraph: create it, set its text content and append it to the header. The only difference is that its text is set to a [template literal](/en-US/docs/Web/JavaScript/Reference/Template_literals) containing both the `homeTown` and `formed` properties of the object. ### Creating the hero information cards Next, add the following function at the bottom of the code, which creates and displays the superhero cards: ```js function populateHeroes(obj) { const section = document.querySelector("section"); const heroes = obj.members; for (const hero of heroes) { const myArticle = document.createElement("article"); const myH2 = document.createElement("h2"); const myPara1 = document.createElement("p"); const myPara2 = document.createElement("p"); const myPara3 = document.createElement("p"); const myList = document.createElement("ul"); myH2.textContent = hero.name; myPara1.textContent = `Secret identity: ${hero.secretIdentity}`; myPara2.textContent = `Age: ${hero.age}`; myPara3.textContent = "Superpowers:"; const superPowers = hero.powers; for (const power of superPowers) { const listItem = document.createElement("li"); listItem.textContent = power; myList.appendChild(listItem); } myArticle.appendChild(myH2); myArticle.appendChild(myPara1); myArticle.appendChild(myPara2); myArticle.appendChild(myPara3); myArticle.appendChild(myList); section.appendChild(myArticle); } } ``` To start with, we store the `members` property of the JavaScript object in a new variable. This array contains multiple objects that contain the information for each hero. Next, we use a [for...of loop](/en-US/docs/Learn/JavaScript/Building_blocks/Looping_code#the_for...of_loop) to loop through each object in the array. For each one, we: 1. Create several new elements: an `<article>`, an `<h2>`, three `<p>`s, and a `<ul>`. 2. Set the `<h2>` to contain the current hero's `name`. 3. Fill the three paragraphs with their `secretIdentity`, `age`, and a line saying "Superpowers:" to introduce the information in the list. 4. Store the `powers` property in another new constant called `superPowers` β€” this contains an array that lists the current hero's superpowers. 5. Use another `for...of` loop to loop through the current hero's superpowers β€” for each one we create an `<li>` element, put the superpower inside it, then put the `listItem` inside the `<ul>` element (`myList`) using `appendChild()`. 6. The very last thing we do is to append the `<h2>`, `<p>`s, and `<ul>` inside the `<article>` (`myArticle`), then append the `<article>` inside the `<section>`. The order in which things are appended is important, as this is the order they will be displayed inside the HTML. > **Note:** If you are having trouble getting the example to work, try referring to our [heroes-finished.html](https://github.com/mdn/learning-area/blob/main/javascript/oojs/json/heroes-finished.html) source code (see it [running live](https://mdn.github.io/learning-area/javascript/oojs/json/heroes-finished.html) also.) > **Note:** If you are having trouble following the dot/bracket notation we are using to access the JavaScript object, it can help to have the [superheroes.json](https://mdn.github.io/learning-area/javascript/oojs/json/superheroes.json) file open in another tab or your text editor, and refer to it as you look at our JavaScript. > You should also refer back to our [JavaScript object basics](/en-US/docs/Learn/JavaScript/Objects/Basics) article for more information on dot and bracket notation. ### Calling the top-level function Finally, we need to call our top-level `populate()` function: ```js populate(); ``` ## Converting between objects and text The above example was simple in terms of accessing the JavaScript object, because we converted the network response directly into a JavaScript object using `response.json()`. But sometimes we aren't so lucky β€” sometimes we receive a raw JSON string, and we need to convert it to an object ourselves. And when we want to send a JavaScript object across the network, we need to convert it to JSON (a string) before sending it. Luckily, these two problems are so common in web development that a built-in [JSON](/en-US/docs/Web/JavaScript/Reference/Global_Objects/JSON) object is available in browsers, which contains the following two methods: - [`parse()`](/en-US/docs/Web/JavaScript/Reference/Global_Objects/JSON/parse): Accepts a JSON string as a parameter, and returns the corresponding JavaScript object. - [`stringify()`](/en-US/docs/Web/JavaScript/Reference/Global_Objects/JSON/stringify): Accepts an object as a parameter, and returns the equivalent JSON string. You can see the first one in action in our [heroes-finished-json-parse.html](https://mdn.github.io/learning-area/javascript/oojs/json/heroes-finished-json-parse.html) example (see the [source code](https://github.com/mdn/learning-area/blob/main/javascript/oojs/json/heroes-finished-json-parse.html)) β€” this does exactly the same thing as the example we built up earlier, except that: - we retrieve the response as text rather than JSON, by calling the {{domxref("Response/text", "text()")}} method of the response - we then use `parse()` to convert the text to a JavaScript object. The key snippet of code is here: ```js async function populate() { const requestURL = "https://mdn.github.io/learning-area/javascript/oojs/json/superheroes.json"; const request = new Request(requestURL); const response = await fetch(request); const superHeroesText = await response.text(); const superHeroes = JSON.parse(superHeroesText); populateHeader(superHeroes); populateHeroes(superHeroes); } ``` As you might guess, `stringify()` works the opposite way. Try entering the following lines into your browser's JavaScript console one by one to see it in action: ```js let myObj = { name: "Chris", age: 38 }; myObj; let myString = JSON.stringify(myObj); myString; ``` Here we're creating a JavaScript object, then checking what it contains, then converting it to a JSON string using `stringify()` β€” saving the return value in a new variable β€” then checking it again. ## Test your skills! You've reached the end of this article, but can you remember the most important information? You can find some further tests to verify that you've retained this information before you move on β€” see [Test your skills: JSON](/en-US/docs/Learn/JavaScript/Objects/Test_your_skills:_JSON). ## Summary In this article, we've given you a simple guide to using JSON in your programs, including how to create and parse JSON, and how to access data locked inside it. In the next article, we'll begin looking at object-oriented JavaScript. ## See also - [JSON reference](/en-US/docs/Web/JavaScript/Reference/Global_Objects/JSON) - [Fetch API overview](/en-US/docs/Web/API/Fetch_API) - [Using Fetch](/en-US/docs/Web/API/Fetch_API/Using_Fetch) - [HTTP request methods](/en-US/docs/Web/HTTP/Methods) - [Official JSON website with link to ECMA standard](https://json.org) {{PreviousMenuNext("Learn/JavaScript/Objects/Classes_in_JavaScript", "Learn/JavaScript/Objects/Object_building_practice", "Learn/JavaScript/Objects")}}
0
data/mdn-content/files/en-us/learn/javascript/objects
data/mdn-content/files/en-us/learn/javascript/objects/object_building_practice/index.md
--- title: Object building practice slug: Learn/JavaScript/Objects/Object_building_practice page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/JavaScript/Objects/JSON", "Learn/JavaScript/Objects/Adding_bouncing_balls_features", "Learn/JavaScript/Objects")}} In previous articles we looked at all the essential JavaScript object theory and syntax details, giving you a solid base to start from. In this article we dive into a practical exercise, giving you some more practice in building custom JavaScript objects, with a fun and colorful result. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> A basic understanding of HTML and CSS, familiarity with JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">First steps</a> and <a href="/en-US/docs/Learn/JavaScript/Building_blocks" >Building blocks</a >) and OOJS basics (see <a href="/en-US/docs/Learn/JavaScript/Objects/Basics" >Introduction to objects</a >). </td> </tr> <tr> <th scope="row">Objective:</th> <td> To get some practice with using objects and object-oriented techniques in a real-world context. </td> </tr> </tbody> </table> ## Let's bounce some balls In this article we will write a classic "bouncing balls" demo, to show you how useful objects can be in JavaScript. Our little balls will bounce around on the screen, and change color when they touch each other. The finished example will look a little something like this: ![Screenshot of a webpage titled "Bouncing balls". 23 balls of various pastel colors and sizes are visible across a black screen with long trails behind them indicating motion.](bouncing-balls.png) This example will make use of the [Canvas API](/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Drawing_graphics) for drawing the balls to the screen, and the [`requestAnimationFrame`](/en-US/docs/Web/API/window/requestAnimationFrame) API for animating the whole display β€” you don't need to have any previous knowledge of these APIs, and we hope that by the time you've finished this article you'll be interested in exploring them more. Along the way, we'll make use of some nifty objects, and show you a couple of nice techniques like bouncing balls off walls, and checking whether they have hit each other (otherwise known as _collision detection_). ## Getting started To begin with, make local copies of our [`index.html`](https://github.com/mdn/learning-area/blob/main/javascript/oojs/bouncing-balls/index.html), [`style.css`](https://github.com/mdn/learning-area/blob/main/javascript/oojs/bouncing-balls/style.css), and [`main.js`](https://github.com/mdn/learning-area/blob/main/javascript/oojs/bouncing-balls/main.js) files. These contain the following, respectively: 1. A very simple HTML document featuring an {{HTMLElement("Heading_Elements", "h1")}} element, a {{HTMLElement("canvas")}} element to draw our balls on, and elements to apply our CSS and JavaScript to our HTML. 2. Some very simple styles, which mainly serve to style and position the `<h1>`, and get rid of any scrollbars or margin around the edge of the page (so that it looks nice and neat). 3. Some JavaScript that serves to set up the `<canvas>` element and provide a general function that we're going to use. The first part of the script looks like so: ```js const canvas = document.querySelector("canvas"); const ctx = canvas.getContext("2d"); const width = (canvas.width = window.innerWidth); const height = (canvas.height = window.innerHeight); ``` This script gets a reference to the `<canvas>` element, then calls the [`getContext()`](/en-US/docs/Web/API/HTMLCanvasElement/getContext) method on it to give us a context on which we can start to draw. The resulting constant (`ctx`) is the object that directly represents the drawing area of the canvas and allows us to draw 2D shapes on it. Next, we set constants called `width` and `height`, and the width and height of the canvas element (represented by the `canvas.width` and `canvas.height` properties) to equal the width and height of the browser viewport (the area which the webpage appears on β€” this can be gotten from the {{domxref("Window.innerWidth")}} and {{domxref("Window.innerHeight")}} properties). Note that we are chaining multiple assignments together, to get the variables all set quicker β€” this is perfectly OK. Then we have two helper functions: ```js function random(min, max) { return Math.floor(Math.random() * (max - min + 1)) + min; } function randomRGB() { return `rgb(${random(0, 255)} ${random(0, 255)} ${random(0, 255)})`; } ``` The `random()` function takes two numbers as arguments, and returns a random number in the range between the two. The `randomRGB()` function generates a random color represented as an [`rgb()`](/en-US/docs/Web/CSS/color_value/rgb) string. ## Modeling a ball in our program Our program will feature lots of balls bouncing around the screen. Since these balls will all behave in the same way, it makes sense to represent them with an object. Let's start by adding the following class definition to the bottom of our code. ```js class Ball { constructor(x, y, velX, velY, color, size) { this.x = x; this.y = y; this.velX = velX; this.velY = velY; this.color = color; this.size = size; } } ``` So far this class only contains a constructor, in which we can initialize the properties each ball needs in order to function in our program: - `x` and `y` coordinates β€” the horizontal and vertical coordinates where the ball starts on the screen. This can range between 0 (top left hand corner) to the width and height of the browser viewport (bottom right-hand corner). - horizontal and vertical velocity (`velX` and `velY`) β€” each ball is given a horizontal and vertical velocity; in real terms these values are regularly added to the `x`/`y` coordinate values when we animate the balls, to move them by this much on each frame. - `color` β€” each ball gets a color. - `size` β€” each ball gets a size β€” this is its radius, in pixels. This handles the properties, but what about the methods? We want to get our balls to actually do something in our program. ### Drawing the ball First add the following `draw()` method to the `Ball` class: ```js draw() { ctx.beginPath(); ctx.fillStyle = this.color; ctx.arc(this.x, this.y, this.size, 0, 2 * Math.PI); ctx.fill(); } ``` Using this function, we can tell the ball to draw itself onto the screen, by calling a series of members of the 2D canvas context we defined earlier (`ctx`). The context is like the paper, and now we want to command our pen to draw something on it: - First, we use [`beginPath()`](/en-US/docs/Web/API/CanvasRenderingContext2D/beginPath) to state that we want to draw a shape on the paper. - Next, we use [`fillStyle`](/en-US/docs/Web/API/CanvasRenderingContext2D/fillStyle) to define what color we want the shape to be β€” we set it to our ball's `color` property. - Next, we use the [`arc()`](/en-US/docs/Web/API/CanvasRenderingContext2D/arc) method to trace an arc shape on the paper. Its parameters are: - The `x` and `y` position of the arc's center β€” we are specifying the ball's `x` and `y` properties. - The radius of the arc β€” in this case, the ball's `size` property. - The last two parameters specify the start and end number of degrees around the circle that the arc is drawn between. Here we specify 0 degrees, and `2 * PI`, which is the equivalent of 360 degrees in radians (annoyingly, you have to specify this in radians). That gives us a complete circle. If you had specified only `1 * PI`, you'd get a semi-circle (180 degrees). - Last of all, we use the [`fill()`](/en-US/docs/Web/API/CanvasRenderingContext2D/fill) method, which basically states "finish drawing the path we started with `beginPath()`, and fill the area it takes up with the color we specified earlier in `fillStyle`." You can start testing your object out already. 1. Save the code so far, and load the HTML file in a browser. 2. Open the browser's JavaScript console, and then refresh the page so that the canvas size changes to the smaller visible viewport that remains when the console opens. 3. Type in the following to create a new ball instance: ```js const testBall = new Ball(50, 100, 4, 4, "blue", 10); ``` 4. Try calling its members: ```js testBall.x; testBall.size; testBall.color; testBall.draw(); ``` 5. When you enter the last line, you should see the ball draw itself somewhere on the canvas. ### Updating the ball's data We can draw the ball in position, but to actually move the ball, we need an update function of some kind. Add the following code inside the class definition for `Ball`: ```js update() { if ((this.x + this.size) >= width) { this.velX = -(this.velX); } if ((this.x - this.size) <= 0) { this.velX = -(this.velX); } if ((this.y + this.size) >= height) { this.velY = -(this.velY); } if ((this.y - this.size) <= 0) { this.velY = -(this.velY); } this.x += this.velX; this.y += this.velY; } ``` The first four parts of the function check whether the ball has reached the edge of the canvas. If it has, we reverse the polarity of the relevant velocity to make the ball travel in the opposite direction. So for example, if the ball was traveling upwards (negative `velY`), then the vertical velocity is changed so that it starts to travel downwards instead (positive `velY`). In the four cases, we are checking to see: - if the `x` coordinate is greater than the width of the canvas (the ball is going off the right edge). - if the `x` coordinate is smaller than 0 (the ball is going off the left edge). - if the `y` coordinate is greater than the height of the canvas (the ball is going off the bottom edge). - if the `y` coordinate is smaller than 0 (the ball is going off the top edge). In each case, we include the `size` of the ball in the calculation because the `x`/`y` coordinates are in the center of the ball, but we want the edge of the ball to bounce off the perimeter β€” we don't want the ball to go halfway off the screen before it starts to bounce back. The last two lines add the `velX` value to the `x` coordinate, and the `velY` value to the `y` coordinate β€” the ball is in effect moved each time this method is called. This will do for now; let's get on with some animation! ## Animating the ball Now let's make this fun. We are now going to start adding balls to the canvas, and animating them. First, we need to create somewhere to store all our balls and then populate it. The following will do this job β€” add it to the bottom of your code now: ```js const balls = []; while (balls.length < 25) { const size = random(10, 20); const ball = new Ball( // ball position always drawn at least one ball width // away from the edge of the canvas, to avoid drawing errors random(0 + size, width - size), random(0 + size, height - size), random(-7, 7), random(-7, 7), randomRGB(), size, ); balls.push(ball); } ``` The `while` loop creates a new instance of our `Ball()` using random values generated with our `random()` and `randomRGB()` functions, then `push()`es it onto the end of our balls array, but only while the number of balls in the array is less than 25. So when we have 25 balls in the array, no more balls will be pushed. You can try varying the number in `balls.length < 25` to get more or fewer balls in the array. Depending on how much processing power your computer/browser has, specifying several thousand balls might slow down the animation rather a lot! Next, add the following to the bottom of your code: ```js function loop() { ctx.fillStyle = "rgb(0 0 0 / 25%)"; ctx.fillRect(0, 0, width, height); for (const ball of balls) { ball.draw(); ball.update(); } requestAnimationFrame(loop); } ``` All programs that animate things generally involve an animation loop, which serves to update the information in the program and then render the resulting view on each frame of the animation; this is the basis for most games and other such programs. Our `loop()` function does the following: - Sets the canvas fill color to semi-transparent black, then draws a rectangle of the color across the whole width and height of the canvas, using `fillRect()` (the four parameters provide a start coordinate, and a width and height for the rectangle drawn). This serves to cover up the previous frame's drawing before the next one is drawn. If you don't do this, you'll just see long snakes worming their way around the canvas instead of balls moving! The color of the fill is set to semi-transparent, `rgb(0 0 0 / 25%)`, to allow the previous few frames to shine through slightly, producing the little trails behind the balls as they move. If you changed 0.25 to 1, you won't see them at all any more. Try varying this number to see the effect it has. - Loops through all the balls in the `balls` array, and runs each ball's `draw()` and `update()` function to draw each one on the screen, then do the necessary updates to position and velocity in time for the next frame. - Runs the function again using the `requestAnimationFrame()` method β€” when this method is repeatedly run and passed the same function name, it runs that function a set number of times per second to create a smooth animation. This is generally done recursively β€” which means that the function is calling itself every time it runs, so it runs over and over again. Finally, add the following line to the bottom of your code β€” we need to call the function once to get the animation started. ```js loop(); ``` That's it for the basics β€” try saving and refreshing to test your bouncing balls out! ## Adding collision detection Now for a bit of fun, let's add some collision detection to our program, so our balls know when they have hit another ball. First, add the following method definition to your `Ball` class. ```js collisionDetect() { for (const ball of balls) { if (this !== ball) { const dx = this.x - ball.x; const dy = this.y - ball.y; const distance = Math.sqrt(dx * dx + dy * dy); if (distance < this.size + ball.size) { ball.color = this.color = randomRGB(); } } } } ``` This method is a little complex, so don't worry if you don't understand exactly how it works for now. An explanation follows: - For each ball, we need to check every other ball to see if it has collided with the current ball. To do this, we start another `for...of` loop to loop through all the balls in the `balls[]` array. - Immediately inside the for loop, we use an `if` statement to check whether the current ball being looped through is the same ball as the one we are currently checking. We don't want to check whether a ball has collided with itself! To do this, we check whether the current ball (i.e., the ball whose collisionDetect method is being invoked) is the same as the loop ball (i.e., the ball that is being referred to by the current iteration of the for loop in the collisionDetect method). We then use `!` to negate the check, so that the code inside the `if` statement only runs if they are **not** the same. - We then use a common algorithm to check the collision of two circles. We are basically checking whether any of the two circle's areas overlap. This is explained further in [2D collision detection](/en-US/docs/Games/Techniques/2D_collision_detection). - If a collision is detected, the code inside the inner `if` statement is run. In this case, we only set the `color` property of both the circles to a new random color. We could have done something far more complex, like get the balls to bounce off each other realistically, but that would have been far more complex to implement. For such physics simulations, developers tend to use a games or physics libraries such as [PhysicsJS](https://wellcaffeinated.net/PhysicsJS/), [matter.js](https://brm.io/matter-js/), [Phaser](https://phaser.io/), etc. You also need to call this method in each frame of the animation. Update your `loop()` function to call `ball.collisionDetect()` after `ball.update()`: ```js function loop() { ctx.fillStyle = "rgb(0 0 0 / 25%)"; ctx.fillRect(0, 0, width, height); for (const ball of balls) { ball.draw(); ball.update(); ball.collisionDetect(); } requestAnimationFrame(loop); } ``` Save and refresh the demo again, and you'll see your balls change color when they collide! > **Note:** If you have trouble getting this example to work, try comparing your JavaScript code against our [finished version](https://github.com/mdn/learning-area/blob/main/javascript/oojs/bouncing-balls/main-finished.js) (also see it [running live](https://mdn.github.io/learning-area/javascript/oojs/bouncing-balls/index-finished.html)). ## Summary We hope you had fun writing your own real-world random bouncing balls example, using various object and object-oriented techniques from throughout the module! This should have given you some useful practice in using objects, and good real-world context. That's it for object articles β€” all that remains now is for you to test your skills in the object assessment. ## See also - [Canvas tutorial](/en-US/docs/Web/API/Canvas_API/Tutorial) β€” a beginner's guide to using 2D canvas. - [requestAnimationFrame()](/en-US/docs/Web/API/window/requestAnimationFrame) - [2D collision detection](/en-US/docs/Games/Techniques/2D_collision_detection) - [3D collision detection](/en-US/docs/Games/Techniques/3D_collision_detection) - [2D breakout game using pure JavaScript](/en-US/docs/Games/Tutorials/2D_Breakout_game_pure_JavaScript) β€” a great beginner's tutorial showing how to build a 2D game. - [2D breakout game using Phaser](/en-US/docs/Games/Tutorials/2D_breakout_game_Phaser) β€” explains the basics of building a 2D game using a JavaScript game library. {{PreviousMenuNext("Learn/JavaScript/Objects/JSON", "Learn/JavaScript/Objects/Adding_bouncing_balls_features", "Learn/JavaScript/Objects")}}
0
data/mdn-content/files/en-us/learn/javascript/objects
data/mdn-content/files/en-us/learn/javascript/objects/object-oriented_programming/index.md
--- title: Object-oriented programming slug: Learn/JavaScript/Objects/Object-oriented_programming page-type: learn-module-chapter --- {{LearnSidebar}}{{PreviousMenuNext("Learn/JavaScript/Objects/Object_prototypes", "Learn/JavaScript/Objects/Classes_in_JavaScript", "Learn/JavaScript/Objects")}} Object-oriented programming (OOP) is a programming paradigm fundamental to many programming languages, including Java and C++. In this article, we'll provide an overview of the basic concepts of OOP. We'll describe three main concepts: **classes and instances**, **inheritance**, and **encapsulation**. For now, we'll describe these concepts without reference to JavaScript in particular, so all the examples are given in {{Glossary("Pseudocode", "pseudocode")}}. > **Note:** To be precise, the features described here are of a particular style of OOP called **class-based** or "classical" OOP. When people talk about OOP, this is generally the type that they mean. After that, in JavaScript, we'll look at how constructors and the prototype chain relate to these OOP concepts, and how they differ. In the next article, we'll look at some additional features of JavaScript that make it easier to implement object-oriented programs. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> Understanding JavaScript functions, familiarity with JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">First steps</a> and <a href="/en-US/docs/Learn/JavaScript/Building_blocks" >Building blocks</a >), and OOJS basics (see <a href="/en-US/docs/Learn/JavaScript/Objects/Basics" >Introduction to objects</a > and <a href="/en-US/docs/Learn/JavaScript/Objects/Object_prototypes">Object prototypes</a>). </td> </tr> <tr> <th scope="row">Objective:</th> <td> To understand the basic concepts of class-based object-oriented programming. </td> </tr> </tbody> </table> Object-oriented programming is about modeling a system as a collection of objects, where each object represents some particular aspect of the system. Objects contain both functions (or methods) and data. An object provides a public interface to other code that wants to use it but maintains its own private, internal state; other parts of the system don't have to care about what is going on inside the object. ## Classes and instances When we model a problem in terms of objects in OOP, we create abstract definitions representing the types of objects we want to have in our system. For example, if we were modeling a school, we might want to have objects representing professors. Every professor has some properties in common: they all have a name and a subject that they teach. Additionally, every professor can do certain things: they can all grade a paper and they can introduce themselves to their students at the start of the year, for example. So `Professor` could be a **class** in our system. The definition of the class lists the data and methods that every professor has. In pseudocode, a `Professor` class could be written like this: ```plain class Professor properties name teaches methods grade(paper) introduceSelf() ``` This defines a `Professor` class with: - two data properties: `name` and `teaches` - two methods: `grade()` to grade a paper and `introduceSelf()` to introduce themselves. On its own, a class doesn't do anything: it's a kind of template for creating concrete objects of that type. Each concrete professor we create is called an **instance** of the `Professor` class. The process of creating an instance is performed by a special function called a **constructor**. We pass values to the constructor for any internal state that we want to initialize in the new instance. Generally, the constructor is written out as part of the class definition, and it usually has the same name as the class itself: ```plain class Professor properties name teaches constructor Professor(name, teaches) methods grade(paper) introduceSelf() ``` This constructor takes two parameters, so we can initialize the `name` and `teaches` properties when we create a new concrete professor. Now that we have a constructor, we can create some professors. Programming languages often use the keyword `new` to signal that a constructor is being called. ```js walsh = new Professor("Walsh", "Psychology"); lillian = new Professor("Lillian", "Poetry"); walsh.teaches; // 'Psychology' walsh.introduceSelf(); // 'My name is Professor Walsh and I will be your Psychology professor.' lillian.teaches; // 'Poetry' lillian.introduceSelf(); // 'My name is Professor Lillian and I will be your Poetry professor.' ``` This creates two objects, both instances of the `Professor` class. ## Inheritance Suppose in our school we also want to represent students. Unlike professors, students can't grade papers, don't teach a particular subject, and belong to a particular year. However, students do have a name and may also want to introduce themselves, so we might write out the definition of a student class like this: ```plain class Student properties name year constructor Student(name, year) methods introduceSelf() ``` It would be helpful if we could represent the fact that students and professors share some properties, or more accurately, the fact that on some level, they are the _same kind of thing_. **Inheritance** lets us do this. We start by observing that students and professors are both people, and people have names and want to introduce themselves. We can model this by defining a new class `Person`, where we define all the common properties of people. Then, `Professor` and `Student` can both **derive** from `Person`, adding their extra properties: ```plain class Person properties name constructor Person(name) methods introduceSelf() class Professor : extends Person properties teaches constructor Professor(name, teaches) methods grade(paper) introduceSelf() class Student : extends Person properties year constructor Student(name, year) methods introduceSelf() ``` In this case, we would say that `Person` is the **superclass** or **parent class** of both `Professor` and `Student`. Conversely, `Professor` and `Student` are **subclasses** or **child classes** of `Person`. You might notice that `introduceSelf()` is defined in all three classes. The reason for this is that while all people want to introduce themselves, the way they do so is different: ```js walsh = new Professor("Walsh", "Psychology"); walsh.introduceSelf(); // 'My name is Professor Walsh and I will be your Psychology professor.' summers = new Student("Summers", 1); summers.introduceSelf(); // 'My name is Summers and I'm in the first year.' ``` We might have a default implementation of `introduceSelf()` for people who aren't students _or_ professors: ```js pratt = new Person("Pratt"); pratt.introduceSelf(); // 'My name is Pratt.' ``` This feature - when a method has the same name but a different implementation in different classes - is called **polymorphism**. When a method in a subclass replaces the superclass's implementation, we say that the subclass **overrides** the version in the superclass. ## Encapsulation Objects provide an interface to other code that wants to use them but maintain their own internal state. The object's internal state is kept **private**, meaning that it can only be accessed by the object's own methods, not from other objects. Keeping an object's internal state private, and generally making a clear division between its public interface and its private internal state, is called **encapsulation**. This is a useful feature because it enables the programmer to change the internal implementation of an object without having to find and update all the code that uses it: it creates a kind of firewall between this object and the rest of the system. For example, suppose students are allowed to study archery if they are in the second year or above. We could implement this just by exposing the student's `year` property, and other code could examine that to decide whether the student can take the course: ```js if (student.year > 1) { // allow the student into the class } ``` The problem is, if we decide to change the criteria for allowing students to study archery - for example by also requiring the parent or guardian to give their permission - we'd need to update every place in our system that performs this test. It would be better to have a `canStudyArchery()` method on `Student` objects, that implements the logic in one place: ```plain class Student : extends Person properties year constructor Student(name, year) methods introduceSelf() canStudyArchery() { return this.year > 1 } ``` ```js if (student.canStudyArchery()) { // allow the student into the class } ``` That way, if we want to change the rules about studying archery, we only have to update the `Student` class, and all the code using it will still work. In many OOP languages, we can prevent other code from accessing an object's internal state by marking some properties as `private`. This will generate an error if code outside the object tries to access them: ```plain class Student : extends Person properties private year constructor Student(name, year) methods introduceSelf() canStudyArchery() { return this.year > 1 } student = new Student('Weber', 1) student.year // error: 'year' is a private property of Student ``` In languages that don't enforce access like this, programmers use naming conventions, such as starting the name with an underscore, to indicate that the property should be considered private. ## OOP and JavaScript In this article, we've described some of the basic features of class-based object-oriented programming as implemented in languages like Java and C++. In the two previous articles, we looked at a couple of core JavaScript features: [constructors](/en-US/docs/Learn/JavaScript/Objects/Basics) and [prototypes](/en-US/docs/Learn/JavaScript/Objects/Object_prototypes). These features certainly have some relation to some of the OOP concepts described above. - **constructors** in JavaScript provide us with something like a class definition, enabling us to define the "shape" of an object, including any methods it contains, in a single place. But prototypes can be used here, too. For example, if a method is defined on a constructor's `prototype` property, then all objects created using that constructor get that method via their prototype, and we don't need to define it in the constructor. - **the prototype chain** seems like a natural way to implement inheritance. For example, if we can have a `Student` object whose prototype is `Person`, then it can inherit `name` and override `introduceSelf()`. But it's worth understanding the differences between these features and the "classical" OOP concepts described above. We'll highlight a couple of them here. First, in class-based OOP, classes and objects are two separate constructs, and objects are always created as instances of classes. Also, there is a distinction between the feature used to define a class (the class syntax itself) and the feature used to instantiate an object (a constructor). In JavaScript, we can and often do create objects without any separate class definition, either using a function or an object literal. This can make working with objects much more lightweight than it is in classical OOP. Second, although a prototype chain looks like an inheritance hierarchy and behaves like it in some ways, it's different in others. When a subclass is instantiated, a single object is created which combines properties defined in the subclass with properties defined further up the hierarchy. With prototyping, each level of the hierarchy is represented by a separate object, and they are linked together via the `__proto__` property. The prototype chain's behavior is less like inheritance and more like **delegation**. Delegation is a programming pattern where an object, when asked to perform a task, can perform the task itself or ask another object (its **delegate**) to perform the task on its behalf. In many ways, delegation is a more flexible way of combining objects than inheritance (for one thing, it's possible to change or completely replace the delegate at run time). That said, constructors and prototypes can be used to implement class-based OOP patterns in JavaScript. But using them directly to implement features like inheritance is tricky, so JavaScript provides extra features, layered on top of the prototype model, that map more directly to the concepts of class-based OOP. These extra features are the subject of the next article. ## Summary This article has described the basic features of class-based object oriented programming, and briefly looked at how JavaScript constructors and prototypes compare with these concepts. In the next article, we'll look at the features JavaScript provides to support class-based object-oriented programming. {{PreviousMenuNext("Learn/JavaScript/Objects/Object_prototypes", "Learn/JavaScript/Objects/Classes_in_JavaScript", "Learn/JavaScript/Objects")}}
0
data/mdn-content/files/en-us/learn/javascript/objects
data/mdn-content/files/en-us/learn/javascript/objects/test_your_skills_colon__json/index.md
--- title: "Test your skills: JSON" slug: Learn/JavaScript/Objects/Test_your_skills:_JSON page-type: learn-module-assessment --- {{learnsidebar}} The aim of this skill test is to assess whether you've understood our [Working with JSON](/en-US/docs/Learn/JavaScript/Objects/JSON) article. > **Note:** You can try solutions by downloading the code and putting it in an online editor such as [CodePen](https://codepen.io/), [JSFiddle](https://jsfiddle.net/), or [Glitch](https://glitch.com/). > If there is an error, it will be logged in the results panel on the page or into the browser's JavaScript console to help you. > > If you get stuck, you can reach out to us in one of our [communication channels](/en-US/docs/MDN/Community/Communication_channels). ## JSON 1 The one and only task in this article concerns accessing JSON data and using it in your page. JSON data about some mother cats and their kittens is available in [sample.json](https://github.com/mdn/learning-area/blob/main/javascript/oojs/tasks/json/sample.json). The JSON is loaded into the page as a text string and made available in the `catString` parameter of the `displayCatInfo()` function. Your task is to fill in the missing parts of the `displayCatInfo()` function to store: - The names of the three mother cats, separated by commas, in the `motherInfo` variable. - The total number of kittens, and how many are male and female, in the `kittenInfo` variable. The values of these variables are then printed to the screen inside paragraphs. Some hints/questions: - The JSON data is provided as text inside the `displayCatInfo()` function. You'll need to parse it into JSON before you can get any data out of it. - You'll probably want to use an outer loop to loop through the cats and add their names to the `motherInfo` variable string, and an inner loop to loop through all the kittens, add up the total of all/male/female kittens, and add those details to the `kittenInfo` variable string. - The last mother cat name should have an "and" before it, and a full stop after it. How do you make sure this can work, no matter how many cats are in the JSON? - Why are the `para1.textContent = motherInfo;` and `para2.textContent = kittenInfo;` lines inside the `displayCatInfo()` function, and not at the end of the script? This has something to do with async code. Try updating the live code below to recreate the finished example: {{EmbedGHLiveSample("learning-area/javascript/oojs/tasks/json/json1.html", '100%', 400)}} > **Callout:** > > [Download the starting point for this task](https://github.com/mdn/learning-area/blob/main/javascript/oojs/tasks/json/json1-download.html) to work in your own editor or in an online editor.
0
data/mdn-content/files/en-us/learn/javascript/objects
data/mdn-content/files/en-us/learn/javascript/objects/basics/index.md
--- title: JavaScript object basics slug: Learn/JavaScript/Objects/Basics page-type: learn-module-chapter --- {{LearnSidebar}}{{NextMenu("Learn/JavaScript/Objects/Object_prototypes", "Learn/JavaScript/Objects")}} In this article, we'll look at fundamental JavaScript object syntax, and revisit some JavaScript features that we've already seen earlier in the course, reiterating the fact that many of the features you've already dealt with are objects. <table> <tbody> <tr> <th scope="row">Prerequisites:</th> <td> A basic understanding of HTML and CSS, familiarity with JavaScript basics (see <a href="/en-US/docs/Learn/JavaScript/First_steps">First steps</a> and <a href="/en-US/docs/Learn/JavaScript/Building_blocks">Building blocks</a>). </td> </tr> <tr> <th scope="row">Objective:</th> <td> To understand the basics of working with objects in JavaScript: creating objects, accessing and modifying object properties, and using constructors. </td> </tr> </tbody> </table> ## Object basics An object is a collection of related data and/or functionality. These usually consist of several variables and functions (which are called properties and methods when they are inside objects). Let's work through an example to understand what they look like. To begin with, make a local copy of our [oojs.html](https://github.com/mdn/learning-area/blob/main/javascript/oojs/introduction/oojs.html) file. This contains very little β€” a {{HTMLElement("script")}} element for us to write our source code into. We'll use this as a basis for exploring basic object syntax. While working with this example you should have your [developer tools JavaScript console](/en-US/docs/Learn/Common_questions/Tools_and_setup/What_are_browser_developer_tools#the_javascript_console) open and ready to type in some commands. As with many things in JavaScript, creating an object often begins with defining and initializing a variable. Try entering the following line below the JavaScript code that's already in your file, then saving and refreshing: ```js const person = {}; ``` Now open your browser's [JavaScript console](/en-US/docs/Learn/Common_questions/Tools_and_setup/What_are_browser_developer_tools#the_javascript_console), enter `person` into it, and press <kbd>Enter</kbd>/<kbd>Return</kbd>. You should get a result similar to one of the below lines: ```plain [object Object] Object { } { } ``` Congratulations, you've just created your first object. Job done! But this is an empty object, so we can't really do much with it. Let's update the JavaScript object in our file to look like this: ```js const person = { name: ["Bob", "Smith"], age: 32, bio: function () { console.log(`${this.name[0]} ${this.name[1]} is ${this.age} years old.`); }, introduceSelf: function () { console.log(`Hi! I'm ${this.name[0]}.`); }, }; ``` After saving and refreshing, try entering some of the following into the JavaScript console on your browser devtools: ```js person.name; person.name[0]; person.age; person.bio(); // "Bob Smith is 32 years old." person.introduceSelf(); // "Hi! I'm Bob." ``` You have now got some data and functionality inside your object, and are now able to access them with some nice simple syntax! So what is going on here? Well, an object is made up of multiple members, each of which has a name (e.g. `name` and `age` above), and a value (e.g. `['Bob', 'Smith']` and `32`). Each name/value pair must be separated by a comma, and the name and value in each case are separated by a colon. The syntax always follows this pattern: ```js const objectName = { member1Name: member1Value, member2Name: member2Value, member3Name: member3Value, }; ``` The value of an object member can be pretty much anything β€” in our person object we've got a number, an array, and two functions. The first two items are data items, and are referred to as the object's **properties**. The last two items are functions that allow the object to do something with that data, and are referred to as the object's **methods**. When the object's members are functions there's a simpler syntax. Instead of `bio: function ()` we can write `bio()`. Like this: ```js const person = { name: ["Bob", "Smith"], age: 32, bio() { console.log(`${this.name[0]} ${this.name[1]} is ${this.age} years old.`); }, introduceSelf() { console.log(`Hi! I'm ${this.name[0]}.`); }, }; ``` From now on, we'll use this shorter syntax. An object like this is referred to as an **object literal** β€” we've literally written out the object contents as we've come to create it. This is different compared to objects instantiated from classes, which we'll look at later on. It is very common to create an object using an object literal when you want to transfer a series of structured, related data items in some manner, for example sending a request to the server to be put into a database. Sending a single object is much more efficient than sending several items individually, and it is easier to work with than an array, when you want to identify individual items by name. ## Dot notation Above, you accessed the object's properties and methods using **dot notation**. The object name (person) acts as the **namespace** β€” it must be entered first to access anything inside the object. Next you write a dot, then the item you want to access β€” this can be the name of a simple property, an item of an array property, or a call to one of the object's methods, for example: ```js person.age; person.bio(); ``` ### Objects as object properties An object property can itself be an object. For example, try changing the `name` member from ```js const person = { name: ["Bob", "Smith"], }; ``` to ```js const person = { name: { first: "Bob", last: "Smith", }, // … }; ``` To access these items you just need to chain the extra step onto the end with another dot. Try these in the JS console: ```js person.name.first; person.name.last; ``` If you do this, you'll also need to go through your method code and change any instances of ```js name[0]; name[1]; ``` to ```js name.first; name.last; ``` Otherwise, your methods will no longer work. ## Bracket notation Bracket notation provides an alternative way to access object properties. Instead of using [dot notation](#dot_notation) like this: ```js person.age; person.name.first; ``` You can instead use square brackets: ```js person["age"]; person["name"]["first"]; ``` This looks very similar to how you access the items in an array, and it is basically the same thing β€” instead of using an index number to select an item, you are using the name associated with each member's value. It is no wonder that objects are sometimes called **associative arrays** β€” they map strings to values in the same way that arrays map numbers to values. Dot notation is generally preferred over bracket notation because it is more succinct and easier to read. However there are some cases where you have to use square brackets. For example, if an object property name is held in a variable, then you can't use dot notation to access the value, but you can access the value using bracket notation. In the example below, the `logProperty()` function can use `person[propertyName]` to retrieve the value of the property named in `propertyName`. ```js const person = { name: ["Bob", "Smith"], age: 32, }; function logProperty(propertyName) { console.log(person[propertyName]); } logProperty("name"); // ["Bob", "Smith"] logProperty("age"); // 32 ``` ## Setting object members So far we've only looked at retrieving (or **getting**) object members β€” you can also **set** (update) the value of object members by declaring the member you want to set (using dot or bracket notation), like this: ```js person.age = 45; person["name"]["last"] = "Cratchit"; ``` Try entering the above lines, and then getting the members again to see how they've changed, like so: ```js person.age; person["name"]["last"]; ``` Setting members doesn't just stop at updating the values of existing properties and methods; you can also create completely new members. Try these in the JS console: ```js person["eyes"] = "hazel"; person.farewell = function () { console.log("Bye everybody!"); }; ``` You can now test out your new members: ```js person["eyes"]; person.farewell(); // "Bye everybody!" ``` One useful aspect of bracket notation is that it can be used to set not only member values dynamically, but member names too. Let's say we wanted users to be able to store custom value types in their people data, by typing the member name and value into two text inputs. We could get those values like this: ```js const myDataName = nameInput.value; const myDataValue = nameValue.value; ``` We could then add this new member name and value to the `person` object like this: ```js person[myDataName] = myDataValue; ``` To test this, try adding the following lines into your code, just below the closing curly brace of the `person` object: ```js const myDataName = "height"; const myDataValue = "1.75m"; person[myDataName] = myDataValue; ``` Now try saving and refreshing, and entering the following into your text input: ```js person.height; ``` Adding a property to an object using the method above isn't possible with dot notation, which can only accept a literal member name, not a variable value pointing to a name. ## What is "this"? You may have noticed something slightly strange in our methods. Look at this one for example: ```js introduceSelf() { console.log(`Hi! I'm ${this.name[0]}.`); } ``` You are probably wondering what "this" is. The `this` keyword refers to the current object the code is being written inside β€” so in this case `this` is equivalent to `person`. So why not just write `person` instead? Well, when you only have to create a single object literal, it's not so useful. But if you create more than one, `this` enables you to use the same method definition for every object you create. Let's illustrate what we mean with a simplified pair of person objects: ```js const person1 = { name: "Chris", introduceSelf() { console.log(`Hi! I'm ${this.name}.`); }, }; const person2 = { name: "Deepti", introduceSelf() { console.log(`Hi! I'm ${this.name}.`); }, }; ``` In this case, `person1.introduceSelf()` outputs "Hi! I'm Chris."; `person2.introduceSelf()` on the other hand outputs "Hi! I'm Deepti.", even though the method's code is exactly the same in each case. This isn't hugely useful when you are writing out object literals by hand, but it will be essential when we start using **constructors** to create more than one object from a single object definition, and that's the subject of the next section. ## Introducing constructors Using object literals is fine when you only need to create one object, but if you have to create more than one, as in the previous section, they're seriously inadequate. We have to write out the same code for every object we create, and if we want to change some properties of the object - like adding a `height` property - then we have to remember to update every object. We would like a way to define the "shape" of an object β€” the set of methods and the properties it can have β€” and then create as many objects as we like, just updating the values for the properties that are different. The first version of this is just a function: ```js function createPerson(name) { const obj = {}; obj.name = name; obj.introduceSelf = function () { console.log(`Hi! I'm ${this.name}.`); }; return obj; } ``` This function creates and returns a new object each time we call it. The object will have two members: - a property `name` - a method `introduceSelf()`. Note that `createPerson()` takes a parameter `name` to set the value of the `name` property, but the value of the `introduceSelf()` method will be the same for all objects created using this function. This is a very common pattern for creating objects. Now we can create as many objects as we like, reusing the definition: ```js const salva = createPerson("Salva"); salva.name; salva.introduceSelf(); // "Hi! I'm Salva." const frankie = createPerson("Frankie"); frankie.name; frankie.introduceSelf(); // "Hi! I'm Frankie." ``` This works fine but is a bit long-winded: we have to create an empty object, initialize it, and return it. A better way is to use a **constructor**. A constructor is just a function called using the {{jsxref("operators/new", "new")}} keyword. When you call a constructor, it will: - create a new object - bind `this` to the new object, so you can refer to `this` in your constructor code - run the code in the constructor - return the new object. Constructors, by convention, start with a capital letter and are named for the type of object they create. So we could rewrite our example like this: ```js function Person(name) { this.name = name; this.introduceSelf = function () { console.log(`Hi! I'm ${this.name}.`); }; } ``` To call `Person()` as a constructor, we use `new`: ```js const salva = new Person("Salva"); salva.name; salva.introduceSelf(); // "Hi! I'm Salva." const frankie = new Person("Frankie"); frankie.name; frankie.introduceSelf(); // "Hi! I'm Frankie." ``` ## You've been using objects all along As you've been going through these examples, you have probably been thinking that the dot notation you've been using is very familiar. That's because you've been using it throughout the course! Every time we've been working through an example that uses a built-in browser API or JavaScript object, we've been using objects, because such features are built using exactly the same kind of object structures that we've been looking at here, albeit more complex ones than in our own basic custom examples. So when you used string methods like: ```js myString.split(","); ``` You were using a method available on a [`String`](/en-US/docs/Web/JavaScript/Reference/Global_Objects/String) object. Every time you create a string in your code, that string is automatically created as an instance of `String`, and therefore has several common methods and properties available on it. When you accessed the document object model using lines like this: ```js const myDiv = document.createElement("div"); const myVideo = document.querySelector("video"); ``` You were using methods available on a [`Document`](/en-US/docs/Web/API/Document) object. For each webpage loaded, an instance of `Document` is created, called `document`, which represents the entire page's structure, content, and other features such as its URL. Again, this means that it has several common methods and properties available on it. The same is true of pretty much any other built-in object or API you've been using β€” [`Array`](/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array), [`Math`](/en-US/docs/Web/JavaScript/Reference/Global_Objects/Math), and so on. Note that built in objects and APIs don't always create object instances automatically. As an example, the [Notifications API](/en-US/docs/Web/API/Notifications_API) β€” which allows modern browsers to fire system notifications β€” requires you to instantiate a new object instance using the constructor for each notification you want to fire. Try entering the following into your JavaScript console: ```js const myNotification = new Notification("Hello!"); ``` ## Test your skills! You've reached the end of this article, but can you remember the most important information? You can find some further tests to verify that you've retained this information before you move on β€” see [Test your skills: Object basics](/en-US/docs/Learn/JavaScript/Objects/Test_your_skills:_Object_basics). ## Summary Congratulations, you've reached the end of our first JS objects article β€” you should now have a good idea of how to work with objects in JavaScript β€” including creating your own simple objects. You should also appreciate that objects are very useful as structures for storing related data and functionality β€” if you tried to keep track of all the properties and methods in our `person` object as separate variables and functions, it would be inefficient and frustrating, and we'd run the risk of clashing with other variables and functions that have the same names. Objects let us keep the information safely locked away in their own package, out of harm's way. In the next article we'll look at **prototypes**, which is the fundamental way that JavaScript lets an object inherit properties from other objects. {{NextMenu("Learn/JavaScript/Objects/Object_prototypes", "Learn/JavaScript/Objects")}}
0