BOM (Browser Object Model)
window.document.getElementById("header"); document.getElementById("header"); 1. Window Get the browser c window size
window.innerHeight window.innerWidth
document.documentElement.clientHeight document.documentElement.clientWidth
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 sizeProperty returns the width/height of the visitor's screen, in pixels, minus interface features such as the window taskbar.
3. Window Open and close window
<script type="text/javascript"> var newWindows; function newWindow() { newWindows = window.open("https://www.baidu.com/","baidu"); } function closeWindow() { newWindows.close(); } </script> 4. Browser Events
5. location
console.log(location.href); console.log(location.hostname); console.log(location.pathname); console.log(location.port); console.log(location.protocol); 6. historyBrowser history, you don’t need to write the prefix “window”
7. Navigator obtains browser related informationwindow.navigator
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
DOM (Document Object Model)
DOM ClassificationDefines standard methods for accessing and manipulating HTML documents. DOM represents HTML documents as a tree structure In HTML, everything is a 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
DOM Objects
Document object
element document object
DOM event manipulation Mouse events
Keyboard events Get the event object when clicking
E/event
Window.event
Get case related
e.Key
e.Keycode
e.Which
Touch screen events
Special Events
Form events
Browser compatibility 1. Browser scroll height var height=document.documentElement.scrollTop||document.body.scrollTop var width=document.documentElement.scrollLeft||document.body.scrollLeft
document.documentElement.scrollTop document.documentElement.scrollLeft
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:
|
<<: Ubuntu 20.04 how to modify the IP address example
>>: Introduction to MySql table, database, sharding and partitioning knowledge points
This article shares the specific code of JavaScri...
10.4.1 The difference between Frameset and Frame ...
First download VMware Workstation 15.1 version. I...
Preface Not long ago, I combined browser-sync+gul...
gzip is a command often used in Linux systems to ...
Table of contents Preface 1. JDBC timeout setting...
1. scroll-view When using vertical scrolling, you...
The smallest scheduling unit in k8s --- pod In th...
Basic Concepts Before operation, you must first u...
Step 1: Download the mysql driver cmd enters the ...
This article shares the specific code of writing ...
Declaring variables Setting Global Variables set ...
Install linux7.2 Internet access configuration on...
Question 1: When entering net start mysql during ...
1. Benefits of precompilation We have all used th...