search
HomeWeb Front-endJS TutorialIn-depth understanding of JavaScript series (22): Detailed Explanation of Dependency Inversion Principle DIP of the Five Principles of S.O.L.I.D_Basic Knowledge

Foreword

What we are going to explain in this chapter is the fifth of the five principles of S.O.L.I.D JavaScript language implementation, the Dependency Inversion Principle LSP (The Dependency Inversion Principle).

English original text:http://freshbrewedcode.com/derekgreer/2012/01/22/solid-javascript-the-dependency-inversion-principle/
Dependency Inversion Principle

The description of the dependency inversion principle is:

A. High-level modules should not depend on low-level modules. Both should depend on abstractions.
High-level modules should not depend on low-level modules, both should depend on abstractions

B. Abstractions should not depend upon details. Details should depend upon abstractions.
Abstraction should not depend on details, details should depend on abstraction
The most important issue with the Dependency Inversion Principle is to ensure that the main components of an application or framework are decoupled from non-important low-level component implementation details. This will ensure that the most important parts of the program are not affected by changes in low-level components.

The first part of this principle is about the coupling method between high-level modules and low-level modules. In the traditional split architecture, high-level modules (encapsulating the core business logic of the program) always depend on some low-level modules (some basic points ). When applying the dependency inversion principle, the relationship is reversed. Unlike high-level modules that depend on low-level modules, dependency inversion makes low-level modules depend on interfaces defined in high-level modules. For example, if you want to persist data for a program, the traditional design is that the core module depends on the API of a persistence module. After reconstruction according to the dependency inversion principle, the core module needs to define the persistence API interface, and then The persistence implementation instance needs to implement this API interface defined by the core module.

The second part of the principle describes the correct relationship between abstraction and detail. To understand this part, it is more helpful to understand the C language, because its applicability is more obvious.

Unlike some statically typed languages, C does not provide a language-level concept to define interfaces. What is the relationship between class definition and class implementation? In C, classes are defined in the form of header files. , which defines the class member methods and variables that the source file needs to implement. Because all variables and private methods are defined in header files, they can be used to abstract away implementation details. It is implemented by defining only abstract methods (abstract base class in C). The concept of interface is used to implement classes.

DIP and JavaScript

Because JavaScript is a dynamic language, there is no need to abstract for decoupling. So the change that abstractions should not depend on details does not have a big impact in JavaScript, but it does have a big impact that high-level modules should not depend on low-level modules.

When discussing the dependency inversion principle in the context of statically typed languages, the concept of coupling includes semantic and physical. That is to say, if a high-level module depends on a low-level module, it not only couples the semantic interface, but also couples the physical interface defined in the low-level module. In other words, high-level modules must not only be decoupled from third-party libraries, but also from native low-level modules.

To explain this, imagine a .NET program might contain a very useful high-level module that depends on a low-level persistence module. When the author needs to add a similar interface to the persistence API, regardless of whether the dependency inversion principle is used or not, the high-level module cannot be reused in other programs without reimplementing the new interface of the low-level module.

In JavaScript, the applicability of the dependency inversion principle is limited to the semantic coupling between high-level modules and low-level modules. For example, DIP can add interfaces as needed instead of coupling the implicit interfaces defined by low-level modules.

To understand this, let’s look at the following example:

Copy code The code is as follows:

$.fn.trackMap = function(options) {
    var defaults = {
        /* defaults */
    };
    options = $.extend({}, defaults, options);

    var mapOptions = {
        center: new google.maps.LatLng(options.latitude,options.longitude),
        zoom: 12,
        mapTypeId: google.maps.MapTypeId.ROADMAP
    },
        map = new google.maps.Map(this[0], mapOptions),
        pos = new google.maps.LatLng(options.latitude,options.longitude);

    var marker = new google.maps.Marker({
        position: pos,
        title: options.title,
        icon: options.icon
    });

    marker.setMap(map);

    options.feed.update(function(latitude, longitude) {
        marker.setMap(null);
        var newLatLng = new google.maps.LatLng(latitude, longitude);
        marker.position = newLatLng;
        marker.setMap(map);
        map.setCenter(newLatLng);
    });

    return this;
};

var updater = (function() {
    // private properties

    return {
        update: function(callback) {
            updateMap = callback;
        }
    };
})();

$("#map_canvas").trackMap({
    latitude: 35.044640193770725,
    longitude: -89.98193264007568,
    icon: 'http://bit.ly/zjnGDe',
    title: 'Tracking Number: 12345',
    feed: updater
});

在上述代码里,有个小型的JS类库将一个DIV转化成Map以便显示当前跟踪的位置信息。trackMap函数有2个依赖:第三方的Google Maps API和Location feed。该feed对象的职责是当icon位置更新的时候调用一个callback回调(在初始化的时候提供的)并且传入纬度latitude和精度longitude。Google Maps API是用来渲染界面的。

feed对象的接口可能按照装,也可能没有照装trackMap函数的要求去设计,事实上,他的角色很简单,着重在简单的不同实现,不需要和Google Maps这么依赖。介于trackMap语义上耦合了Google Maps API,如果需要切换不同的地图提供商的话那就不得不对trackMap函数进行重写以便可以适配不同的provider。

为了将于Google maps类库的语义耦合翻转过来,我们需要重写设计trackMap函数,以便对一个隐式接口(抽象出地图提供商provider的接口)进行语义耦合,我们还需要一个适配Google Maps API的一个实现对象,如下是重构后的trackMap函数:

复制代码 代码如下:

$.fn.trackMap = function(options) {
var defaults = {
          /* defaults */
};

options = $.extend({}, defaults, options);

options.provider.showMap(
This[0],
options.latitude,
options.longitude,
options.icon,
options.title);

options.feed.update(function(latitude, longitude) {
options.provider.updateMap(latitude, longitude);
});

return this;
};

$("#map_canvas").trackMap({
Latitude: 35.044640193770725,
Longitude: -89.98193264007568,
icon: 'http://bit.ly/zjnGDe',
Title: 'Tracking Number: 12345',
Feed: updater,
Provider: trackMap.googleMapsProvider
});


In this version, we redesigned the trackMap function and the required map provider interface, and then moved the implementation details to a separate googleMapsProvider component, which may be independently packaged into a separate JavaScript module. The following is my googleMapsProvider implementation:
Copy code The code is as follows:

trackMap.googleMapsProvider = (function() {
var marker, map;

return {
showMap: function(element, latitude, longitude, icon, title) {
            var mapOptions = {
center: new google.maps.LatLng(latitude, longitude),
zoom: 12,
              mapTypeId: google.maps.MapTypeId.ROADMAP
            },
pos = new google.maps.LatLng(latitude, longitude);

map = new google.maps.Map(element, mapOptions);

marker = new google.maps.Marker({
position: pos,
                   title: title,
icon: icon
            });

marker.setMap(map);
},
​​​​ updateMap: function(latitude, longitude) {
            marker.setMap(null);
            var newLatLng = new google.maps.LatLng(latitude,longitude);
            marker.position = newLatLng;
            marker.setMap(map);
             map.setCenter(newLatLng);
}
};
})();


After making the above changes, the trackMap function will become very flexible and does not have to rely on the Google Maps API. On the contrary, it can replace other map providers at will, which means that it can adapt to any map provider according to the needs of the program.

When is dependency injection?

A bit irrelevant. In fact, the concept of dependency injection is often confused with the principle of dependency inversion. In order to clarify this difference, we need to explain:

Dependency injection is a special form of control inversion, which means how a component obtains its dependencies. Dependency injection means that dependencies are provided to components, rather than components obtaining dependencies. This means creating an instance of a dependency, requesting the dependency through the factory, and requesting the dependency through the Service Locator or the initialization of the component itself. The dependency inversion principle and dependency injection both focus on dependencies and are used for inversion. However, the dependency inversion principle does not focus on how components obtain dependencies, but only on how high-level modules are decoupled from low-level modules. In a sense, the dependency inversion principle is another form of control inversion. What is reversed here is which module defines the interface (from low-level definition to high-level definition).

Summary

This is the last article of the five principles. In these five articles, we have seen how SOLID is implemented in JavaScript. Different principles are explained in JavaScript from different perspectives. (Uncle's note: In fact, I feel that although it is a bit nondescript, from another level, the general principles are actually the same in various languages.)

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
es6数组怎么去掉重复并且重新排序es6数组怎么去掉重复并且重新排序May 05, 2022 pm 07:08 PM

去掉重复并排序的方法:1、使用“Array.from(new Set(arr))”或者“[…new Set(arr)]”语句,去掉数组中的重复元素,返回去重后的新数组;2、利用sort()对去重数组进行排序,语法“去重数组.sort()”。

JavaScript的Symbol类型、隐藏属性及全局注册表详解JavaScript的Symbol类型、隐藏属性及全局注册表详解Jun 02, 2022 am 11:50 AM

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于Symbol类型、隐藏属性及全局注册表的相关问题,包括了Symbol类型的描述、Symbol不会隐式转字符串等问题,下面一起来看一下,希望对大家有帮助。

原来利用纯CSS也能实现文字轮播与图片轮播!原来利用纯CSS也能实现文字轮播与图片轮播!Jun 10, 2022 pm 01:00 PM

怎么制作文字轮播与图片轮播?大家第一想到的是不是利用js,其实利用纯CSS也能实现文字轮播与图片轮播,下面来看看实现方法,希望对大家有所帮助!

JavaScript对象的构造函数和new操作符(实例详解)JavaScript对象的构造函数和new操作符(实例详解)May 10, 2022 pm 06:16 PM

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于对象的构造函数和new操作符,构造函数是所有对象的成员方法中,最早被调用的那个,下面一起来看一下吧,希望对大家有帮助。

JavaScript面向对象详细解析之属性描述符JavaScript面向对象详细解析之属性描述符May 27, 2022 pm 05:29 PM

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于面向对象的相关问题,包括了属性描述符、数据描述符、存取描述符等等内容,下面一起来看一下,希望对大家有帮助。

javascript怎么移除元素点击事件javascript怎么移除元素点击事件Apr 11, 2022 pm 04:51 PM

方法:1、利用“点击元素对象.unbind("click");”方法,该方法可以移除被选元素的事件处理程序;2、利用“点击元素对象.off("click");”方法,该方法可以移除通过on()方法添加的事件处理程序。

整理总结JavaScript常见的BOM操作整理总结JavaScript常见的BOM操作Jun 01, 2022 am 11:43 AM

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于BOM操作的相关问题,包括了window对象的常见事件、JavaScript执行机制等等相关内容,下面一起来看一下,希望对大家有帮助。

foreach是es6里的吗foreach是es6里的吗May 05, 2022 pm 05:59 PM

foreach不是es6的方法。foreach是es3中一个遍历数组的方法,可以调用数组的每个元素,并将元素传给回调函数进行处理,语法“array.forEach(function(当前元素,索引,数组){...})”;该方法不处理空数组。

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 Article

Hot Tools

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use