Overview
Underscore.js is a very lean library, only 4KB compressed. It provides dozens of functional programming methods, which greatly facilitates Javascript programming. The MVC framework backbone.js is based on this library.
It defines an underscore (_) object, and all methods of the function library belong to this object. These methods can be roughly divided into five categories: collection, array, function, object and utility.
Install under node.js
Underscore.js can be used not only in browser environments, but also in node.js. The installation command is as follows:
npm install underscore
However, node.js cannot directly use _ as a variable name, so use underscore.js in the following method.
var u = require("underscore");
Methods related to collections
Javascript language data collection includes two structures: arrays and objects. The following methods apply to both structures.
map
This method performs some operation on each member of the collection in turn, and stores the returned value in a new array.
_.map([1, 2, 3], function(num){ return num * 3; }); // [3, 6, 9] _.map({one : 1, two : 2, three : 3 }, function(num, key){ return num * 3; }); // [3, 6, 9]
each
This method is similar to map, which performs some operation on each member of the collection in turn, but does not return a value.
_.each([1, 2, 3], alert); _.each({one : 1, two : 2, three : 3}, alert);
reduce
This method performs some kind of operation on each member of the set in turn, and then accumulates the operation results on a certain initial value. After all operations are completed, the accumulated value is returned.
This method accepts three parameters. The first parameter is the collection being processed, the second parameter is the function that operates on each member, and the third parameter is the variable used for accumulation.
_.reduce([1, 2, 3], function(memo, num){ return memo num; }, 0); // 6
The second parameter of the reduce method is the operation function, which itself accepts two parameters. The first is the variable used for accumulation, and the second is the value of each member of the set.
filter and reject
The filter method performs some operation on each member of the collection in turn, and only returns members whose operation result is true.
_.filter([1, 2, 3, 4, 5, 6], function(num){ return num % 2 == 0; }); // [2, 4, 6]
The reject method only returns members whose operation result is false.
_.reject([1, 2, 3, 4, 5, 6], function(num){ return num % 2 == 0; }); // [1, 3, 5]
every and some
The every method performs some operation on each member of the collection in turn. If the operation results of all members are true, it returns true, otherwise it returns false.
_.every([1, 2, 3, 4, 5, 6], function(num){ return num % 2 == 0; }); // false
Some methods return true as long as the operation result of one member is true, otherwise it returns false.
_.some([1, 2, 3, 4, 5, 6], function(num){ return num % 2 == 0; }); // true
find
This method performs some operation on each member of the collection in turn and returns the first member whose operation result is true. If the operation result of all members is false, undefined is returned.
_.find([1, 2, 3, 4, 5, 6], function(num){ return num % 2 == 0; }); // 2
contains
If a value is in the collection, this method returns true, otherwise it returns false.
_.contains([1, 2, 3], 3); // true
countBy
This method performs some kind of operation on each member of the set in turn, counts members with the same operation results as one category, and finally returns an object indicating the number of members corresponding to each operation result.
_.countBy([1, 2, 3, 4, 5], function(num) { return num % 2 == 0 ? 'even' : 'odd'; }); // {odd: 3, even: 2 }
shuffle
This method returns a shuffled collection.
_.shuffle([1, 2, 3, 4, 5, 6]); // [4, 1, 6, 3, 5, 2]
size
This method returns the number of members of the collection.
_.size({one : 1, two : 2, three : 3}); // 3
Methods related to objects
toArray
This method converts the object into an array.
_.toArray({a:0,b:1,c:2}); // [0, 1, 2]
pluck
This method extracts the value of a certain attribute of multiple objects into an array.
var stooges = [{name : 'moe', age : 40}, {name : 'larry', age : 50}, {name : 'curly', age : 60}]; _.pluck(stooges, 'name' ); // ["moe", "larry", "curly"]
Methods related to functions
bind
This method binds the function runtime context and returns it as a new function.
_.bind(function, object, [*arguments])
Please see the example below.
var o = { p: 2, m: function (){console.log(p);} }; o.m() // 2 _.bind(o.m,{p:1})() // 1
bindAll
This method binds all methods of an object (unless specifically stated) to the object.
var buttonView = { label : 'underscore', onClick : function(){ alert('clicked: ' this.label); }, onHover : function(){ console.log('hovering: ' this.label); } } ; _.bindAll(buttonView);
partial
This method binding binds a function to parameters and then returns it as a new function.
var add = function(a, b) { return a b; }; add5 = _.partial(add, 5); add5(10); // 15
memoize
This method caches the running results of a function for a certain parameter.
var fibonacci = _.memoize(function(n) { return n
If a function has multiple parameters, a hashFunction needs to be provided to generate a hash value that identifies the cache.
delay
This method can postpone the function to run for a specified time.
var log = _.bind(console.log, console); _.delay(log, 1000, 'logged later'); // 'logged later'
defer
This method can postpone running the function until the number of tasks to be run reaches 0, similar to the effect of setTimeout delaying running for 0 seconds.
_.defer(function(){ alert('deferred'); });
throttle
This method returns a new version of the function. When calling this new version of the function continuously, you must wait for a certain period of time before triggering the next execution.
// Return the new version of the updatePosition function var throttled = _.throttle(updatePosition, 100); // The new version of the function will only be triggered every 100 milliseconds $(window).scroll(throttled);
debounce
This method also returns a new version of a function. Each time this new version of the function is called, there must be a certain amount of time between the previous call, otherwise it will be invalid. Its typical application is to prevent users from double-clicking a button, causing the form to be submitted twice.
$("button").on("click", _.debounce(submitForm, 1000));
once
This method returns a new version of the function so that this function can only be run once. Mainly used for object initialization.
var initialize = _.once(createApplication); initialize(); initialize(); // Application is only created once
after
This method returns a new version of the function. This function will only run after being called a certain number of times. It is mainly used to confirm that a set of operations are completed before reacting.
var renderNotes = _.after(notes.length, render); _.each(notes, function(note) { note.asyncSave({success: renderNotes}); }); // After all notes are saved, renderNote It will only run once
wrap
This method takes a function as a parameter, passes it into another function, and finally returns a new version of the former.
var hello = function(name) { return "hello: " name; }; hello = _.wrap(hello, function(func) { return "before, " func("moe") ", after"; }); hello (); // 'before, hello: moe, after'
compose
This method accepts a series of functions as parameters and runs them in sequence from back to front. The running result of the previous function is used as the running parameter of the next function. In other words, convert the form of f(g(),h()) into f(g(h())).
var greet = function(name){ return "hi: " name; }; var exclaim = function(statement){ return statement "!"; }; var welcome = _.compose(exclaim, greet); welcome('moe' ); // 'hi: moe!'
Tool methods
template
This method is used to compile HTML templates. It accepts three parameters.
_.template(templateString, [data], [settings])
The meanings of the three parameters are as follows:
templateString: template string
data: input template data
settings: settings
templateString
The template string templateString is an ordinary HTML language, in which variables are inserted in the form of ; the data object is responsible for providing the value of the variable.
var txt = "
"; _.template(txt, {word : "Hello World"}) // "
Hello World
"
If the value of the variable contains five special characters (& ” ‘ /), it needs to be escaped with .
var txt = "
"; _.template(txt, {word : "H & W"}) //
H & W
JavaScript commands can be inserted in the form of . The following is an example of a judgment statement.
var txt = "" "" ""; _.template(txt, { word : "Hello World"}) // Hello World
Common usages include loop statements.
var list = "
”; _.template(list, {people : [‘moe’, ‘curly’, ‘larry’]}); // “
moe
curly
larry”
If the template method only has the first parameter templateString and omits the second parameter, a function will be returned, and data can be input to this function in the future.
var t1 = _.template("Hello !"); t1({ user: "" }) // 'Hello !'
data
All variables in templateString are internally attributes of the obj object, and the obj object refers to the second parameter data object. The following two statements are equivalent.
_.template("Hello !", { user: "" }) _.template("Hello !", { user: "" })
If you want to change the name of the obj object, you need to set it in the third parameter.
_.template("Title: ", null, { variable: "data" });
Because template uses the with statement internally when replacing variables, the above approach will run faster.

Detailed explanation of JavaScript string replacement method and FAQ This article will explore two ways to replace string characters in JavaScript: internal JavaScript code and internal HTML for web pages. Replace string inside JavaScript code The most direct way is to use the replace() method: str = str.replace("find","replace"); This method replaces only the first match. To replace all matches, use a regular expression and add the global flag g: str = str.replace(/fi

Leverage jQuery for Effortless Web Page Layouts: 8 Essential Plugins jQuery simplifies web page layout significantly. This article highlights eight powerful jQuery plugins that streamline the process, particularly useful for manual website creation

So here you are, ready to learn all about this thing called AJAX. But, what exactly is it? The term AJAX refers to a loose grouping of technologies that are used to create dynamic, interactive web content. The term AJAX, originally coined by Jesse J

10 fun jQuery game plugins to make your website more attractive and enhance user stickiness! While Flash is still the best software for developing casual web games, jQuery can also create surprising effects, and while not comparable to pure action Flash games, in some cases you can also have unexpected fun in your browser. jQuery tic toe game The "Hello world" of game programming now has a jQuery version. Source code jQuery Crazy Word Composition Game This is a fill-in-the-blank game, and it can produce some weird results due to not knowing the context of the word. Source code jQuery mine sweeping game

Article discusses creating, publishing, and maintaining JavaScript libraries, focusing on planning, development, testing, documentation, and promotion strategies.

This tutorial demonstrates how to create a captivating parallax background effect using jQuery. We'll build a header banner with layered images that create a stunning visual depth. The updated plugin works with jQuery 1.6.4 and later. Download the

This JavaScript library leverages the window.name property to manage session data without relying on cookies. It offers a robust solution for storing and retrieving session variables across browsers. The library provides three core methods: Session

This tutorial demonstrates creating dynamic page boxes loaded via AJAX, enabling instant refresh without full page reloads. It leverages jQuery and JavaScript. Think of it as a custom Facebook-style content box loader. Key Concepts: AJAX and jQuery


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

PhpStorm Mac version
The latest (2018.2.1) professional PHP integrated development tool

VSCode Windows 64-bit Download
A free and powerful IDE editor launched by Microsoft

WebStorm Mac version
Useful JavaScript development tools

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)
