Detailed explanation of BOM and DOM in JavaScript

Detailed explanation of BOM and DOM in JavaScript

BOM (Browser Object Model)

All browsers support the window object, which represents the browser window.
All js global objects, functions, and variables automatically become members of the window object.
Global variables are properties of the window object.
Global functions are methods of the window object.
Document based on HTML DOM is also one of the properties of the window object.

window.document.getElementById("header");
 document.getElementById("header");

1. Window Get the browser c window size

Inner height of the browser window (excluding scroll bars, menu bars, and toolbars)

window.innerHeight
window.innerWidth

The window for Internet Explorer 8, 7, 6, and 5 is as follows:

document.documentElement.clientHeight
document.documentElement.clientWidth

Compatible solution to get browser width and height`

var width = window.innerWidth|| document.documentElement.clientWidth|| document.body.clientWidth
var height = window.innerHeight||document.documentElement.clientHeight||document.body.clientHeight

2. screen Get the computer screen size

Property returns the width/height of the visitor's screen, in pixels, minus interface features such as the window taskbar.

screen.availWidth
screen.availHeight

3. Window Open and close window

Open: window.open()
Close: window.close()

<script type="text/javascript">
    var newWindows;
    function newWindow() {
        newWindows = window.open("https://www.baidu.com/","baidu");
    }
    function closeWindow() {
        newWindows.close();
    }
</script>

4. Browser Events

name describe
window.onload Browser load event
window.onscroll Browser scroll monitoring
window.onresize Browser zoom monitoring
window.open Open Event
window.close closure

5. location

name describe
location.herf Current URL
location.hostname Host domain name
location.pathname Current page path and file name
location.port port
location.protocol Protocol (http/https)
location.assign Loading a new document
location.search URL parameters

console.log(location.href);
console.log(location.hostname);
console.log(location.pathname);
console.log(location.port);
console.log(location.protocol);

6. history

Browser history, you don’t need to write the prefix “window”

name describe
history.length frequency
history.back Previous page
history.forward Next Page
history.go

In the parentheses, set the value and the positive and negative signs. + value means the number of times to jump to the next value, - value means the number of times to jump to the next value.

The number of jumps to the previous page, the number of jumps is calculated as: end page - start page, the number of error jumps, no execution effect

window.history.back();

7. Navigator obtains browser related information

window.navigator

name describe
navagator.userAgent Model, kernel, version, platform
navagator.appVersion Browser version information
navagator.appName Browser Name
navagator.platform operating system
navagator.geolocation Location information includes longitude and latitude

export function GetCurrentBrowser() {
    var agent = navigator.userAgent.toLowerCase();
    var regStr_ie = /msie [\d.]+;/gi;
    var regStr_ff = /firefox\/[\d.]+/gi
    var regStr_chrome = /chrome\/[\d.]+/gi;
    var regStr_saf = /safari\/[\d.]+/gi;
    //IE11 and below if (agent.indexOf("msie") > 0) {
        return agent.match(regStr_ie);
    }
    // The MSIE field is not included in the IE11 version if (agent.indexOf("trident") > 0 && agent.indexOf("rv") > 0) {
        return "IE " + agent.match(/rv:(\d+\.\d+)/)[1];
    }
    //firefox
    if (agent.indexOf("firefox") > 0) {
        return agent.match(regStr_ff);
    }
    //Chrome
    if (agent.indexOf("chrome") > 0) {
        return agent.match(regStr_chrome);
    }
    //Safari
    if (agent.indexOf("safari") > 0 && agent.indexOf("chrome") < 0) {
        return agent.match(regStr_saf);
    }
}

// get os
export function GetOs() {
    let userAgent = navigator.userAgent.toLocaleLowerCase() //toLocaleLowerCase() converts letters to lowercase let wins = [
        {
            sys: 'windows nt 5.0',
            alias: 'windows 2000',
            name: 'Win2000'
        },
        {
            sys: 'windows nt 5.1',
            alias: 'windows xp',
            name: 'WinXP'
        },
        {
            sys: 'windows nt 5.2',
            alias: 'windows 2003',
            name: 'Win2003'
        },
        {
            sys: 'windows nt 6.0',
            alias: 'Windows Vista',
            name: 'WinVista'
        },
        {
            sys: 'windows nt 6.1',
            alias: 'Windows 7',
            name: 'Win7'
        },
        {
            sys: 'windows nt 6.2',
            alias: 'Windows 8',
            name: 'Win8'
        },
        {
            sys: 'windows nt 10.0',
            alias: 'Windows 10',
            name: 'Win10'
        },
    ]
    for (let win of wins) {
        if (userAgent.indexOf(win.sys) > -1 || userAgent.indexOf(win.alias) > -1) {
            return win.name
        }
    }
}
export function getEdition() {
    var userAgent = navigator.userAgent.toLocaleLowerCase()
    if (userAgent.indexOf("win64") > -1 || userAgent.indexOf("wow64") > -1) {
        return '64 bit'
    } else {
        return '32 bits'
    }
}
export function IsPC() {
    var userAgentInfo = navigator.userAgent;
    var Agents = ["Android", "iPhone",
        "SymbianOS", "Windows Phone",
        "iPad", "iPod"];
    var flag = true;
    for (var v = 0; v < Agents.length; v++) {
        if (userAgentInfo.indexOf(Agents[v]) > 0) {
            flag = false;
            break;
        }
    }
    return flag;
}
//Get the URL parameters and return the object export function GetRequest() {
    var url = location.search; //Get the string after the "?" character in the url var theRequest = {}
    let strs = []
    if (url.indexOf("?") != -1) {
        var str = url.substr(1);
        strs = str.split("&");
        for (var i = 0; i < strs.length; i++) {
            theRequest[strs[i].split("=")[0]] = unescape(strs[i].split("=")[1]);
        }
    }
    return theRequest;
}
export const browser = {
    versions: (function() {
        let u = navigator.userAgent
            // let app = navigator.appVersion
        return {
            trident: u.indexOf('Trident') > -1, // IE kernel presto: u.indexOf('Presto') > -1, // Opera kernel webKit: u.indexOf('AppleWebKit') > -1, // Apple, Google kernel gecko: u.indexOf('Gecko') > -1 && u.indexOf('KHTML') === -1, // Firefox kernel mobile: !!u.match(/AppleWebKit.*Mobile.*/), // Is it a mobile terminal ios: !!u.match(/\(i[^;]+;( U;)? CPU.+Mac OS X/), // ios terminal android: u.indexOf('Android') > -1 || u.indexOf('Adr') > -1, // android terminal iPhone: u.indexOf('iPhone') > -1, // Is it an iPhone or QQHD browser iPad: u.indexOf('iPad') > -1, // Is it an iPad
            webApp: u.indexOf('Safari') === -1, // Is it a web application, without header and footer weixin: u.indexOf('MicroMessenger') > -1, // Is it WeChat qq: u.match(/\sQQ/i) === 'qq' // Is it QQ
        }
    }()),
    language: (navigator.browserLanguage || navigator.language).toLowerCase()
}

8. Pop-ups

1. Warning box: Window.alert()

2. Input box: Window.prompt()

3. Confirm box: Window.confirm()

DOM (Document Object Model)

Access all elements of an HTML document using JavaScript through the HTML DOM.
When a web page is loaded, the browser creates a document object model for the page.

DOM Classification

Defines standard methods for accessing and manipulating HTML documents. DOM represents HTML documents as a tree structure

In HTML, everything is a node

  • Element Node
  • Text Node
  • Property Node

The relationship between each node is: parent-child relationship\sibling relationship Through the programmable object model, JavaScript has gained enough power to create dynamic HTML

  • JavaScript can change all HTML elements in a page.
  • JavaScript can change all HTML attributes in a page.
  • JavaScript can change all CSS styles in a page.
  • JavaScript can react to all events in the page.

DOM Objects

Object describe
Document: Document object Every HTML document loaded into a browser becomes a Document object
Element: Element object An Element object can have child nodes of type element nodes, text nodes, and comment nodes.
Attribute: node attribute object The Attr object represents an HTML attribute
Event: event object The element in which the event occurred, the state of keyboard keys, the position of the mouse, the state of mouse buttons

Document object

All properties of the Document object

property describe
document.body Get body
document.Head Get head
document.Element Get HTML
document.cookie Get cookies
document.domain The domain name of the current document. Cross-domain operations are possible.
document.lastModified The date and time when the document was last modified
document.referrer The URL of the current document
document.title title
document.URL The URL of the current document

Document Common Methods

method describe
document.write() Document writing content
document.open() Opens a stream to collect output from any document.write() or document.writeln() method.
document.close() Closes the output stream opened with the document.open() method and displays the selected data.
document.writeIn() Identical to the write() method, except that a newline character is written after each expression.
Get Elements
document.getElementById() Get element by id
document.getElementsByName() Get the array of related elements by name
document.getElementsByTagName() Cannot use forEach loop to get related element array by tag
document.getElementsByClassName() You cannot use forEach loop to get related element array through class
document.querySelector() Get the first tag object that matches the condition --- only one tag object will be obtained
document.querySelectorAll() Get all tag objects that match the conditions. The result is a pseudo array.
Creating Elements
document.createAttribute() Creating a property object
document.createElement() Creating an element object
document.createTextNode() Creating a Text Object
document.createComment() Create a note

element document object

Common methods of element object

method describe
Add, delete, modify, and clone elements
appendChild(doc) Insert node to the end
insertBefore(ndoc, oldoc) Insert a node before a node
removeChild(doc) Remove the node
replaceChild(doc) Replace Node
cloneNode() Clone Node
cloneNode(true) Clone a node and its contents
Attribute related
getAttribute() Get properties
setAttribute() Setting properties
removeAttribute() Remove Attributes
getAttributeNode() Specifying attribute nodes
setAttributeNode() Setting the property node
removeAttributeNode() Remove attribute node
getElementsByTagName() A collection of all child elements of the specified tag name
nodelist.item() The node at the specified index in the NodeList

Common properties of element objects

property describe
id Element id
style style
className Class Attributes
innerHML Tagged content
innerText Text content
Get Node
childNodes Get element child nodes
parentNode Get the parent node of an element
attributes Get all properties
children Get all label child nodes
firstchild First child node
lastchild The last child node
firstElementchild First label child node
lastElementChild The last label child node
previousSibling Previous sibling node
nextsibling Next sibling node
previousElementsibling Previous tab
nextElemntSibling Next Tab
parentNode Parent Node
parentElement Parent label node
nodeName Name: element node -- tag name, attribute node -- attribute name, text node -- #text, comment node -- #comment
nodeType Node type: 1 element, 2 attribute, 3 text, 8 comment
nodeValue Element value: attribute value, text content, comment content
nodelist.length The number of nodes in the NodeList
Size distance
clientHeight Height - content + padding
Clientwidth width
offsetHeight Height - content + padding + border
Offsetwidth width
ClientTop Top border width
clientLeft Make border width
offsetTop Parent object top distance
offsetLeft The left distance of the parent object

DOM event manipulation

Mouse events

name describe
click Click Event
dbclick Double click event
contextmenu Right click event
mousedown Press event, execute once
mouseup Raise event
mousemove Mouse movement
mouseover Move in
mouseout Remove
mouseenter Move in, no bubbling occurs
mouseleave Remove, no bubbling

Keyboard events

Get the event object when clicking

  • Regular version

E/event

  • IE lower version

Window.event

Compatible writing: var e=e||window.event

Get case related

  • Button Name:

e.Key

  • Button code:

e.Keycode

  • Compatible with Firefox:

e.Which

Compatible writing: e.Keycode|| e.Which

altkey ctrlkey shiftkey Determine whether alt ctrl shift is pressed

Touch screen events

name describe
touchstart start
touchend Finish
touchmove move

Special Events

name describe
animationend End of animation
transitionend Over-End

Form events

name describe
submit Event is triggered only when the form is submitted
focus Event triggered when the tag gets focus
input Events that are triggered when data is entered
change Loss of addition and input data change are trigger events

Browser compatibility

1. Browser scroll height

var height=document.documentElement.scrollTop||document.body.scrollTop
var width=document.documentElement.scrollLeft||document.body.scrollLeft
  • There is a document type declaration
document.documentElement.scrollTop
document.documentElement.scrollLeft
  • No document type declaration
document.body.scrollTop
document.body.scrollLeft

2. Get non-inline style attributes

The actual effect is to get the style attributes executed by the tag

if (window.getComputedStyle) {
    window.getComponentStyle(dom).width
}else{
    doc.currentStyle.width
}

3. Get the event object

dom.onclick=function(e){
    e=e||window.event
}

4. Get the event object target

Compatible with lower versions of Firefox, which is basically no longer used now

dom.event = function() {
    e=e||window.event
    var target = e.target || e.srcElement
}

5. Button value

Compatible with lower versions of Firefox, which is basically no longer used now

document.onkeyup=function(e){
    e=e||window.event
   var keyNum=e.keyCode||e.which
}

6. Event monitoring/event registration

function myAddEvent(ele,type,fun){
    Determine whether the addEventListener method exists if(ele.addEventListener){
        ele.addEventListener(type, fun)
    }else{
        ele.attachEvent('on'+type,fun)
    }
}

7. Delete event handling function

function delFun(ele,type,fun){
    if(ele.removeEventListener){
        ele.removeEventListener(type,fun)
    }else{
        ele.detachEvent('on'+type,fun)
    }
}

8. Prevent event delivery

function stopBBle(e){
    if(e.stopPropagation){
        e.stopPropagation()
    }else{
        e.cancelBubble=true
    }
}

9. Prevent default events from executing

if(e.preventDefault){
    e.preventDefault
}else{
    e.returnValue=false
}

10. Ajax Object

let xhr;
try{
    //Normal blue flag xhr=new XMLHttpRequest()
}catch(e){
    //Compatible with lower versions of IE xhr=new ActiveXObject('Microsoft.XMLHTTP')
}
xhr.open('post','url')
xhr.setRequestHeader('content-type','application/x-www/form-url-encoded')
xhr.send('name=111&age=222')
//Standard browser xhr.onload = function(){}
//Compatibility writing xhr.onreadystatechange=function(){
    if(xhr.readystate==4){
        let reg=/^a\d{2}$/
        if (res.test(xhr.status)) {
            console.lof(json.parse(xhr.response))
        }
    }
}

Compatibility writing, packaging tools

Generate verification code function

function mySetVc() {
    var str = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXUZ';
    var newStr = '';
    for (var i = 1; i <= 6; i++) {
        var num = parseInt(Math.random() * str.length)

        if (newStr.indexOf(str[num]) === -1) {
            newStr += str[num];
        } else {
            i--;
        }
    }

    return newStr;
}

Get address bar data information

function getUrlVal() {
    // 1, get the address bar parameter string let str = decodeURI(window.location.search).substr(1);

    // Create an object to store the results let obj = {};

    // 2 Convert to array according to semicolon and space conversion const arr1 = str.split('&')

    // 3 loop variable array, split the data string into arrays according to the = equal sign arr1.forEach(v => {
        let arr2 = v.split('=');
        obj[arr2[0]] = arr2[1];
    })

    return obj;

}

Generate table function

// Parameter 1: array, the data array to be referenced // Parameter 2: label, the label object to be written function mySetTable(array, element) {
    var str = '';
    array.forEach(function (v, k) {
        str += '<tr>';
        for (var key in v) {
            str += `<td>${v[key]}</td>`;
        }
        str += `<td><button index="${k}">Delete</button></td>`
        str += '</tr>';
    });
    element.innerHTML = str;
    var oBtns = document.querySelectorAll('button');

    mySetButton(oBtns, array, element);
}

Bind the delete effect function to the button

// Parameter 1, button array // Parameter 2, data array // Parameter 3, label object to write content function mySetButton(BtnArray, array, element) {
    BtnArray.forEach(function (v) {
        v.onclick = function () {
            var bool = window.confirm('OK, do you want to delete');
            if (bool) {
                var index = v.getAttribute('index');
                array.splice(index, 1);
                mySetTable(array, element);
            }
        }
    })
}

Handle listener event compatibility functions

// Parameter 1: the tag object to which the event needs to be bound // Parameter 2: the event type to be bound, no on
// Parameter 3: event processing function to be bound function myAddEvent(element, type, fun) {
    if (element.addEventListener) {
        // Ordinary browser element.addEventListener(type, fun);
    } else {
        // Low version IE browser element.attachEvent('on' + type, fun);
    }
}

Get css style function

// Parameter 1, the tag object whose attributes are needed // Parameter 2, the attribute name whose attributes are needed function myGetStyle(element, type) {
    if (window.getComputedStyle) {
        return window.getComputedStyle(element)[type];
    } else {
        return element.currentStyle[type];
    }
}

Set cookie function

// Parameter 1: cookie key name // Parameter 2: cookie key value // Parameter 3: cookie expiration (seconds)

function mySetCookie(key, value, time) {
    // 1, get the current time object const nowTime = new Date();

    // 2, get the timestamp of the current time --- the unit is milliseconds let timeStamp = nowTime.getTime();

    // 3, calculate the timestamp current timestamp - 8 hours + expiration time (seconds)
    // Get the timestamp with expiration time, which is the world standard time let newTimeStamp = timeStamp - 8 * 60 * 60 * 1000 + time * 1000;

    // 4, set the timestamp back to the time object nowTime.setTime(newTimeStamp);

    // 5. Compatible with the case where the third parameter is not passed // If time is undefined, it proves that there is no third parameter, executes session validity, and assigns an empty string // If time is not undefined, it proves that there is no third parameter, and executes the timestamp validity in the nowTime time object let endTime = time === undefined ? '' : nowTime;

    // 6, set cookie
    // Set an additional attribute for the cookie, path=/
    // Let all files in www use the set cookies
    document.cookie = `${key}=${value};expires=${endTime};path=/`;

}

Get the specific data of the cookie

function myGetCookie() {
    // Create an object to store the results let obj = {};

    // 1 Get the cookie string let str = document.cookie;

    // 2 Convert to array according to semicolon and space conversion const arr1 = str.split('; ')

    // 3 loop variable array, split the data string into arrays according to the = equal sign arr1.forEach(v => {
        let arr2 = v.split('=');
        obj[arr2[0]] = arr2[1];
    })

    return obj;
}

function fun(){
    console.log('I am the content of the newly created js file, did you compress me?')
}

This is the end of this article about the detailed explanation of BOM and DOM in JavaScript. For more relevant js BOM and DOM content, please search for previous articles on 123WORDPRESS.COM or continue to browse the related articles below. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Implementing the composition of JavaScript --- BOM and DOM detailed explanation
  • What is javascript BOM and the difference between BOM and DOM
  • JavaScript Learning Notes (Part 3) Detailed Explanation of BOM and DOM
  • Javascript Basics (Part 3) BOM, DOM Summary
  • Parse DHTML, JavaScript, DOM, BOM and WEB standard descriptions
  • Detailed explanation of the difference and usage of JavaScript's DOM and BOM

<<:  Ubuntu 20.04 how to modify the IP address example

>>:  Introduction to MySql table, database, sharding and partitioning knowledge points

Recommend

JavaScript canvas to achieve scratch lottery example

This article shares the specific code of JavaScri...

The difference between html Frame, Iframe and Frameset

10.4.1 The difference between Frameset and Frame ...

Detailed explanation of how to use Node.js to implement hot reload page

Preface Not long ago, I combined browser-sync+gul...

Linux gzip command compression file implementation principle and code examples

gzip is a command often used in Linux systems to ...

Example of how to configure the MySQL database timeout setting

Table of contents Preface 1. JDBC timeout setting...

A brief introduction to VUE uni-app basic components

1. scroll-view When using vertical scrolling, you...

Django+mysql configuration and simple operation database example code

Step 1: Download the mysql driver cmd enters the ...

Writing Snake Game with Native JS

This article shares the specific code of writing ...

MySQL variable declaration and stored procedure analysis

Declaring variables Setting Global Variables set ...

Some problems you may encounter when installing MySQL

Question 1: When entering net start mysql during ...

Understanding MySQL precompilation in one article

1. Benefits of precompilation We have all used th...