国产xxxx99真实实拍_久久不雅视频_高清韩国a级特黄毛片_嗯老师别我我受不了了小说

資訊專欄INFORMATION COLUMN

原生js替換jQuery各種方法-中文版

lylwyy2016 / 2427人閱讀

摘要:本項目總結(jié)了大部分替代的方法,暫時只支持以上瀏覽器。返回指定元素及其后代的文本內(nèi)容。從服務(wù)器讀取數(shù)據(jù)并替換匹配元素的內(nèi)容。用它自己的方式處理,原生遵循標(biāo)準(zhǔn)實現(xiàn)了最小來處理。當(dāng)全部被解決時返回,當(dāng)任一被拒絕時拒絕。是創(chuàng)建的一種方式。

原文https://github.com/nefe/You-D...

You Don"t Need jQuery

前端發(fā)展很快,現(xiàn)代瀏覽器原生 API 已經(jīng)足夠好用。我們并不需要為了操作 DOM、Event 等再學(xué)習(xí)一下 jQuery 的 API。同時由于 React、Angular、Vue 等框架的流行,直接操作 DOM 不再是好的模式,jQuery 使用場景大大減少。本項目總結(jié)了大部分 jQuery API 替代的方法,暫時只支持 IE10 以上瀏覽器。

目錄

Translations

Query Selector

CSS & Style

DOM Manipulation

Ajax

Events

Utilities

Promises

Animation

Alternatives

Browser Support

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.querySelectordocument.querySelectorAll 替代。區(qū)別是

document.querySelector 返回第一個匹配的 Element

document.querySelectorAll 返回所有匹配的 Element 組成的 NodeList。它可以通過 [].slice.call() 把它轉(zhuǎn)成 Array

如果匹配不到任何 Element,jQuery 返回空數(shù)組 [],但 document.querySelector 返回 null,注意空指針異常。當(dāng)找不到時,也可以使用 || 設(shè)置默認(rèn)的值,如 document.querySelectorAll(selector) || []

注意:document.querySelectordocument.querySelectorAll 性能很。如果想提高性能,盡量使用 document.getElementByIddocument.getElementsByClassNamedocument.getElementsByTagName

1.0 選擇器查詢

// jQuery
$("selector");

// Native
document.querySelectorAll("selector");

1.1 class 查詢

// jQuery
$(".class");

// Native
document.querySelectorAll(".class");

// or
document.getElementsByClassName("class");

1.2 id 查詢

// jQuery
$("#id");

// Native
document.querySelector("#id");

// or
document.getElementById("id");

1.3 屬性查詢

// jQuery
$("a[target=_blank]");

// Native
document.querySelectorAll("a[target=_blank]");

1.4 后代查詢

// jQuery
$el.find("li");

// Native
el.querySelectorAll("li");

1.5 兄弟及上下元素

兄弟元素

// 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();

// Native
el.previousElementSibling;

下一個元素

// next
$el.next();

// Native
el.nextElementSibling;

1.6 Closest

Closest 獲得匹配選擇器的第一個祖先元素,從當(dāng)前元素開始沿 DOM 樹向上。

// jQuery
$el.closest(queryString);

// Native - Only latest, NO IE
el.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;
}

1.7 Parents Until

獲取當(dāng)前每一個匹配元素集的祖先,不包括匹配元素的本身。

// jQuery
$el.parentsUntil(selector, filter);

// Native
function 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;
}

1.8 Form

Input/Textarea

// jQuery
$("#my-input").val();

// Native
document.querySelector("#my-input").value;

獲取 e.currentTarget 在 .radio 中的數(shù)組索引

// jQuery
$(".radio").index(e.currentTarget);

// Native
Array.prototype.indexOf.call(document.querySelectorAll(".radio"), e.currentTarget);

1.9 Iframe Contents

jQuery 對象的 iframe contents() 返回的是 iframe 內(nèi)的 document

Iframe contents

// jQuery
$iframe.contents();

// Native
iframe.contentDocument;

Iframe Query

// jQuery
$iframe.contents().find(".css");

// Native
iframe.contentDocument.querySelectorAll(".css");

1.10 獲取 body

// jQuery
$("body");

// Native
document.body;

1.11 獲取或設(shè)置屬性

獲取屬性

// jQuery
$el.attr("foo");

// Native
el.getAttribute("foo");

設(shè)置屬性

// jQuery, note that this works in memory without change the DOM
$el.attr("foo", "bar");

// Native
el.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

2.1 CSS

Get style

// jQuery
$el.css("color");

// Native
// 注意:此處為了解決當(dāng) style 值為 auto 時,返回 auto 的問題
const win = el.ownerDocument.defaultView;

// null 的意思是不返回偽類元素
win.getComputedStyle(el, null).color;

Set style

// jQuery
$el.css({ color: "#ff0011" });

// Native
el.style.color = "#ff0011";

Get/Set Styles

注意,如果想一次設(shè)置多個 style,可以參考 oui-dom-utils 中 setStyles 方法

Add class

// jQuery
$el.addClass(className);

// Native
el.classList.add(className);

Remove class

// jQuery
$el.removeClass(className);

// Native
el.classList.remove(className);

has class

// jQuery
$el.hasClass(className);

// Native
el.classList.contains(className);

Toggle class

// jQuery
$el.toggleClass(className);

// Native
el.classList.toggle(className);

2.2 Width & Height

Width 與 Height 獲取方法相同,下面以 Height 為例:

Window height

// window height
$(window).height();

// 含 scrollbar
window.document.documentElement.clientHeight;

// 不含 scrollbar,與 jQuery 行為一致
window.innerHeight;

Document height

// jQuery
$(document).height();

// Native
const 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();

// Native
function 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;
}

// 精確到整數(shù)(border-box 時為 height - border 值,content-box 時為 height + padding 值)
el.clientHeight;

// 精確到小數(shù)(border-box 時為 height 值,content-box 時為 height + padding + border 值)
el.getBoundingClientRect().height;

2.3 Position & Offset

Position

獲得匹配元素相對父元素的偏移

// jQuery
$el.position();

// Native
{ left: el.offsetLeft, top: el.offsetTop }

Offset

獲得匹配元素相對文檔的偏移

// jQuery
$el.offset();

// Native
function getOffset (el) {
  const box = el.getBoundingClientRect();

  return {
    top: box.top + window.pageYOffset - document.documentElement.clientTop,
    left: box.left + window.pageXOffset - document.documentElement.clientLeft
  }
}

2.4 Scroll Top

獲取元素滾動條垂直位置。

// jQuery
$(window).scrollTop();

// Native
(document.documentElement && document.documentElement.scrollTop) || document.body.scrollTop;

? 回到頂部

DOM Manipulation

3.1 Remove

從 DOM 中移除元素。

// jQuery
$el.remove();

// Native
el.parentNode.removeChild(el);

3.2 Text

Get text

返回指定元素及其后代的文本內(nèi)容。

// jQuery
$el.text();

// Native
el.textContent;

Set text

設(shè)置元素的文本內(nèi)容。

// jQuery
$el.text(string);

// Native
el.textContent = string;

3.3 HTML

Get HTML

// jQuery
$el.html();

// Native
el.innerHTML;

Set HTML

// jQuery
$el.html(htmlString);

// Native
el.innerHTML = htmlString;

3.4 Append

Append 插入到子節(jié)點(diǎn)的末尾

// jQuery
$el.append("
hello
"); // Native (HTML string) el.insertAdjacentHTML("beforeend", "
Hello World
"); // Native (Element) el.appendChild(newEl);

3.5 Prepend

// jQuery
$el.prepend("
hello
"); // Native (HTML string) el.insertAdjacentHTML("afterbegin", "
Hello World
"); // Native (Element) el.insertBefore(newEl, el.firstChild);

3.6 insertBefore

在選中元素前插入新節(jié)點(diǎn)

// 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); }

3.7 insertAfter

在選中元素后插入新節(jié)點(diǎn)

// 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); }

3.8 is

如果匹配給定的選擇器,返回true

// jQuery
$el.is(selector);

// Native
el.matches(selector);

3.9 clone

深拷貝被選元素。(生成被選元素的副本,包含子節(jié)點(diǎn)、文本和屬性。)

//jQuery
$el.clone();

//Native
el.cloneNode();

//深拷貝添加參數(shù)‘true’

3.10 empty

移除所有子節(jié)點(diǎn)

//jQuery
$el.empty();

//Native
el.innerHTML = "";

3.11 wrap

把每個被選元素放置在指定的HTML結(jié)構(gòu)中。

//jQuery
$(".inner").wrap("
"); //Native Array.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); });

3.12 unwrap

移除被選元素的父元素的DOM結(jié)構(gòu)

// jQuery
$(".inner").unwrap();

// Native
Array.prototype.forEach.call(document.querySelectorAll(".inner"), (el) => {
      let elParentNode = el.parentNode

      if(elParentNode !== document.body) {
          elParentNode.parentNode.insertBefore(el, elParentNode)
          elParentNode.parentNode.removeChild(elParentNode)
      }
});

3.13 replaceWith

用指定的元素替換被選的元素

//jQuery
$(".inner").replaceWith("
"); //Native Array.prototype.forEach.call(document.querySelectorAll(".inner"),(el) => { const outer = document.createElement("div"); outer.className = "outer"; el.parentNode.insertBefore(outer, el); el.parentNode.removeChild(el); });

3.14 simple parse

解析 HTML/SVG/XML 字符串

// jQuery
$(`
  1. a
  2. b
  1. c
  2. d
`); // Native range = document.createRange(); parse = range.createContextualFragment.bind(range); parse(`
  1. a
  2. b
  1. c
  2. d
`);

? 回到頂部

Ajax

Fetch API 是用于替換 XMLHttpRequest 處理 ajax 的新標(biāo)準(zhǔn),Chrome 和 Firefox 均支持,舊瀏覽器可以使用 polyfills 提供支持。

IE9+ 請使用 github/fetch,IE8+ 請使用 fetch-ie8,JSONP 請使用 fetch-jsonp。

4.1 從服務(wù)器讀取數(shù)據(jù)并替換匹配元素的內(nèi)容。

// jQuery
$(selector).load(url, completeCallback)

// Native
fetch(url).then(data => data.text()).then(data => {
  document.querySelector(selector).innerHTML = data
}).then(completeCallback)

? 回到頂部

Events

完整地替代命名空間和事件代理,鏈接到 https://github.com/oneuijs/ou...

5.0 Document ready by DOMContentLoaded

// jQuery
$(document).ready(eventHandler);

// Native
// 檢測 DOMContentLoaded 是否已完成
if (document.readyState !== "loading") {
  eventHandler();
} else {
  document.addEventListener("DOMContentLoaded", eventHandler);
}

5.1 使用 on 綁定事件

// jQuery
$el.on(eventName, eventHandler);

// Native
el.addEventListener(eventName, eventHandler);

5.2 使用 off 解綁事件

// jQuery
$el.off(eventName, eventHandler);

// Native
el.removeEventListener(eventName, eventHandler);

5.3 Trigger

// jQuery
$(el).trigger("custom-event", {key1: "data"});

// Native
if (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 中找到. 其他高級功能可以選用專注于該領(lǐng)域的穩(wěn)定性和性能都更好的庫來代替,推薦 lodash。

6.1 基本工具

isArray

檢測參數(shù)是不是數(shù)組。

// jQuery
$.isArray(range);

// Native
Array.isArray(range);

isWindow

檢測參數(shù)是不是 window。

// jQuery
$.isWindow(obj);

// Native
function isWindow(obj) {
  return obj !== null && obj !== undefined && obj === obj.window;
}

inArray

在數(shù)組中搜索指定值并返回索引 (找不到則返回 -1)。

// jQuery
$.inArray(item, array);

// Native
array.indexOf(item) > -1;

// ES6-way
array.includes(item);

isNumeric

檢測傳入的參數(shù)是不是數(shù)字。
Use typeof to decide the type or the type example for better accuracy.

// jQuery
$.isNumeric(item);

// Native
function isNumeric(n) {
  return !isNaN(parseFloat(n)) && isFinite(n);
}

isFunction

檢測傳入的參數(shù)是不是 JavaScript 函數(shù)對象。

// jQuery
$.isFunction(item);

// Native
function 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);

// Native
function isEmptyObject(obj) {
  return Object.keys(obj).length === 0;
}

isPlainObject

檢測是不是扁平對象 (使用 “{}” 或 “new Object” 創(chuàng)建).

// jQuery
$.isPlainObject(obj);

// Native
function 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

合并多個對象的內(nèi)容到第一個對象。
object.assign 是 ES6 API,也可以使用 polyfill。

// jQuery
$.extend({}, defaultOpts, opts);

// Native
Object.assign({}, defaultOpts, opts);

trim

移除字符串頭尾空白。

// jQuery
$.trim(string);

// Native
string.trim();

map

將數(shù)組或?qū)ο筠D(zhuǎn)化為包含新內(nèi)容的數(shù)組。

// jQuery
$.map(array, (value, index) => {
});

// Native
array.map((value, index) => {
});

each

輪詢函數(shù),可用于平滑的輪詢對象和數(shù)組。

// jQuery
$.each(array, (index, value) => {
});

// Native
array.forEach((value, index) => {
});

grep

找到數(shù)組中符合過濾函數(shù)的元素。

// jQuery
$.grep(array, (value, index) => {
});

// Native
array.filter((value, index) => {
});

type

檢測對象的 JavaScript [Class] 內(nèi)部類型。

// jQuery
$.type(obj);

// Native
function type(item) {
  const reTypeOf = /(?:^[objects(.*?)]$)/;
  return Object.prototype.toString.call(item)
    .replace(reTypeOf, "$1")
    .toLowerCase();
}

merge

合并第二個數(shù)組內(nèi)容到第一個數(shù)組。

// jQuery
$.merge(array1, array2);

// Native
// 使用 concat,不能去除重復(fù)值
function merge(...args) {
  return [].concat(...args)
}

// ES6,同樣不能去除重復(fù)值
array1 = [...array1, ...array2]

// 使用 Set,可以去除重復(fù)值
function merge(...args) {
  return Array.from(new Set([].concat(...args)))
}

now

返回當(dāng)前時間的數(shù)字呈現(xiàn)。

// jQuery
$.now();

// Native
Date.now();

proxy

傳入函數(shù)并返回一個新函數(shù),該函數(shù)綁定指定上下文。

// jQuery
$.proxy(fn, context);

// Native
fn.bind(context);

makeArray

類數(shù)組對象轉(zhuǎn)化為真正的 JavaScript 數(shù)組。

// jQuery
$.makeArray(arrayLike);

// Native
Array.prototype.slice.call(arrayLike);

// ES6-way
Array.from(arrayLike);

6.2 包含

檢測 DOM 元素是不是其他 DOM 元素的后代.

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

// Native
el !== child && el.contains(child);

6.3 Globaleval

全局執(zhí)行 JavaScript 代碼。

// jQuery
$.globaleval(code);

// Native
function 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);

6.4 解析

parseHTML

解析字符串為 DOM 節(jié)點(diǎn)數(shù)組.

// jQuery
$.parseHTML(htmlString);

// Native
function 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);

// Native
JSON.parse(str);

? 回到頂部

Promises

Promise 代表異步操作的最終結(jié)果。jQuery 用它自己的方式處理 promises,原生 JavaScript 遵循 Promises/A+ 標(biāo)準(zhǔn)實現(xiàn)了最小 API 來處理 promises。

7.1 done, fail, always

done 會在 promise 解決時調(diào)用,fail 會在 promise 拒絕時調(diào)用,always 總會調(diào)用。

// jQuery
$promise.done(doneCallback).fail(failCallback).always(alwaysCallback)

// Native
promise.then(doneCallback, failCallback).then(alwaysCallback, alwaysCallback)

7.2 when

when 用于處理多個 promises。當(dāng)全部 promises 被解決時返回,當(dāng)任一 promise 被拒絕時拒絕。

// jQuery
$.when($promise1, $promise2).done((promise1Result, promise2Result) => {
});

// Native
Promise.all([$promise1, $promise2]).then([promise1Result, promise2Result] => {});

7.3 Deferred

Deferred 是創(chuàng)建 promises 的一種方式。

// jQuery
function asyncFunc() {
  const defer = new $.Deferred();
  setTimeout(() => {
    if(true) {
      defer.resolve("some_value_computed_asynchronously");
    } else {
      defer.reject("failed");
    }
  }, 1000);

  return defer.promise();
}

// Native
function asyncFunc() {
  return new Promise((resolve, reject) => {
    setTimeout(() => {
      if (true) {
        resolve("some_value_computed_asynchronously");
      } else {
        reject("failed");
      }
    }, 1000);
  });
}

// Deferred way
function 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

8.1 Show & Hide

// jQuery
$el.show();
$el.hide();

// Native
// 更多 show 方法的細(xì)節(jié)詳見 https://github.com/oneuijs/oui-dom-utils/blob/master/src/index.js#L363
el.style.display = ""|"inline"|"inline-block"|"inline-table"|"block";
el.style.display = "none";

8.2 Toggle

顯示或隱藏元素。

// jQuery
$el.toggle();

// Native
if (el.ownerDocument.defaultView.getComputedStyle(el, null).display === "none") {
  el.style.display = ""|"inline"|"inline-block"|"inline-table"|"block";
} else {
  el.style.display = "none";
}

8.3 FadeIn & FadeOut

// jQuery
$el.fadeIn(3000);
$el.fadeOut(3000);

// Native
el.style.transition = "opacity 3s";
// fadeIn
el.style.opacity = "1";
// fadeOut
el.style.opacity = "0";

8.4 FadeTo

調(diào)整元素透明度。

// jQuery
$el.fadeTo("slow",0.15);
// Native
el.style.transition = "opacity 3s"; // 假設(shè) "slow" 等于 3 秒
el.style.opacity = "0.15";

8.5 FadeToggle

動畫調(diào)整透明度用來顯示或隱藏。

// jQuery
$el.fadeToggle();

// Native
el.style.transition = "opacity 3s";
const { opacity } = el.ownerDocument.defaultView.getComputedStyle(el, null);
if (opacity === "1") {
  el.style.opacity = "0";
} else {
  el.style.opacity = "1";
}

8.6 SlideUp & SlideDown

// jQuery
$el.slideUp();
$el.slideDown();

// Native
const originHeight = "100px";
el.style.transition = "height 3s";
// slideUp
el.style.height = "0px";
// slideDown
el.style.height = originHeight;

8.7 SlideToggle

滑動切換顯示或隱藏。

// jQuery
$el.slideToggle();

// Native
const 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";
}

8.8 Animate

執(zhí)行一系列 CSS 屬性動畫。

// jQuery
$el.animate({ params }, speed);

// Native
el.style.transition = "all " + speed;
Object.keys(params).forEach((key) =>
  el.style[key] = params[key];
)

? 回到頂部

Alternatives

你可能不需要 jQuery (You Might Not Need jQuery) - 如何使用原生 JavaScript 實現(xiàn)通用事件,元素,ajax 等用法。

npm-dom 以及 webmodules - 在 NPM 上提供獨(dú)立 DOM 模塊的組織

Browser Support
Latest ? Latest ? 10+ ? Latest ? 6.1+ ?
License

MIT

文章版權(quán)歸作者所有,未經(jīng)允許請勿轉(zhuǎn)載,若此文章存在違規(guī)行為,您可以聯(lián)系管理員刪除。

轉(zhuǎn)載請注明本文地址:http://specialneedsforspecialkids.com/yun/98151.html

相關(guān)文章

  • Velocity.js簡明使用教程(文版上)

    摘要:需要使用,本文未使用,所以暫不考慮。然后,只需要在主函數(shù)中調(diào)用這些函數(shù),主函數(shù)包含方法。每個函數(shù)使用關(guān)鍵字存儲在常量中。下面是有計時器的主函數(shù)。在主函數(shù)里調(diào)用以上函數(shù)注意全局變量。簡而言之,不要在動態(tài)上下文的回調(diào)函數(shù)中使用箭頭函數(shù)。 本文翻譯自https://www.sitepoint.com/how... 在本文中,我將介紹Velocity.js,這是一個快速,高性能的JavaScr...

    graf 評論0 收藏0
  • 前端文檔收集

    摘要:系列種優(yōu)化頁面加載速度的方法隨筆分類中個最重要的技術(shù)點(diǎn)常用整理網(wǎng)頁性能管理詳解離線緩存簡介系列編寫高性能有趣的原生數(shù)組函數(shù)數(shù)據(jù)訪問性能優(yōu)化方案實現(xiàn)的大排序算法一怪對象常用方法函數(shù)收集數(shù)組的操作面向?qū)ο蠛驮屠^承中關(guān)鍵詞的優(yōu)雅解釋淺談系列 H5系列 10種優(yōu)化頁面加載速度的方法 隨筆分類 - HTML5 HTML5中40個最重要的技術(shù)點(diǎn) 常用meta整理 網(wǎng)頁性能管理詳解 HTML5 ...

    jsbintask 評論0 收藏0
  • 前端文檔收集

    摘要:系列種優(yōu)化頁面加載速度的方法隨筆分類中個最重要的技術(shù)點(diǎn)常用整理網(wǎng)頁性能管理詳解離線緩存簡介系列編寫高性能有趣的原生數(shù)組函數(shù)數(shù)據(jù)訪問性能優(yōu)化方案實現(xiàn)的大排序算法一怪對象常用方法函數(shù)收集數(shù)組的操作面向?qū)ο蠛驮屠^承中關(guān)鍵詞的優(yōu)雅解釋淺談系列 H5系列 10種優(yōu)化頁面加載速度的方法 隨筆分類 - HTML5 HTML5中40個最重要的技術(shù)點(diǎn) 常用meta整理 網(wǎng)頁性能管理詳解 HTML5 ...

    muddyway 評論0 收藏0

發(fā)表評論

0條評論

最新活動
閱讀需要支付1元查看
<