原文
You Don't Need jQuery
前端发展很快,现代浏览器原生 API 已经足够好用。我们并不需要为了操作 DOM、Event 等再学习一下 jQuery 的 API。同时由于 React、Angular、Vue 等框架的流行,直接操作 DOM 不再是好的模式,jQuery 使用场景大大减少。本项目总结了大部分 jQuery API 替代的方法,暂时只支持 IE10 以上浏览器。
目录
Translations
- 한국어
- 简体中文
- Bahasa Melayu
- Bahasa Indonesia
- Português(PT-BR)
- Tiếng Việt Nam
- Español
- Русский
- Кыргызча
- Türkçe
- Italiano
- Français
- 日本語
- Polski
Query Selector
常用的 class、id、属性 选择器都可以使用 document.querySelector
或 document.querySelectorAll
替代。区别是
-
document.querySelector
返回第一个匹配的 Element -
document.querySelectorAll
返回所有匹配的 Element 组成的 NodeList。它可以通过[].slice.call()
把它转成 Array - 如果匹配不到任何 Element,jQuery 返回空数组
[]
,但document.querySelector
返回null
,注意空指针异常。当找不到时,也可以使用||
设置默认的值,如document.querySelectorAll(selector) || []
注意:document.querySelector
和document.querySelectorAll
性能很 差。如果想提高性能,尽量使用document.getElementById
、document.getElementsByClassName
或document.getElementsByTagName
。
-
选择器查询
// jQuery$('selector');// Nativedocument.querySelectorAll('selector');
-
class 查询
// jQuery$('.class');// Nativedocument.querySelectorAll('.class');// ordocument.getElementsByClassName('class');
-
id 查询
// jQuery$('#id');// Nativedocument.querySelector('#id');// ordocument.getElementById('id');
-
属性查询
// jQuery$('a[target=_blank]');// Nativedocument.querySelectorAll('a[target=_blank]');
-
后代查询
// jQuery$el.find('li');// Nativeel.querySelectorAll('li');
-
兄弟及上下元素
-
兄弟元素
// jQuery$el.siblings();// Native - latest, Edge13+[...el.parentNode.children].filter((child) => child !== el);// Native (alternative) - latest, Edge13+Array.from(el.parentNode.children).filter((child) => child !== el);// Native - IE10+Array.prototype.filter.call(el.parentNode.children, (child) => child !== el);
-
上一个元素
// jQuery$el.prev();// Nativeel.previousElementSibling;
-
下一个元素
// next$el.next();// Nativeel.nextElementSibling;
-
-
Closest
Closest 获得匹配选择器的第一个祖先元素,从当前元素开始沿 DOM 树向上。
// jQuery$el.closest(queryString);// Native - Only latest, NO IEel.closest(selector);// Native - IE10+function closest(el, selector) { const matchesSelector = el.matches || el.webkitMatchesSelector || el.mozMatchesSelector || el.msMatchesSelector; while (el) { if (matchesSelector.call(el, selector)) { return el; } else { el = el.parentElement; } } return null;}
-
Parents Until
获取当前每一个匹配元素集的祖先,不包括匹配元素的本身。
// jQuery$el.parentsUntil(selector, filter);// Nativefunction parentsUntil(el, selector, filter) { const result = []; const matchesSelector = el.matches || el.webkitMatchesSelector || el.mozMatchesSelector || el.msMatchesSelector; // match start from parent el = el.parentElement; while (el && !matchesSelector.call(el, selector)) { if (!filter) { result.push(el); } else { if (matchesSelector.call(el, filter)) { result.push(el); } } el = el.parentElement; } return result;}
-
Form
-
Input/Textarea
// jQuery$('#my-input').val();// Nativedocument.querySelector('#my-input').value;
-
获取 e.currentTarget 在
.radio
中的数组索引// jQuery$('.radio').index(e.currentTarget);// NativeArray.prototype.indexOf.call(document.querySelectorAll('.radio'), e.currentTarget);
-
-
Iframe Contents
jQuery 对象的 iframe
contents()
返回的是 iframe 内的document
-
Iframe contents
// jQuery$iframe.contents();// Nativeiframe.contentDocument;
-
Iframe Query
// jQuery$iframe.contents().find('.css');// Nativeiframe.contentDocument.querySelectorAll('.css');
-
-
获取 body
// jQuery$('body');// Nativedocument.body;
-
获取或设置属性
-
获取属性
// jQuery$el.attr('foo');// Nativeel.getAttribute('foo');
-
设置属性
// jQuery, note that this works in memory without change the DOM$el.attr('foo', 'bar');// Nativeel.setAttribute('foo', 'bar');
-
获取
data-
属性// jQuery$el.data('foo');// Native (use `getAttribute`)el.getAttribute('data-foo');// Native (use `dataset` if only need to support IE 11+)el.dataset['foo'];
-
CSS & Style
-
CSS
-
Get style
// jQuery$el.css("color");// Native// 注意:此处为了解决当 style 值为 auto 时,返回 auto 的问题const win = el.ownerDocument.defaultView;// null 的意思是不返回伪类元素win.getComputedStyle(el, null).color;
-
Set style
// jQuery$el.css({ color: "#ff0011" });// Nativeel.style.color = '#ff0011';
- Get/Set Styles
注意,如果想一次设置多个 style,可以参考 oui-dom-utils 中 方法
-
Add class
// jQuery$el.addClass(className);// Nativeel.classList.add(className);
-
Remove class
// jQuery$el.removeClass(className);// Nativeel.classList.remove(className);
-
has class
// jQuery$el.hasClass(className);// Nativeel.classList.contains(className);
-
Toggle class
// jQuery$el.toggleClass(className);// Nativeel.classList.toggle(className);
-
-
Width & Height
Width 与 Height 获取方法相同,下面以 Height 为例:
-
Window height
// window height$(window).height();// 含 scrollbarwindow.document.documentElement.clientHeight;// 不含 scrollbar,与 jQuery 行为一致window.innerHeight;
-
Document height
// jQuery$(document).height();// Nativeconst body = document.body;const html = document.documentElement;const height = Math.max( body.offsetHeight, body.scrollHeight, html.clientHeight, html.offsetHeight, html.scrollHeight);
-
Element height
// jQuery$el.height();// Nativefunction getHeight(el) { const styles = this.getComputedStyle(el); const height = el.offsetHeight; const borderTopWidth = parseFloat(styles.borderTopWidth); const borderBottomWidth = parseFloat(styles.borderBottomWidth); const paddingTop = parseFloat(styles.paddingTop); const paddingBottom = parseFloat(styles.paddingBottom); return height - borderBottomWidth - borderTopWidth - paddingTop - paddingBottom;}// 精确到整数(border-box 时为 height - border 值,content-box 时为 height + padding 值)el.clientHeight;// 精确到小数(border-box 时为 height 值,content-box 时为 height + padding + border 值)el.getBoundingClientRect().height;
-
-
Position & Offset
-
Position
获得匹配元素相对父元素的偏移
// jQuery$el.position();// Native{ left: el.offsetLeft, top: el.offsetTop }
-
Offset
获得匹配元素相对文档的偏移
// jQuery$el.offset();// Nativefunction getOffset (el) { const box = el.getBoundingClientRect(); return { top: box.top + window.pageYOffset - document.documentElement.clientTop, left: box.left + window.pageXOffset - document.documentElement.clientLeft }}
-
- Scroll Top
获取元素滚动条垂直位置。
// jQuery$(window).scrollTop();// Native(document.documentElement && document.documentElement.scrollTop) || document.body.scrollTop;
DOM Manipulation
-
Remove
从 DOM 中移除元素。
// jQuery$el.remove();// Nativeel.parentNode.removeChild(el);
-
Text
-
Get text
返回指定元素及其后代的文本内容。
// jQuery$el.text();// Nativeel.textContent;
-
Set text
设置元素的文本内容。
// jQuery$el.text(string);// Nativeel.textContent = string;
-
-
HTML
-
Get HTML
// jQuery$el.html();// Nativeel.innerHTML;
-
Set HTML
// jQuery$el.html(htmlString);// Nativeel.innerHTML = htmlString;
-
-
Append
Append 插入到子节点的末尾
// jQuery$el.append("
hello");// Native (HTML string)el.insertAdjacentHTML('beforeend', 'Hello World');// Native (Element)el.appendChild(newEl); -
Prepend
// jQuery$el.prepend("
hello");// Native (HTML string)el.insertAdjacentHTML('afterbegin', 'Hello World');// Native (Element)el.insertBefore(newEl, el.firstChild); -
insertBefore
在选中元素前插入新节点
// jQuery$newEl.insertBefore(queryString);// Native (HTML string)el.insertAdjacentHTML('beforebegin ', '
Hello World');// Native (Element)const el = document.querySelector(selector);if (el.parentNode) { el.parentNode.insertBefore(newEl, el);} -
insertAfter
在选中元素后插入新节点
// jQuery$newEl.insertAfter(queryString);// Native (HTML string)el.insertAdjacentHTML('afterend', '
Hello World');// Native (Element)const el = document.querySelector(selector);if (el.parentNode) { el.parentNode.insertBefore(newEl, el.nextSibling);} -
is
如果匹配给定的选择器,返回true
// jQuery$el.is(selector);// Nativeel.matches(selector);
-
clone
深拷贝被选元素。(生成被选元素的副本,包含子节点、文本和属性。)
//jQuery$el.clone();//Nativeel.cloneNode();//深拷贝添加参数‘true’
- empty
移除所有子节点
//jQuery$el.empty();//Nativeel.innerHTML = '';
-
wrap
把每个被选元素放置在指定的HTML结构中。
//jQuery$(".inner").wrap(' ');//NativeArray.prototype.forEach.call(document.querySelector('.inner'), (el) => { const wrapper = document.createElement('div'); wrapper.className = 'wrapper'; el.parentNode.insertBefore(wrapper, el); el.parentNode.removeChild(el); wrapper.appendChild(el);});
-
unwrap
移除被选元素的父元素的DOM结构
// jQuery$('.inner').unwrap();// NativeArray.prototype.forEach.call(document.querySelectorAll('.inner'), (el) => { let elParentNode = el.parentNode if(elParentNode !== document.body) { elParentNode.parentNode.insertBefore(el, elParentNode) elParentNode.parentNode.removeChild(elParentNode) }});
-
replaceWith
用指定的元素替换被选的元素
//jQuery$('.inner').replaceWith(' ');//NativeArray.prototype.forEach.call(document.querySelectorAll('.inner'),(el) => { const outer = document.createElement("div"); outer.className = "outer"; el.parentNode.insertBefore(outer, el); el.parentNode.removeChild(el);});
-
simple parse
解析 HTML/SVG/XML 字符串
// jQuery$(`
- a
- b
- c
- d
- a
- b
- c
- d
Ajax
是用于替换 XMLHttpRequest 处理 ajax 的新标准,Chrome 和 Firefox 均支持,旧浏览器可以使用 polyfills 提供支持。
IE9+ 请使用 ,IE8+ 请使用 ,JSONP 请使用 。
-
从服务器读取数据并替换匹配元素的内容。
// jQuery$(selector).load(url, completeCallback)// Nativefetch(url).then(data => data.text()).then(data => { document.querySelector(selector).innerHTML = data}).then(completeCallback)
Events
完整地替代命名空间和事件代理,链接到
-
Document ready by
DOMContentLoaded
// jQuery$(document).ready(eventHandler);// Native// 检测 DOMContentLoaded 是否已完成if (document.readyState !== 'loading') { eventHandler();} else { document.addEventListener('DOMContentLoaded', eventHandler);}
-
使用 on 绑定事件
// jQuery$el.on(eventName, eventHandler);// Nativeel.addEventListener(eventName, eventHandler);
-
使用 off 解绑事件
// jQuery$el.off(eventName, eventHandler);// Nativeel.removeEventListener(eventName, eventHandler);
-
Trigger
// jQuery$(el).trigger('custom-event', {key1: 'data'});// Nativeif (window.CustomEvent) { const event = new CustomEvent('custom-event', {detail: {key1: 'data'}});} else { const event = document.createEvent('CustomEvent'); event.initCustomEvent('custom-event', true, true, {key1: 'data'});}el.dispatchEvent(event);
Utilities
大部分实用工具都能在 native API 中找到. 其他高级功能可以选用专注于该领域的稳定性和性能都更好的库来代替,推荐 。
-
基本工具
- isArray
检测参数是不是数组。
// jQuery$.isArray(range);// NativeArray.isArray(range);
- isWindow
检测参数是不是 window。
// jQuery$.isWindow(obj);// Nativefunction isWindow(obj) { return obj !== null && obj !== undefined && obj === obj.window;}
- inArray
在数组中搜索指定值并返回索引 (找不到则返回 -1)。
// jQuery$.inArray(item, array);// Nativearray.indexOf(item) > -1;// ES6-wayarray.includes(item);
- isNumeric
检测传入的参数是不是数字。
Usetypeof
to decide the type or the type
example for better accuracy. // jQuery$.isNumeric(item);// Nativefunction isNumeric(n) { return !isNaN(parseFloat(n)) && isFinite(n);}
- isFunction
检测传入的参数是不是 JavaScript 函数对象。
// jQuery$.isFunction(item);// Nativefunction isFunction(item) { if (typeof item === 'function') { return true; } var type = Object.prototype.toString(item); return type === '[object Function]' || type === '[object GeneratorFunction]';}
- isEmptyObject
检测对象是否为空 (包括不可枚举属性).
// jQuery$.isEmptyObject(obj);// Nativefunction isEmptyObject(obj) { return Object.keys(obj).length === 0;}
- isPlainObject
检测是不是扁平对象 (使用 “{}” 或 “new Object” 创建).
// jQuery$.isPlainObject(obj);// Nativefunction isPlainObject(obj) { if (typeof (obj) !== 'object' || obj.nodeType || obj !== null && obj !== undefined && obj === obj.window) { return false; } if (obj.constructor && !Object.prototype.hasOwnProperty.call(obj.constructor.prototype, 'isPrototypeOf')) { return false; } return true;}
- extend
合并多个对象的内容到第一个对象。
object.assign 是 ES6 API,也可以使用 。// jQuery$.extend({}, defaultOpts, opts);// NativeObject.assign({}, defaultOpts, opts);
- trim
移除字符串头尾空白。
// jQuery$.trim(string);// Nativestring.trim();
- map
将数组或对象转化为包含新内容的数组。
// jQuery$.map(array, (value, index) => {});// Nativearray.map((value, index) => {});
- each
轮询函数,可用于平滑的轮询对象和数组。
// jQuery$.each(array, (index, value) => {});// Nativearray.forEach((value, index) => {});
- grep
找到数组中符合过滤函数的元素。
// jQuery$.grep(array, (value, index) => {});// Nativearray.filter((value, index) => {});
- type
检测对象的 JavaScript [Class] 内部类型。
// jQuery$.type(obj);// Nativefunction type(item) { const reTypeOf = /(?:^\[object\s(.*?)\]$)/; return Object.prototype.toString.call(item) .replace(reTypeOf, '$1') .toLowerCase();}
- merge
合并第二个数组内容到第一个数组。
// jQuery$.merge(array1, array2);// Native// 使用 concat,不能去除重复值function merge(...args) { return [].concat(...args)}// ES6,同样不能去除重复值array1 = [...array1, ...array2]// 使用 Set,可以去除重复值function merge(...args) { return Array.from(new Set([].concat(...args)))}
- now
返回当前时间的数字呈现。
// jQuery$.now();// NativeDate.now();
- proxy
传入函数并返回一个新函数,该函数绑定指定上下文。
// jQuery$.proxy(fn, context);// Nativefn.bind(context);
- makeArray
类数组对象转化为真正的 JavaScript 数组。
// jQuery$.makeArray(arrayLike);// NativeArray.prototype.slice.call(arrayLike);// ES6-wayArray.from(arrayLike);
-
包含
检测 DOM 元素是不是其他 DOM 元素的后代.
// jQuery$.contains(el, child);// Nativeel !== child && el.contains(child);
-
Globaleval
全局执行 JavaScript 代码。
// jQuery$.globaleval(code);// Nativefunction Globaleval(code) { const script = document.createElement('script'); script.text = code; document.head.appendChild(script).parentNode.removeChild(script);}// Use eval, but context of eval is current, context of $.Globaleval is global.eval(code);
-
解析
- parseHTML
解析字符串为 DOM 节点数组.
// jQuery$.parseHTML(htmlString);// Nativefunction parseHTML(string) { const context = document.implementation.createHTMLDocument(); // Set the base href for the created document so any parsed elements with URLs // are based on the document's URL const base = context.createElement('base'); base.href = document.location.href; context.head.appendChild(base); context.body.innerHTML = string; return context.body.children;}
- parseJSON
传入格式正确的 JSON 字符串并返回 JavaScript 值.
// jQuery$.parseJSON(str);// NativeJSON.parse(str);
Promises
Promise 代表异步操作的最终结果。jQuery 用它自己的方式处理 promises,原生 JavaScript 遵循 标准实现了最小 API 来处理 promises。
-
done, fail, always
done
会在 promise 解决时调用,fail
会在 promise 拒绝时调用,always
总会调用。// jQuery$promise.done(doneCallback).fail(failCallback).always(alwaysCallback)// Nativepromise.then(doneCallback, failCallback).then(alwaysCallback, alwaysCallback)
-
when
when
用于处理多个 promises。当全部 promises 被解决时返回,当任一 promise 被拒绝时拒绝。// jQuery$.when($promise1, $promise2).done((promise1Result, promise2Result) => {});// NativePromise.all([$promise1, $promise2]).then([promise1Result, promise2Result] => {});
-
Deferred
Deferred 是创建 promises 的一种方式。
// jQueryfunction asyncFunc() { const defer = new $.Deferred(); setTimeout(() => { if(true) { defer.resolve('some_value_computed_asynchronously'); } else { defer.reject('failed'); } }, 1000); return defer.promise();}// Nativefunction asyncFunc() { return new Promise((resolve, reject) => { setTimeout(() => { if (true) { resolve('some_value_computed_asynchronously'); } else { reject('failed'); } }, 1000); });}// Deferred wayfunction defer() { const deferred = {}; const promise = new Promise((resolve, reject) => { deferred.resolve = resolve; deferred.reject = reject; }); deferred.promise = () => { return promise; }; return deferred;}function asyncFunc() { const defer = defer(); setTimeout(() => { if(true) { defer.resolve('some_value_computed_asynchronously'); } else { defer.reject('failed'); } }, 1000); return defer.promise();}
Animation
-
Show & Hide
// jQuery$el.show();$el.hide();// Native// 更多 show 方法的细节详见 https://github.com/oneuijs/oui-dom-utils/blob/master/src/index.js#L363el.style.display = ''|'inline'|'inline-block'|'inline-table'|'block';el.style.display = 'none';
-
Toggle
显示或隐藏元素。
// jQuery$el.toggle();// Nativeif (el.ownerDocument.defaultView.getComputedStyle(el, null).display === 'none') { el.style.display = ''|'inline'|'inline-block'|'inline-table'|'block';} else { el.style.display = 'none';}
-
FadeIn & FadeOut
// jQuery$el.fadeIn(3000);$el.fadeOut(3000);// Nativeel.style.transition = 'opacity 3s';// fadeInel.style.opacity = '1';// fadeOutel.style.opacity = '0';
-
FadeTo
调整元素透明度。
// jQuery$el.fadeTo('slow',0.15);// Nativeel.style.transition = 'opacity 3s'; // 假设 'slow' 等于 3 秒el.style.opacity = '0.15';
-
FadeToggle
动画调整透明度用来显示或隐藏。
// jQuery$el.fadeToggle();// Nativeel.style.transition = 'opacity 3s';const { opacity } = el.ownerDocument.defaultView.getComputedStyle(el, null);if (opacity === '1') { el.style.opacity = '0';} else { el.style.opacity = '1';}
-
SlideUp & SlideDown
// jQuery$el.slideUp();$el.slideDown();// Nativeconst originHeight = '100px';el.style.transition = 'height 3s';// slideUpel.style.height = '0px';// slideDownel.style.height = originHeight;
-
SlideToggle
滑动切换显示或隐藏。
// jQuery$el.slideToggle();// Nativeconst originHeight = '100px';el.style.transition = 'height 3s';const { height } = el.ownerDocument.defaultView.getComputedStyle(el, null);if (parseInt(height, 10) === 0) { el.style.height = originHeight;}else { el.style.height = '0px';}
-
Animate
执行一系列 CSS 属性动画。
// jQuery$el.animate({ params }, speed);// Nativeel.style.transition = 'all ' + speed;Object.keys(params).forEach((key) => el.style[key] = params[key];)
Alternatives
- - 如何使用原生 JavaScript 实现通用事件,元素,ajax 等用法。
- 以及 - 在 NPM 上提供独立 DOM 模块的组织
Browser Support
Latest ✔ | Latest ✔ | 10+ ✔ | Latest ✔ | 6.1+ ✔ |
License
MIT