1 What is function currying? In computer science, What's the meaning? Simply put, currying is a technique used to transform functions with multiple parameters. for example: // This is a function that accepts 3 parameters const add = function(x, y, z) { return x + y + z } If we transform it, we can get a function like this: // Accepts a single parameter const curryingAdd = function(x) { // and returns a function that accepts the remaining parameters return function(y, z) { return x + y + z } } What difference does this make? Compare from the call: // Call add add(1, 2, 3) // Call curryingAdd curryingAdd(1)(2, 3) // Let's see it more clearly. This is equivalent to const fn = curryingAdd(1) fn(2, 3) As you can see, the transformed function can accept parameters in batches. Keep this in mind first, as its usefulness will be discussed below. Even fn (the function returned as follows: const curryingAdd = function(x) { return function(y) { return function(z) { return x + y + z } } } // Call curryingAdd(1)(2)(3) // i.e. const fn = curryingAdd(1) const fn1 = fn(2) fn1(3) The above two transformation processes are function currying. Simply put, it transforms a multi-parameter function So what's the point of going to all that trouble to curry a function? 2 The role and characteristics of currying2.1 Parameter reuseRequirements encountered at work: Check the legality of phone numbers, email addresses, ID cards, etc. through regular expressions So we will encapsulate a verification function as follows: /** * @description Pass the regular expression verification string* @param {RegExp} regExp regular expression object* @param {String} str String to be verified* @return {Boolean} Whether the verification is passed*/ function checkByRegExp(regExp, str) { return regExp.test(str) } If we want to verify many mobile phone numbers and email addresses, we will call it like this: // Check the phone number checkByRegExp(/^1\d{10}$/, '15152525634'); checkByRegExp(/^1\d{10}$/, '13456574566'); checkByRegExp(/^1\d{10}$/, '18123787385'); // Check email checkByRegExp(/^(\w)+(\.\w+)*@(\w)+((\.\w+)+)$/, '[email protected]'); checkByRegExp(/^(\w)+(\.\w+)*@(\w)+((\.\w+)+)$/, '[email protected]'); checkByRegExp(/^(\w)+(\.\w+)*@(\w)+((\.\w+)+)$/, '[email protected]'); There seems to be no problem, but there is still room for improvement
Let's try to improve this using function currying: // Curry the function function checkByRegExp(regExp) { return function(str) { return regExp.test(str) } } So if we pass in different regular objects, we can get functions with different functions: // Check phone const checkPhone = curryingCheckByRegExp(/^1\d{10}$/) // Check email const checkEmail = curryingCheckByRegExp(/^(\w)+(\.\w+)*@(\w)+((\.\w+)+)$/) Now the code for verifying mobile phones and email addresses is simpler and more readable. // Check phone number checkPhone('15152525634'); checkPhone('13456574566'); checkPhone('18123787385'); // Check email checkEmail('[email protected]'); checkEmail('[email protected]'); checkEmail('[email protected]'); This is parameter reuse: we only need to reuse the first parameter Universal functions (such as Sometimes the same rule may be used repeatedly (such as verifying the parameters of a mobile phone), which causes code duplication. Currying can eliminate duplication and achieve the purpose of reusing parameters. An important idea of currying: reduce the scope of application and improve applicability 2.2 Early Return In the At this time we will write a code that is compatible with each browser version: /** * @description: * @param {object} element DOM element object* @param {string} type event type* @param {Function} fn event processing function* @param {boolean} isCapture whether to capture* @return {void} */ function addEvent(element, type, fn, isCapture) { if (window.addEventListener) { element.addEventListener(type, fn, isCapture) } else if (window.attachEvent) { element.attachEvent("on" + type, fn) } } We use Currying: function curryingAddEvent() { if (window.addEventListener) { return function(element, type, fn, isCapture) { element.addEventListener(type, fn, isCapture) } } else if (window.attachEvent) { return function(element, type, fn) { element.attachEvent("on" + type, fn) } } } const addEvent = curryingAddEvent() // You can also use the immediate execution function to merge the above code const addEvent = (function curryingAddEvent() { ... })() Now This is early return or early confirmation. After currying, the function can process some tasks in advance and return a function to process other tasks. In addition, we can see Logically, it can be changed to: let mode = window.addEventListener ? 0 : 1; function addEvent(mode, element, type, fn, isCapture) { if (mode === 0) { element.addEventListener(type, fn, isCapture); } else if (mode === 1) { element.attachEvent("on" + type, fn); } } // This way, after currying, you can accept a parameter first function curryingAddEvent(mode) { if (mode === 0) { return function(element, type, fn, isCapture) { element.addEventListener(type, fn, isCapture) } } else if (mode === 1) { return function(element, type, fn) { element.attachEvent("on" + type, fn) } } } Of course there is no need to change this. 2.3 Delayed ExecutionIn fact, delayed execution has already been reflected in the above regular validation and event listening examples. The The returned function will not be executed immediately, but will wait for the call. 3 Encapsulating general currying utility functions# In the above, we manually modified the original functions for currying, changing Do we have to manually modify the underlying function every time we curry a function? Of course not We can encapsulate a general currying utility function (handwritten code for the interview) /** * @description: A tool function for currying functions* @param {Function} fn The function to be curried* @param {array} args The list of arguments already received* @return {Function} */ const currying = function(fn, ...args) { // The number of parameters required by fn const len = fn.length // Return a function to receive the remaining parameters return function (...params) { // Concatenate the received and newly received parameter lists let _args = [...args, ...params] // If the number of parameters received is not enough, continue to return a new function to receive the remaining parameters if (_args.length < len) { return currying.call(this, fn, ..._args) } // After receiving all the parameters, call the original function return fn.apply(this, _args) } } This currying utility function is used to receive some parameters, then return a new function to wait for the remaining parameters, recursively until all the required parameters are received, and then call the original function through Now we basically don't need to manually modify the original function to make the function curried // Directly use the tool function to return the function of checking the phone and email address const checkPhone = currying(checkByRegExp(/^1\d{10}$/)) const checkEmail = currying(checkByRegExp(/^(\w)+(\.\w+)*@(\w)+((\.\w+)+)$/)) However, the event monitoring example above cannot be curried using this utility function. The reason is as mentioned above. Because its conditions are directly obtained from the global context, it is quite special. If we change it to pass the conditions in from the outside, we can use the utility function currying. Of course, this is not necessary. It is more direct and readable to modify the original function directly. 4 Summary and Supplement
This is the end of this article about You may also be interested in:
|
<<: Some basic instructions of docker
>>: Implementation of MySQL's MVCC multi-version concurrency control
Use HTML to write a dynamic web clock. The code i...
You can view the container logs through the docke...
After solving the form auto-fill problem discussed...
Use div to create a mask or simulate a pop-up wind...
1. Introduction Our real servers should not be di...
<br />The page uses UTF8 encoding, and the h...
This article shares the specific code of Vue to i...
Table of contents Preface Simulating data Merged ...
Table of contents Preface Local storage usage sce...
Imagine a scenario where, when designing a user t...
Apple Mug Icons and Extras HD StorageBox – add on...
A few days ago, I wrote an article about using CS...
1. HTML Image <img> 1. The <img> tag ...
Table of contents Preface cause Phenomenon why? A...
Recently, when I was writing web pages with PHP, I...