Table of Contents
What is the main purpose of using memory in JavaScript?
How does memory work in JavaScript?
Can you provide an example of a memorized function in JavaScript?
Is there any limitations or disadvantages of using memory in JavaScript?
Can I use memorization for all types of functions in JavaScript?
How to memorize functions with multiple parameters in JavaScript?
Is there any library or tool that can help memorize in JavaScript?
How to clear cache in memory function?
Can memory be used in JavaScript frameworks such as React?
How is memory in JavaScript compared to other optimization techniques?
Home Web Front-end JS Tutorial Implementing Memoization in JavaScript

Implementing Memoization in JavaScript

Feb 26, 2025 am 01:50 AM

Implementing Memoization in JavaScript

Core points

  • Memorization is a programming technique that improves the performance of a function by caching the results of previous calculations of a function. This is especially useful for recursive and mathematical functions that often use the same parameters.
  • Implementing memory involves using caches indexed by the input parameters by the function. If the parameter exists in the cache, the cache value is returned; otherwise, the function is executed and the result is added to the cache.
  • When memorizing is used for functions with multiple parameters, multidimensional cache can be used, or all parameters can be combined to form a single index. Object parameters should be stringified before being used as indexes.
  • Memorization has certain limitations. It increases memory consumption and may not be suitable for functions that execute quickly or call low frequency. It can only be automated with references to transparent functions, i.e. its output depends only on its input and does not produce any side effects.

Programs often waste time calling functions that recalculate the same result repeatedly. This is especially true for recursive and mathematical functions. The Fibonacci number generator is a perfect example. A Fibonacci sequence is a series of integers starting with zero sums, where each value is the sum of the first two numbers in the sequence. According to this definition, the first ten Fibonacci numbers are: 0, 1, 1, 2, 3, 5, 8, 13, 21, 34. From a programming perspective, the Fibonacci numbers are usually calculated recursively using the following functions. This function works well for smaller "n" values. However, as "n" increases, performance drops rapidly. This is because the two recursive calls repeat the same work. For example, to calculate the 50th Fibonacci number, the recursive function must be called more than 40 billion times (40,730,022,147 to be exact)! To make matters worse, calculating the 51st figure requires repeating the work almost completely twice. If the function remembers what it calculated before, it can alleviate the problem of repeated work.

function fibonacci(n) {
  if (n === 0 || n === 1)
    return n;
  else
    return fibonacci(n - 1) + fibonacci(n - 2);
}
Copy after login
Copy after login
Copy after login
Copy after login
Copy after login
Basics of Memorization

Memorization is a programming technique that attempts to improve the performance of a function by caching the results of a function's previous calculations. Because JavaScript objects behave like associative arrays, they are ideal for acting as caches. Each time the memory function is called, its parameters are used for index cache. If the data exists, it can be returned without executing the entire function. However, if the data is not cached, the function is executed and the result is added to the cache.

In the following example, the original Fibonacci function is rewritten to include memory. In this example, the self-executing anonymous function returns an internal function f() which is used as the Fibonacci function. When f() is returned, its closure allows it to continue accessing the "memo" object, which stores all its previous results. Each time f() is executed, it first checks whether the result of the current "n" value exists. If present, the cache value is returned. Otherwise, execute the original Fibonacci code. Note that "memo" is defined outside of f() so that it can retain its value in multiple function calls. Recall that the original recursive function was called more than 40 billion times before it could calculate the 50th Fibonacci number. By implementing memory, this number drops to 99.

function fibonacci(n) {
  if (n === 0 || n === 1)
    return n;
  else
    return fibonacci(n - 1) + fibonacci(n - 2);
}
Copy after login
Copy after login
Copy after login
Copy after login
Copy after login

Processing multiple parameters

In the previous example, the function accepts a single parameter. This makes implementing caching quite simple. Unfortunately, most functions require multiple parameters, which complicates cached indexes. To memorize a function with multiple parameters, the cache must become multidimensional, or all parameters must be combined to form a single index.

In multidimensional methods, cache becomes the hierarchy of the object, not a single object. Each dimension is then indexed by a single parameter. The following example implements a multidimensional cache for the Fibonacci function. In this example, the function accepts an additional parameter "x" and it does nothing. Each time a function is called, the code checks whether the "x" dimension exists and initializes it if it does not exist. Since then, the "x" dimension is used to cache the "n" value. The result is that function calls fibonacci("foo", 3) and fibonacci("bar", 3) are not considered the same result.

var fibonacci = (function() {
  var memo = {};

  function f(n) {
    var value;

    if (n in memo) {
      value = memo[n];
    } else {
      if (n === 0 || n === 1)
        value = n;
      else
        value = f(n - 1) + f(n - 2);

      memo[n] = value;
    }

    return value;
  }

  return f;
})();
Copy after login
Copy after login
Copy after login
Copy after login

The alternative to multidimensional cache is a single cache object, which is indexed by a combination of all parameters of the function. In this method, the parameters are converted to an array and then used for the index cache. Each function has a built-in object named "arguments" that contains the passed in parameters. "arguments" is an object of type called an array object of class. It is similar to an array, but cannot be used for index cache. Therefore, it must first be converted to the actual array. This can be done using the array slice() method. The cache can then be indexed using array representations, as shown before. The following example shows how to achieve this. Note that the additional variable "slice" is defined as a reference to the array slice() method. By storing this reference, you can avoid repeated calculations of Array.prototype.slice() overhead. Then use the call() method to apply slice() to "arguments".

var fibonacci = (function() {
  var memo = {};

  function f(x, n) {
    var value;

    memo[x] = memo[x] || {};

    if (x in memo && n in memo[x]) {
      value = memo[x][n];
    } else {
      if (n === 0 || n === 1)
        value = n;
      else
        value = f(x, n - 1) + f(x, n - 2);

      memo[x][n] = value;
    }

    return value;
  }

  return f;
})();
Copy after login
Copy after login

Cache object parameters

The memory scheme introduced here does not handle object parameters well. When objects are used as indexes, they are first converted to string representations, such as "[object Object]". This causes multiple objects to be incorrectly mapped to the same cache location. This behavior can be corrected by stringifying object parameters before indexing. Unfortunately, this also slows down the memory process. The following example creates a general memory function that takes an object as an argument. Note that object parameters are stringified using JSON.stringify() to create cached indexes.

function fibonacci(n) {
  if (n === 0 || n === 1)
    return n;
  else
    return fibonacci(n - 1) + fibonacci(n - 2);
}
Copy after login
Copy after login
Copy after login
Copy after login
Copy after login

Automatic memory

In all previous examples, the function is explicitly modified to add memory. Memorized infrastructure can also be implemented without modifying the functions at all. This is useful because it allows the function logic to be implemented separately from the memorized logic. This is done by creating a utility function that takes the function as input and applies it to memorizes it. The following memoize() function takes the function "func" as input. memoize() returns a new function that wraps the cache mechanism around "func". Note that this function does not handle object parameters. To process the object, a loop is needed that will check each parameter individually and stringify as needed.

var fibonacci = (function() {
  var memo = {};

  function f(n) {
    var value;

    if (n in memo) {
      value = memo[n];
    } else {
      if (n === 0 || n === 1)
        value = n;
      else
        value = f(n - 1) + f(n - 2);

      memo[n] = value;
    }

    return value;
  }

  return f;
})();
Copy after login
Copy after login
Copy after login
Copy after login

Limitations

When realizing memory, the following points must be remembered. First, by storing old results, the memorization function consumes extra memory. In the Fibonacci example, the extra memory consumption is unlimited. If memory usage is a problem, a fixed-size cache should be used. The overhead associated with memory may also make it unsuitable for functions that execute very quickly or have low frequency.

The biggest limitation of memory is that it can only be automatically applied to the

reference transparent functions. If the output of a function depends only on its input and does not produce any side effects, the function is considered reference-transparent. Calls that reference transparent functions can be replaced with their return value without changing the semantics of the program. The Fibonacci function is referenced transparent because it depends entirely on the value of "n". In the following example, the function foo() is not referenced transparent because it uses the global variable "bar". Since "bar" can be modified outside of foo(), there is no guarantee that the return value will remain unchanged for each input value. In this example, the two calls to foo() return values ​​2 and 3, even if the parameters passed to the two calls are the same.

var fibonacci = (function() {
  var memo = {};

  function f(x, n) {
    var value;

    memo[x] = memo[x] || {};

    if (x in memo && n in memo[x]) {
      value = memo[x][n];
    } else {
      if (n === 0 || n === 1)
        value = n;
      else
        value = f(x, n - 1) + f(x, n - 2);

      memo[x][n] = value;
    }

    return value;
  }

  return f;
})();
Copy after login
Copy after login

Things to remember

  • Memorization can potentially improve performance by caching the results of previous function calls.
  • The memory function stores a cache indexed by its input parameters. If the parameter exists in the cache, the cache value is returned. Otherwise, execute the function and add the newly calculated value to the cache.
  • Object parameters should be stringified before being used as indexes.
  • Memorization can be automatically applied to reference transparent functions.
  • Memorization may not be ideal for functions that are not called frequently or executed quickly.

FAQ on Memorizing in JavaScript (FAQ)

What is the main purpose of using memory in JavaScript?

Memorization is a programming technique used to optimize computer programs in JavaScript and other languages. This technique involves storing the results of expensive function calls and reusing them when the same input appears again. This can greatly improve the performance of the program by avoiding unnecessary calculations. It is especially useful in situations where recursive functions or functions that are repeatedly called with the same parameters.

How does memory work in JavaScript?

In JavaScript, memory works by creating a cache to store the results of function calls. When calling a function, the function first checks whether the result of the given input is already in cache. If so, the function returns the cached result instead of performing the calculation again. If the result is not in the cache, the function performs the calculation, stores the result in the cache, and returns the result.

Can you provide an example of a memorized function in JavaScript?

Of course, let's consider an example of a simple function that calculates the factorial of numeric. Without memory, the function looks like this:

function fibonacci(n) {
  if (n === 0 || n === 1)
    return n;
  else
    return fibonacci(n - 1) + fibonacci(n - 2);
}
Copy after login
Copy after login
Copy after login
Copy after login
Copy after login

Using memory, we can optimize this function by storing the results of previous function calls:

var fibonacci = (function() {
  var memo = {};

  function f(n) {
    var value;

    if (n in memo) {
      value = memo[n];
    } else {
      if (n === 0 || n === 1)
        value = n;
      else
        value = f(n - 1) + f(n - 2);

      memo[n] = value;
    }

    return value;
  }

  return f;
})();
Copy after login
Copy after login
Copy after login
Copy after login

Is there any limitations or disadvantages of using memory in JavaScript?

While memorization can significantly improve the performance of JavaScript programs, it is not without its limitations. A major disadvantage of memory is that it can consume a lot of memory, especially when storing a lot of data in cache. If not managed properly, this can lead to performance issues. Furthermore, memory is only valid when the function is called with the same parameter multiple times. Memorization does not provide any performance benefits if the function input is always different.

Can I use memorization for all types of functions in JavaScript?

Memorization is most effective when used with pure functions. A pure function is a function that always returns the same result of the same input and does not produce any side effects. Memorizing the function may lead to unexpected results if it depends on an external state or has side effects. So while you can technically use memorization for any type of function in JavaScript, it is best for pure functions.

How to memorize functions with multiple parameters in JavaScript?

Implementing memory for a function with multiple parameters can be a bit complicated, but this is definitely possible. One way is to convert the arguments into strings that can be used as keys in the cache. Here is an example:

function fibonacci(n) {
  if (n === 0 || n === 1)
    return n;
  else
    return fibonacci(n - 1) + fibonacci(n - 2);
}
Copy after login
Copy after login
Copy after login
Copy after login
Copy after login

Is there any library or tool that can help memorize in JavaScript?

Yes, there are libraries and tools that can help memorize in JavaScript. For example, the popular JavaScript utility library Lodash provides a _.memoize function that can easily memorize functions. Similarly, the Ramda library provides a R.memoizeWith function that allows you to specify custom cache key functions.

How to clear cache in memory function?

The cache in the memory function can be cleared by simply resetting the cache object. Here is an example:

var fibonacci = (function() {
  var memo = {};

  function f(n) {
    var value;

    if (n in memo) {
      value = memo[n];
    } else {
      if (n === 0 || n === 1)
        value = n;
      else
        value = f(n - 1) + f(n - 2);

      memo[n] = value;
    }

    return value;
  }

  return f;
})();
Copy after login
Copy after login
Copy after login
Copy after login

Can memory be used in JavaScript frameworks such as React?

Yes, memory is very useful in JavaScript frameworks such as React. For example, React provides a React.memo function that can be used to memorize components. This can help improve performance by preventing unnecessarily re-rendering of components.

How is memory in JavaScript compared to other optimization techniques?

Memorization is a powerful optimization technique, but it is not always the best solution. In some cases, other optimization techniques such as dejitter and throttling may be more suitable. The key is to understand the specific needs and constraints of the program and choose the right optimization technology.

The above is the detailed content of Implementing Memoization in JavaScript. For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Roblox: Bubble Gum Simulator Infinity - How To Get And Use Royal Keys
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Nordhold: Fusion System, Explained
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Mandragora: Whispers Of The Witch Tree - How To Unlock The Grappling Hook
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Hot Topics

Java Tutorial
1666
14
PHP Tutorial
1273
29
C# Tutorial
1252
24
JavaScript Engines: Comparing Implementations JavaScript Engines: Comparing Implementations Apr 13, 2025 am 12:05 AM

Different JavaScript engines have different effects when parsing and executing JavaScript code, because the implementation principles and optimization strategies of each engine differ. 1. Lexical analysis: convert source code into lexical unit. 2. Grammar analysis: Generate an abstract syntax tree. 3. Optimization and compilation: Generate machine code through the JIT compiler. 4. Execute: Run the machine code. V8 engine optimizes through instant compilation and hidden class, SpiderMonkey uses a type inference system, resulting in different performance performance on the same code.

Python vs. JavaScript: The Learning Curve and Ease of Use Python vs. JavaScript: The Learning Curve and Ease of Use Apr 16, 2025 am 12:12 AM

Python is more suitable for beginners, with a smooth learning curve and concise syntax; JavaScript is suitable for front-end development, with a steep learning curve and flexible syntax. 1. Python syntax is intuitive and suitable for data science and back-end development. 2. JavaScript is flexible and widely used in front-end and server-side programming.

From C/C   to JavaScript: How It All Works From C/C to JavaScript: How It All Works Apr 14, 2025 am 12:05 AM

The shift from C/C to JavaScript requires adapting to dynamic typing, garbage collection and asynchronous programming. 1) C/C is a statically typed language that requires manual memory management, while JavaScript is dynamically typed and garbage collection is automatically processed. 2) C/C needs to be compiled into machine code, while JavaScript is an interpreted language. 3) JavaScript introduces concepts such as closures, prototype chains and Promise, which enhances flexibility and asynchronous programming capabilities.

JavaScript and the Web: Core Functionality and Use Cases JavaScript and the Web: Core Functionality and Use Cases Apr 18, 2025 am 12:19 AM

The main uses of JavaScript in web development include client interaction, form verification and asynchronous communication. 1) Dynamic content update and user interaction through DOM operations; 2) Client verification is carried out before the user submits data to improve the user experience; 3) Refreshless communication with the server is achieved through AJAX technology.

JavaScript in Action: Real-World Examples and Projects JavaScript in Action: Real-World Examples and Projects Apr 19, 2025 am 12:13 AM

JavaScript's application in the real world includes front-end and back-end development. 1) Display front-end applications by building a TODO list application, involving DOM operations and event processing. 2) Build RESTfulAPI through Node.js and Express to demonstrate back-end applications.

Understanding the JavaScript Engine: Implementation Details Understanding the JavaScript Engine: Implementation Details Apr 17, 2025 am 12:05 AM

Understanding how JavaScript engine works internally is important to developers because it helps write more efficient code and understand performance bottlenecks and optimization strategies. 1) The engine's workflow includes three stages: parsing, compiling and execution; 2) During the execution process, the engine will perform dynamic optimization, such as inline cache and hidden classes; 3) Best practices include avoiding global variables, optimizing loops, using const and lets, and avoiding excessive use of closures.

Python vs. JavaScript: Community, Libraries, and Resources Python vs. JavaScript: Community, Libraries, and Resources Apr 15, 2025 am 12:16 AM

Python and JavaScript have their own advantages and disadvantages in terms of community, libraries and resources. 1) The Python community is friendly and suitable for beginners, but the front-end development resources are not as rich as JavaScript. 2) Python is powerful in data science and machine learning libraries, while JavaScript is better in front-end development libraries and frameworks. 3) Both have rich learning resources, but Python is suitable for starting with official documents, while JavaScript is better with MDNWebDocs. The choice should be based on project needs and personal interests.

Python vs. JavaScript: Development Environments and Tools Python vs. JavaScript: Development Environments and Tools Apr 26, 2025 am 12:09 AM

Both Python and JavaScript's choices in development environments are important. 1) Python's development environment includes PyCharm, JupyterNotebook and Anaconda, which are suitable for data science and rapid prototyping. 2) The development environment of JavaScript includes Node.js, VSCode and Webpack, which are suitable for front-end and back-end development. Choosing the right tools according to project needs can improve development efficiency and project success rate.

See all articles