一、为什么要用require.js?
最早的时候,所有Javascript代码都写在一个文件里面,只要加载这一个文件就够了。后">
search
HomeWeb Front-endJS TutorialJavascript Modular Programming (3) Introduction to the Usage and Functions of require.js_Basic Knowledge

Parts 1 and 2 of this series introduced Javascript module prototypes and theoretical concepts, and today we introduce how to use them in practice.
I use a very popular library require.js.
Javascript Modular Programming (3) Introduction to the Usage and Functions of require.js_Basic Knowledge
1. Why use require.js?
In the earliest days, all Javascript codes were written in one file, and it was enough to load this one file. Later, there were more and more codes, and one file was no longer enough. It had to be divided into multiple files and loaded in sequence. I believe many people have seen the web page code below.

Copy code The code is as follows:


 
 
 
 
 

This code loads multiple js files in sequence.
This way of writing has big disadvantages. First of all, when loading, the browser will stop rendering the web page. The more files are loaded, the longer the web page will lose response. Secondly, due to the dependencies between js files, the loading order must be strictly guaranteed (such as the above example) 1.js should be in front of 2.js), and the module with the greatest dependency must be loaded last. When the dependencies are complex, code writing and maintenance will become difficult.
require.js was born to solve these two problems :
Javascript Modular Programming (3) Introduction to the Usage and Functions of require.js_Basic Knowledge
(1) Implement asynchronous loading of js files to avoid web page loss of response;
(2) Manage dependencies between modules to facilitate code writing and maintenance.
2. Loading require.js
The first step to use require.js is to download the latest version from the official website.
After downloading, it is assumed that it is placed under the js subdirectory and it can be loaded.
Copy code The code is as follows:

 

Some people may think that loading this file may also cause the web page to lose response. There are two solutions, one is to load it at the bottom of the web page, the other is to write it as follows:
Copy code Code As follows:

 

The async attribute indicates this file It needs to be loaded asynchronously to avoid the web page becoming unresponsive. IE does not support this attribute and only supports defer, so defer is also written.

After loading require.js, the next step is to load our own code. Assume that our own code file is main.js and is also placed under the js directory. Then, just write it as follows:
Copy code The code is as follows:

 

The data-main attribute is used to specify the main module of the web program. In the above example, it is main.js under the js directory. This file will be loaded by require.js first. Since the default file extension of require.js is js, main.js can be abbreviated to main.
3. How to write the main module
The main.js in the previous section, I call it the "main module", which means the entry code of the entire web page. It's a bit like the main() function in C language, all code starts running from here.
Let’s see how to write main.js.
If our code does not depend on any other modules, we can write javascript code directly.
  // main.js
Copy code The code is as follows:

alert("Loading Success! ");

But in this case, there is no need to use require.js. A really common situation is that the main module depends on other modules, in which case the require() function defined by the AMD specification must be used.
  // main.js
Copy code The code is as follows:

require([' moduleA', 'moduleB', 'moduleC'], function (moduleA, moduleB, moduleC){
    // some code here
 });

require() function accepts two parameters. The first parameter is an array, indicating the modules it depends on. The above example is ['moduleA', 'moduleB', 'moduleC'], that is, the main module depends on these three modules; the second parameter is a callback function. Currently It will be called after all the modules specified above are loaded successfully. Loaded modules will be passed into this function as parameters, so these modules can be used inside the callback function.

require() loads moduleA, moduleB and moduleC asynchronously, and the browser will not lose response; the callback function it specifies will only run after the previous modules are loaded successfully, solving the dependency problem.

Below, we look at a practical example.
Assuming that the main module depends on the three modules of jquery, underscore and backbone, main.js can be written like this:
Copy code The code is as follows:

require(['jquery', 'underscore', 'backbone'], function ($, _, Backbone){
   // some code here
 } );

require.js will first load jQuery, underscore and backbone, and then run the callback function. The code of the main module is written in the callback function.
4. Module loading
In the last example of the previous section, the dependent modules of the main module are ['jquery', 'underscore', 'backbone']. By default, require.js assumes that these three modules are in the same directory as main.js, with the file names being jquery.js, underscore.js and backbone.js, and then loads them automatically.

Using the require.config() method, we can customize the loading behavior of the module. require.config() is written at the head of the main module (main.js). The parameter is an object, and the paths attribute of this object specifies the loading path of each module.
Copy code The code is as follows:

require.config({
Paths: {
"jquery": "jquery.min",
"underscore": "underscore.min",
"backbone": "backbone.min"
 });

The above code gives the file names of the three modules. The path defaults to the same directory as main.js (js subdirectory). If these modules are in other directories, such as the js/lib directory, there are two ways to write them. One is to specify the paths one by one.

Copy code The code is as follows:
require.config({
Paths: {
"jquery": "lib/jquery.min",
"underscore": "lib/underscore.min",
"backbone": "lib/backbone.min"
}
});

The other is to directly change the base directory (baseUrl).

Copy code The code is as follows:
require.config({
baseUrl: "js /lib",
paths: {
"jquery": "jquery.min",
"underscore": "underscore.min",
"backbone": "backbone.min"
  }
 });

If a module is on another host, you can also specify its URL directly, such as:

Copy code The code is as follows:
 require.config({
 paths: {
  "jquery": "https://ajax .googleapis.com/ajax/libs/jquery/1.7.2/jquery.min"
   }
 });


require.js requires that each module is a separate js file. In this case, if multiple modules are loaded, multiple HTTP requests will be issued, which will affect the loading speed of the web page. Therefore, require.js provides an optimization tool. After the module is deployed, you can use this tool to merge multiple modules into one file to reduce the number of HTTP requests.
5. How to write AMD modules
The modules loaded by require.js adopt AMD specifications. In other words, the module must be written according to AMD's regulations.
Specifically, the module must be defined using a specific define() function. If a module does not depend on other modules, it can be defined directly in the define() function.

Assume that there is a math.js file, which defines a math module. Then, math.js should be written like this:
  // math.js
Copy code The code is as follows:

define(function (){
var add = function (x,y){
return x y;
};
return {
add: add
};
 });

The loading method is as follows:
  // main.js
Copy code The code is as follows:

require(['math'], function (math){
  alert(math.add(1,1));
 }) ;

If this module also depends on other modules, then the first parameter of the define() function must be an array indicating the dependencies of the module.
Copy code The code is as follows:

define(['myLib'], function(myLib) {
Function foo(){
myLib.doSomething();
return {
return { foo : foo
};
});
When the require() function loads the above module, the myLib.js file will be loaded first.
6. Loading non-standard modules

Theoretically, modules loaded by require.js must be modules defined with the define() function in accordance with AMD specifications. But in fact, although some popular function libraries (such as jQuery) already comply with the AMD specification, many more libraries do not. So, can require.js load non-standard modules?
The answer is yes. Before loading such modules with require(), you must first use the require.config() method to define some of their characteristics. For example, the two libraries underscore and backbone are not written using AMD specifications. If you want to load them, you must first define their characteristics.



Copy code The code is as follows: require.config({
shim: {
| 'underscore': {
exports: '_'
| },
'backbone': {
| 'jquery'],
bone '
  }
  }
 });


require.config() accepts a configuration object. In addition to the paths attribute mentioned earlier, this object also has a The shim attribute is specially used to configure incompatible modules. Specifically, each module must define (1) the exports value (output variable name), which indicates the name of the module when called externally; (2) the deps array, which indicates the dependencies of the module.
For example, the jQuery plug-in can be defined like this:



Copy the code The code is as follows: shim: {
  'jquery.scroll': {
   deps: ['jquery'],
  exports: 'jQuery.fn.scroll'
  }
 }



7. require.js plug-in

require.js also provides a series of plug-ins to implement some specific functions. The domready plug-in allows the callback function to run after the page DOM structure is loaded.


Copy code The code is as follows:  require(['domready!'], function (doc ){
   // called once the DOM is ready
 });


The text and image plug-ins allow require.js to load text and image files.
Copy code The code is as follows:

define([
 text!review.txt ',
 'image!cat.jpg'
  ],
  function(review,cat){
    console.log(review);
  document.body.appendChild(cat);
  }
 );

Similar plug-ins include json and mdown, which are used to load json files and markdown files.
(End)
Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
vue3+vite:src使用require动态导入图片报错怎么解决vue3+vite:src使用require动态导入图片报错怎么解决May 21, 2023 pm 03:16 PM

vue3+vite:src使用require动态导入图片报错和解决方法vue3+vite动态的导入多张图片vue3如果使用的是typescript开发,就会出现require引入图片报错,requireisnotdefined不能像使用vue2这样imgUrl:require(’…/assets/test.png’)导入,是因为typescript不支持require所以用import导入,下面介绍如何解决:使用awaitimport

如何解决Python的代码中的函数嵌套过多错误?如何解决Python的代码中的函数嵌套过多错误?Jun 25, 2023 pm 12:35 PM

Python是一门非常强大的编程语言,很多程序员都选择Python作为主要的编程语言。但是,代码中过多的函数嵌套会导致程序难以维护和理解。本文将探讨如何解决Python的代码中的函数嵌套过多错误。函数嵌套浅谈函数嵌套是指在一个函数的主体中定义另外一个函数的过程。函数嵌套可以使程序的结构更加清晰,代码也更易于阅读和维护。但是,函数嵌套过多会导致代码结构过于复杂

require的用法有哪些require的用法有哪些Nov 27, 2023 am 10:03 AM

require用法:1、引入模块:在许多编程语言中,require用于引入外部模块或库,以便在程序中使用它们提供的功能。例如,在Ruby中,可以使用require来加载第三方库或模块;2、导入类或方法:在一些编程语言中,require用于导入特定的类或方法,以便在当前文件中使用它们;3、执行特定任务:在一些编程语言或框架中,require用于执行特定的任务或功能。

Golang函数的函数式编程和模块化编程的对比分析Golang函数的函数式编程和模块化编程的对比分析May 16, 2023 am 08:14 AM

随着Golang在近年来的发展,它已经成为了逐渐被大众所认可的编程语言之一。其中,Golang在函数式编程和模块化编程方面也有着它强大的优势。在本文中,我们将深入分析Golang函数式编程和模块化编程的优劣与应用场景。Golang函数式编程函数式编程是一种比较新近的编程范式,它主要强调函数是编程语言的一等公民,可以像其他值一样被传递和操作。函数式编程的一个显

解决php标题中的fatal error: require(): Failed opening required 'data/tdk.php' (include_path='.;C:\php\pear')的步骤解决php标题中的fatal error: require(): Failed opening required 'data/tdk.php' (include_path='.;C:\php\pear')的步骤Nov 27, 2023 pm 12:51 PM

解决PHP标题中的fatalerror:require():Failedopeningrequired'data/tdk.php'(include_path='.;C:phppear')的步骤在使用PHP开发网站或应用程序时,我们经常会遇到各种错误。其中一个常见的错误是"fatalerror:require():Failed

PHP中的模块化设计PHP中的模块化设计May 28, 2023 am 09:31 AM

近年来,随着互联网技术的飞速发展,PHP作为一种高效、强大、灵活的网页编程语言,被越来越多的开发者采用。然而,PHP作为一种服务器端语言,在处理大型项目时,代码的维护和管理是一个巨大的挑战。为了解决这个问题,PHP开发者们开始采用模块化设计的思想来构建复杂的应用程序。本文将详细介绍PHP中的模块化设计,包括模块化设计的优点、实现模块化设计的方法以及模块化设计

PHP中require关键字的作用和使用方法详解PHP中require关键字的作用和使用方法详解Jun 28, 2023 pm 11:31 PM

PHP中require关键字的作用和使用方法详解在PHP开发中,require是一个非常常用的关键字。它的作用是将指定的文件包含进来,以供当前脚本使用。本文将详细讲解require关键字的作用和使用方法。一、require关键字的作用require关键字可以将一个文件的内容包含到当前脚本中。它通常用于包含一些必要的外部文件,比如库文件、配置文件等。使用req

解决php标题中的fatal error: require(): Failed opening required 'data/tdk.php'的步骤解决php标题中的fatal error: require(): Failed opening required 'data/tdk.php'的步骤Nov 27, 2023 am 10:41 AM

解决PHP标题中的FatalError:require():Failedopeningrequired'data/tdk.php'的步骤在开发和维护PHP网站时,我们经常会遇到各种错误和异常。其中一个常见的错误是"FatalError:require():Failedopeningrequired'data/tdk.php'"。

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment