oneuijs/You-Dont-Need-jQuery

oneuijs/You-Dont-Need-jQuery

https://github.com/oneuijs/You-Dont-Need-jQuery/blob/master/README.zh-CN.md

You Don't Need jQuery

前端发展很快,现代浏览器原生 API 已经足够好用。我们并不需要为了操作 DOM、Event 等再学习一下 jQuery 的 API。同时由于 React、Angular、Vue 等框架的流行,直接操作 DOM 不再是好的模式,jQuery 使用场景大大减少。本项目总结了大部分 jQuery API 替代的方法,暂时只支持 IE10+ 以上浏览器。

Translations

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.getElementByIddocument.getElementsByClassName 或 document.getElementsByTagName

  • 1.0 Query by selector

    // jQuery
    (selector);// Native
    document.querySelectorAll(selector);
  • 1.1 Query by class

    // jQuery
    ();// Native
    document.querySelectorAll();document.getElementsByClassName();
  • 1.2 Query by id

    // jQuery
    ();// Native
    document.querySelector();document.getElementById();
  • 1.3 Query by attribute

    // jQuery
    (a[target=_blank]);// Native
    document.querySelectorAll(a[target=_blank]);
  • 1.4 Find sth.

    • Find nodes

      // jQuery
      .();// Native
      .querySelectorAll();
    • Find body

      // jQuery
      ();// Native
      document.;
    • Find Attribute

      // jQuery
      .();// Native
      .getAttribute();
    • Find data attribute

      // jQuery
      .();// Native
      // using getAttribute
      .getAttribute(data-foo);
      // you can also use `dataset` if only need to support IE 11+
      .dataset[];
  • 1.5 Sibling/Previous/Next Elements

    • Sibling elements

      // jQuery
      .siblings();// Native
      [].filter.(.parentNode.children, function(child) {return child  el;
      });
    • Previous elements

      // jQuery
      .();// Native
      .previousElementSibling;
      
    • Next elements

      // next
      .();
      .nextElementSibling;
  • 1.6 Closest

    Closest 获得匹配选择器的第一个祖先元素,从当前元素开始沿 DOM 树向上。

    // jQuery
    .closest(queryString);// Native
    function closest(, selector) {const matchesSelector  .matches  .webkitMatchesSelector  .mozMatchesSelector  .msMatchesSelector;while (el) {(matchesSelector.(el, selector)) {return el;}  {el  .parentElement;}}return ;
    }
  • 1.7 Parents Until

    获取当前每一个匹配元素集的祖先,不包括匹配元素的本身。

    // jQuery
    .parentsUntil(selector, filter);// Native
    function parentsUntil(, selector, filter) {const result  [];const matchesSelector  .matches  .webkitMatchesSelector  .mozMatchesSelector  .msMatchesSelector;// match start from parentel  .parentElement;while (el  matchesSelector.(el, selector)) {(filter) {result.(el);}  {(matchesSelector.(el, filter)) {result.(el);}}el  .parentElement;}return result;
    }
  • 1.8 Form

    • Input/Textarea

      // jQuery
      (#my-input).();// Native
      document.querySelector(#my-input).value;
    • Get index of e.currentTarget between .radio

      // jQuery
      (.currentTarget).index(.radio);// Native
      [].indexOf.(document.querySelectorAll(.radio), .currentTarget);
  • 1.9 Iframe Contents

    jQuery 对象的 iframe contents() 返回的是 iframe 内的 document

    • Iframe contents

      // jQuery
      $iframe.contents();// Native
      iframe.contentDocument;
    • Iframe Query

      // jQuery
      $iframe.contents().();// Native
      iframe.contentDocument.querySelectorAll();

⬆ 回到顶部

CSS & Style

  • 2.1 CSS

    • Get style

      // jQuery
      .(color);// Native
      // 注意:此处为了解决当 style 值为 auto 时,返回 auto 的问题
      const   .ownerDocument.defaultView;
      // null 的意思是不返回伪类元素
      .getComputedStyle(el, ).color;
    • Set style

      // jQuery
      .({ color #ff0011 });// Native
      .style.color  #ff0011;
    • Get/Set Styles

      注意,如果想一次设置多个 style,可以参考 oui-dom-utils 中 setStyles 方法

    • Add class

      // jQuery
      .addClass(className);// Native
      .classList.(className);
    • Remove class

      // jQuery
      .removeClass(className);// Native
      .classList.remove(className);
    • has class

      // jQuery
      .hasClass(className);// Native
      .classList.contains(className);
    • Toggle class

      // jQuery
      .toggleClass(className);// Native
      .classList.toggle(className);
  • 2.2 Width & Height

    Width 与 Height 获取方法相同,下面以 Height 为例:

    • Window height

      // jQuery
      (window).height();// Native
      // 不含 scrollbar,与 jQuery 行为一致
      window.document.documentElement.clientHeight;
      // 含 scrollbar
      window.innerHeight;
    • Document height

      // jQuery
      (document).height();// Native
      document.documentElement.scrollHeight;
    • Element height

      // jQuery
      .height();// Native
      // 与 jQuery 一致(一直为 content 区域的高度)
      function getHeight() {const styles  .getComputedStyle(el);const height  .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 值,content-box 时为 height + padding + border 值)
      .clientHeight;
      // 精确到小数(border-box 时为 height 值,content-box 时为 height + padding + border 值)
      .getBoundingClientRect().height;
    • Iframe height

      $iframe .contents() 方法返回 iframe 的 contentDocument

      // jQuery
      (iframe).contents().height();// Native
      iframe.contentDocument.documentElement.scrollHeight;
  • 2.3 Position & Offset

    • Position

      // jQuery
      .position();// Native
      { left .offsetLeft, top .offsetTop }
    • Offset

      // jQuery
      .offset();// Native
      function getOffset () {const   .getBoundingClientRect();return {top .  window.pageYOffset  document.documentElement.clientTop,left .  window.pageXOffset  document.documentElement.clientLeft}
      }
  • 2.4 Scroll Top

    // jQuery
    (window).scrollTop();// Native
    (document.documentElement  document.documentElement.scrollTop)  document..scrollTop;

⬆ 回到顶部

DOM Manipulation

  • 3.1 Remove

    // jQuery
    .remove();// Native
    .parentNode.removeChild(el);
  • 3.2 Text

    • Get text

      // jQuery
      .();// Native
      .textContent;
    • Set text

      // jQuery
      .(string);// Native
      .textContent  string;
  • 3.3 HTML

    • Get HTML

      // jQuery
      .();// Native
      .innerHTML;
    • Set HTML

      // jQuery
      .(htmlString);// Native
      .innerHTML  htmlString;
  • 3.4 Append

    Append 插入到子节点的末尾

    // jQuery
    .append(<div id='container'>hello</div>);// NativenewEl  document.createElement();
    newEl.setAttribute(, container);
    newEl.innerHTML  hello;
    .appendChild(newEl);
  • 3.5 Prepend

    // jQuery
    .prepend(<div id='container'>hello</div>);// NativenewEl  document.createElement();
    newEl.setAttribute(, container);
    newEl.innerHTML  hello;
    .insertBefore(newEl, .firstChild);
  • 3.6 insertBefore

    在选中元素前插入新节点

    // jQuery
    $newEl.insertBefore(queryString);// Native
    const target  document.querySelector(queryString);
    target.parentNode.insertBefore(newEl, target);
  • 3.7 insertAfter

    在选中元素后插入新节点

    // jQuery
    $newEl.insertAfter(queryString);// Native
    const target  document.querySelector(queryString);
    target.parentNode.insertBefore(newEl, target.nextSibling);

⬆ 回到顶部

用 fetch 和 fetch-jsonp 替代

⬆ 回到顶部

Events

完整地替代命名空间和事件代理,链接到 https://github.com/oneuijs/oui-dom-events

  • 5.1 Bind an event with on

    // jQuery
    .(eventName, eventHandler);// Native
    .addEventListener(eventName, eventHandler);
  • 5.2 Unbind an event with off

    // jQuery
    .(eventName, eventHandler);// Native
    .removeEventListener(eventName, eventHandler);
  • 5.3 Trigger

    // jQuery
    (el).trigger(custom-event, {key1 });// Native(window.CustomEvent) {const event   CustomEvent(custom-event, {detail {key1 }});
    }  {const event  document.createEvent(CustomEvent);event.initCustomEvent(custom-event, , , {key1 });
    }.dispatchEvent(event);

⬆ 回到顶部

Utilities

  • 6.1 isArray

    // jQuery
    .isArray(range);// Native
    Array.isArray(range);
  • 6.2 Trim

    // jQuery
    .(string);// Native
    string.();
  • 6.3 Object Assign

    继承,使用 object.assign polyfill https://github.com/ljharb/object.assign

    // jQuery
    .extend({}, defaultOpts, opts);// Native
    Object.assign({}, defaultOpts, opts);
  • 6.4 Contains

    // jQuery
    .contains(el, child);// Native
    el  child  .contains(child);

⬆ 回到顶部

Alternatives

  • 你可能不需要 jQuery (You Might Not Need jQuery) - 如何使用原生 JavaScript 实现通用事件,元素,ajax 等用法。
  • npm-dom 以及 webmodules - 在 NPM 上提供独立 DOM 模块的组织

Browser Support

Latest ✔Latest ✔10+ ✔Latest ✔6.1+ ✔

License

转载于:https://www.cnblogs.com/WhiteHorseIsNotHorse/p/6137041.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/457440.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Wpf 数据绑定简介、实例1

简介&#xff1a;1.WPF绑定使用的源属性必须是依赖项属性&#xff0c;这是因为依赖项属性具有内置的更改通知支持&#xff0c;元素绑定表达式使用了Xaml扩展标记&#xff0c; WPF绑定一个控件是使用Binding.ElementName, 绑定非控件对象时使用Source,RelativeSource,DataContex…

【设计模式 04】代理模式

代理模式 代理模式( Proxy)&#xff1a;为其他对象提供一种代理以控制对这个对象的访问。 参考&#xff1a;refactoringguru | proxy 什么是代理模式 有时候如果想要访问某个对象&#xff0c;但又没办法直接访问或不方便直接访问&#xff0c;可以使用代理模式&#xff0c;代理…

css 大于号 标签_CSS设计基础选择器篇

点击上方 Java项目学习 &#xff0c;选择 星标 公众号重磅资讯、干货&#xff0c;第一时间送达前言&#xff1a;如果将CSS样式应用于特定的网页对象上&#xff0c;需要先找到目标元素。在CSS样式中执行这一任务的部分被称为选择器。1 标签选择器优点&#xff1a;为页面中同类型…

CSDN博客投票活动开始了

自己坚持写博客&#xff0c;一方面是为了将自己对知识点的理解做一个总结&#xff0c;另一方面也是因为自己看到了很多无私奉献分享自己知识的小伙伴们&#xff0c;因此自己也想像他们那样尽自己微薄之力把自己对某一知识点的理解分享给大家&#xff0c;或许算不上什么特高级的…

crontab 提示 command not found 解决方案

crontab 提示 command not found 解决方案 今天遇见一个问题&#xff0c;crontab的定时任务会报错&#xff1a;java command not found&#xff0c;但是手动执行脚本一直能成功。 猜想是环境变量的问题。 在crontab里添加个打印环境变量的任务&#xff1a; * * * * * echo $PAT…

java中文乱码decode_Java中文乱码处理

java编码转换过程我们总是用一个java类文件和用户进行最直接的交互(输入、输出)&#xff0c;这些交互内容包含的文字可能会包含中文。无论这些java类是与数据库交互&#xff0c;还是与前端页面交互&#xff0c;他们的生命周期总是这样的&#xff1a;1、程序员在操作系统上通过编…

【设计模式 05】工厂方法模式

工厂方法模式 define an interface or abstract class for creating an object but let the subclasses decide which class to instantiate. 参考&#xff1a; refactoringguru | factory-methodjavatpoint | factory-method-design-pattern博客园| 工厂方法 简单工厂的问题 …

[C++]宏定义#define A B C

C关于宏定义的用法&#xff0c;有形如#define A B C的格式&#xff0c;此时B和C都是已知的字符串常量. 在宏定义中. 可以把两个常量字符串连在一起 如果#define A "a" 那么宏定义#define STRING A "bc" 就相当于 #define STRING "abc" 这里&…

LinkedList类源码浅析(二)

1、上一节介绍了LinkedList的几个基本的方法&#xff0c;其他方法类似&#xff0c;就不一一介绍&#xff1b; 现在再来看一个删除的方法&#xff1a;remove(Object o) remove方法接受一个Object参数&#xff0c;这里需要对参数做空与非空处理&#xff1b; 但是删除一个Object元…

【设计模式 06】原型模式(克隆??)

原型模式(clone?) Prototype pattern refers to creating duplicate object while keeping performance in mind. This type of design pattern comes under creational pattern as this pattern provides one of the best ways to create an object. 参考&#xff1a; tutori…

2016OSC源创会年终盛典-综合技术专场-张小刚

2019独角兽企业重金招聘Python工程师标准>>> 综合技术专场 讲师/SPEAKERS 张小刚 网易云负载均衡项目负责人 《网易蜂巢负载均衡技术实践》从网易蜂巢中的实践出发&#xff0c;分享网易蜂巢负载均衡服务从无到有&#xff0c;从私有云到公有云过程中的技术实践。重点…

python策略模式包含角色_详解Python设计模式之策略模式

虽然设计模式与语言无关&#xff0c;但这并不意味着每一个模式都能在每一门语言中使用。《设计模式&#xff1a;可复用面向对象软件的基础》一书中有 23 个模式&#xff0c;其中有 16 个在动态语言中“不见了&#xff0c;或者简化了”。1、策略模式概述策略模式&#xff1a;定义…

mysql 日期

数据类型 数据类型格式date YYYY-MM-DD datetime YYYY-MM-DD HH:MM:SS timestamp YYYY-MM-DD HH:MM:SS year YYYY 或 YY 具体实现的函数 1、now() 返回当前的日期和时间 SELECT NOW(); 2、curdate() 返回当前的日期 SELECT CURdate(); 3、curtime&#xff08;&#xff09;返回当…

【Go】panic: reflect: call of reflect.Value.FieldByName on ptr Value

产生原因 调用 FieldByName()方法时&#xff0c;调用者与预期类型不相符。 // 错误代码 func setNewArticleInfoToCache(article *Article) {fields : []string{"Title", "Abstract", "ID", "AuthorID", "CreateTime",}im…

超完整的 Chrome 浏览器客户端调试大全

2019独角兽企业重金招聘Python工程师标准>>> 引言 “工欲善其事&#xff0c;必先利其器” 没错&#xff0c;这句话个人觉得说的特别有道理&#xff0c;举个例子来说吧&#xff0c;厉害的化妆师都有一套非常专业的刷子&#xff0c;散粉刷负责定妆&#xff0c;眼影刷负…

PHP 获取服务器详细信息【转】

碰到此问题&#xff0c;做下记录 获取系统类型及版本号&#xff1a; php_uname() (例&#xff1a;Windows NT COMPUTER 5.1 build 2600)只获取系统类型&#xff1a; php_uname(s) (或&#xff1…

HIVE攻略 JFK_Hive安装及使用攻略

目录Hive的安装Hive的基本使用:CRUDHive交互式模式数据导入数据导出Hive查询HiveQLHive视图Hive分区表1. Hive的安装系统环境装好hadoop的环境后&#xff0c;我们可以把Hive装在namenode机器上(c1)。hadoop的环境&#xff0c;请参考&#xff1a;让Hadoop跑在云端系列文章&#…

MySQL 为什么用索引,为什么是 B+树,怎么用索引

MySQL 索引 A database index is a data structure that improves the speed of operations in a table. Indexes can be created using one or more columns, providing the basis for both rapid random lookups and efficient ordering of access to records. 为什么需要索…

页面加载完毕执行多个JS函数

通常我们需要在打开页面时加载脚本&#xff0c;这些脚本必须在页面加载完毕后才可以执行&#xff0c;因为这时候DOM才完整&#xff0c;可以利用window.onload确保这一点&#xff0c;如&#xff1a;window.οnlοadfirstFunction;这脚本的意思是在页面完毕后执行firstFunction函…

Servlet 生命周期、工作原理

Servlet 生命周期&#xff1a;Servlet 加载--->实例化--->服务--->销毁。init&#xff08;&#xff09;&#xff1a;在Servlet的生命周期中&#xff0c;仅执行一次init()方法。它是在服务器装入Servlet时执行的&#xff0c;负责初始化Servlet对象。可以配置服务器&…