DEV Community

Cover image for Deep Dive into Functional Programming in Javascript
Alex Merced
Alex Merced

Posted on

Deep Dive into Functional Programming in Javascript

Subscribe to My Coding Youtube Channel

Subscribe to my Data Youtube Channel

Functional programming (FP) has gained significant traction in the world of software development, and JavaScript developers are increasingly turning to this paradigm to solve problems more efficiently and with fewer bugs. At its core, functional programming emphasizes the use of pure functions, immutability, and advanced techniques like currying, memoization, and monads to create cleaner, more predictable code.

In this blog post, we'll delve into each of these concepts to understand how they work and why they matter in JavaScript development. We'll explore pure functions for their side-effect-free nature, immutability for maintaining state predictability, currying for enhancing function reuse and composition, memoization for optimizing performance, and monads for handling side effects in a functional style.

Whether you're new to functional programming or looking to deepen your understanding of its application in JavaScript, this post will provide you with a solid foundation and practical examples to integrate these principles into your coding practices. Let's demystify these concepts and see how they can transform the way you write JavaScript code.

1. Pure Functions

A pure function is a function that, given the same input, will always return the same output and does not cause any observable side effects. This concept is crucial in functional programming because it allows developers to write more predictable and testable code.

Benefits of Using Pure Functions in JavaScript:

  • Predictability: Since pure functions do not depend on or modify the state of data outside their scope, they are much easier to reason about and debug.
  • Reusability: Pure functions can be reused across different parts of an application without concern for external context.
  • Testability: With no hidden state or side effects, pure functions are straightforward to test; inputs and outputs are all you need to consider.

Examples of Pure Functions in JavaScript:

Consider a simple function to calculate the area of a rectangle:

function rectangleArea(length, width) {
    return length * width;
}
Enter fullscreen mode Exit fullscreen mode

This function is pure because it always returns the same result with the same arguments, and it does not modify any external state or produce side effects.

Common Pitfalls and How to Avoid Them:

While pure functions offer numerous benefits, developers might face challenges when trying to integrate them into applications that interact with databases, external services, or global state. Here are some tips to maintain purity:

  • Avoid side effects: Do not modify any external variables or objects within your function.
  • Handle state locally: If your function needs to access application state, consider passing the state as an argument and returning a new state without modifying the original.

By understanding and implementing pure functions, developers can take a significant step towards leveraging the full power of functional programming in JavaScript.

2. Immutability

Immutability refers to the principle of never changing data after it's been created. Instead of modifying an existing object, you create a new object with the desired changes. This is a cornerstone of functional programming as it helps prevent side effects and maintain the integrity of data throughout the application's lifecycle.

How JavaScript Handles Immutability:

JavaScript objects and arrays are mutable by default, which means care must be taken to enforce immutability when needed. However, there are several techniques and tools available to help:

  • Using const: While const doesn't make variables immutable, it prevents reassignment of the variable identifier to a new value, which is a step towards immutability.
  • Object.freeze(): This method can make an object immutable by preventing new properties from being added to it and existing properties from being modified.
  • Spread syntax for Arrays and Objects: Using the spread syntax can help create new arrays or objects while incorporating elements or properties from existing ones without modifying the originals.

Techniques for Ensuring Data Immutability in JavaScript:

  1. Copy on Write: Always create a new object or array instead of modifying the existing one. For instance:

    const original = { a: 1, b: 2 };
    const modified = { ...original, b: 3 }; // 'original' is not changed
    
  2. Use Libraries: Libraries like Immutable.js provide persistent immutable data structures which are highly optimized and can simplify the enforcement of immutability.

Libraries That Help Enforce Immutability:

  • Immutable.js: Offers a range of data structures that are inherently immutable.
  • immer: Allows you to work with immutable state in a more convenient way by using a temporary draft state and applying changes to produce a new immutable state.

By integrating immutability into your JavaScript projects, you enhance data integrity, improve application performance (via reduced need for defensive copying), and increase the predictability of your code. It aligns perfectly with the principles of functional programming, leading to cleaner, more robust software.

3. Currying

Currying is a transformative technique in functional programming where a function with multiple arguments is converted into a sequence of functions, each taking a single argument. This approach not only makes your functions more modular but also enhances the reusability and composability of your code.

Practical Uses of Currying in JavaScript:

Currying allows for the creation of higher-order functions that can be customized and reused with different arguments at various points in your application. It's particularly useful for:

  • Event handling: Creating partially applied functions that are tailored for specific events but reuse a common handler logic.
  • API calls: Setting up functions with predefined arguments like API keys or user IDs that can be used repeatedly across different calls.

Step-by-Step Examples to Illustrate Currying:

Consider a simple function to add two numbers:

function add(a, b) {
    return a + b;
}

// Curried version of the add function
function curriedAdd(a) {
    return function(b) {
        return a + b;
    };
}

const addFive = curriedAdd(5);
console.log(addFive(3));  // Outputs: 8
Enter fullscreen mode Exit fullscreen mode

This example shows how currying can turn a simple addition function into a more versatile and reusable function.

Currying vs. Partial Application:

While currying and partial application both involve breaking down functions into simpler, more specific functions, they are not the same:

  • Currying: Converts a function with multiple arguments into a sequence of nesting functions, each taking exactly one argument.
  • Partial Application: Involves creating a function with a smaller number of parameters by pre-filling some of the arguments.

Both techniques are valuable in functional programming and can be used to simplify complex function signatures and improve code modularity.

By leveraging currying, developers can enhance function reusability and composition, leading to clearer and more maintainable code in JavaScript projects.

4. Memoization

Memoization is an optimization technique used in functional programming to speed up computer programs by storing the results of expensive function calls and returning the cached result when the same inputs occur again. It is particularly useful in JavaScript for optimizing performance in applications involving heavy computational tasks.

Why Memoization is Important in JavaScript:

  • Efficiency: Reduces the number of computations needed for repeated function calls with the same arguments.
  • Performance: Improves application responsiveness by caching results of time-consuming operations.
  • Scalability: Helps manage larger datasets or more complex algorithms by minimizing the computational overhead.

Implementing Memoization: Examples and Common Methods:

Here's a basic example of a memoized function in JavaScript:

function memoize(fn) {
    const cache = {};
    return function(...args) {
        const key = args.toString();
        if (!cache[key]) {
            cache[key] = fn.apply(this, args);
        }
        return cache[key];
    };
}

const factorial = memoize(function(x) {
    if (x === 0) {
        return 1;
    } else {
        return x * factorial(x - 1);
    }
});

console.log(factorial(5));  // Calculates and caches the result
console.log(factorial(5));  // Returns the cached result
Enter fullscreen mode Exit fullscreen mode

This example demonstrates how memoization can cache the results of a factorial calculation, significantly reducing the computation time for repeated calls.

Benefits and Potential Drawbacks of Memoization:

Benefits:

  • Significantly reduces the processing time for repeated operations.
  • Improves application efficiency by avoiding redundant calculations.
  • Easy to implement with higher-order functions.

Drawbacks:

  • Increases memory usage due to caching.
  • Not suitable for functions with non-deterministic outputs or functions with side effects.

By understanding and implementing memoization, developers can optimize their JavaScript applications, making them faster and more efficient. However, it's important to consider the trade-offs in terms of additional memory usage and ensure that memoization is applied only where it provides clear benefits.

5. Monads

Monads are a type of abstract data type used in functional programming to handle side effects while maintaining pure functional principles. They encapsulate behavior and logic in a flexible, chainable structure, allowing for sequential operations while keeping functions pure.

Introduction to Monads and Their Significance in FP:

Monads provide a framework for dealing with side effects (like IO, state, exceptions, etc.) in a controlled manner, helping maintain functional purity and composability. In JavaScript, Promises are a familiar example of a monadic structure, managing asynchronous operations cleanly and efficiently.

Examples of Monads in JavaScript:

  • Promises: Handle asynchronous operations by encapsulating pending operations, success values, or errors, allowing for method chaining (like .then() and .catch()):
  new Promise((resolve, reject) => {
    setTimeout(() => resolve("Data fetched"), 1000);
  })
  .then(data => console.log(data))
  .catch(error => console.error(error));
Enter fullscreen mode Exit fullscreen mode
  • Maybe Monad: Helps deal with null or undefined errors by encapsulating a value that may or may not exist:
function Maybe(value) {
  this.value = value;
}

Maybe.prototype.bind = function(transform) {
  return this.value == null ? this : new Maybe(transform(this.value));
};

Maybe.prototype.toString = function() {
  return `Maybe(${this.value})`;
};

const result = new Maybe("Hello, world!").bind(value => value.toUpperCase());
console.log(result.toString()); // Outputs: Maybe(HELLO, WORLD!)
Enter fullscreen mode Exit fullscreen mode

Monad Laws and Structure:

Monads must follow three core laws—identity, associativity, and unit—to ensure that they behave predictably:

  • Identity: Applying a function directly or passing it through the monad should yield the same result.
  • Associativity: The order in which operations are performed (chained) does not affect the result.
  • Unit: A value must be able to be lifted into a monad without altering its behavior.

Understanding these laws is crucial for implementing or utilizing monads effectively in functional programming.

How Monads Can Manage Side Effects and Maintain Functional Purity:

By encapsulating side effects, monads allow developers to keep the rest of their codebase pure and thus more understandable and maintainable. They make side effects predictable and manageable, crucial for larger applications where maintaining state consistency and error handling can become challenging.

By leveraging monads, developers can enhance the functionality of their JavaScript applications, ensuring that they handle side effects in a functional way that promotes code reliability and maintainability.

6. How These Concepts Interconnect

The concepts of pure functions, immutability, currying, memoization, and monads are not just individual elements but interconnected tools that enhance the robustness and maintainability of JavaScript applications. Here’s how they can work together to create a cohesive functional programming environment.

Building Functional Synergy:

  • Pure Functions and Immutability: Pure functions ensure that functions have no side effects and return the same output for the same inputs, which is complemented by immutability that prevents data from being changed unexpectedly. Together, they ensure a predictable and stable code base.
  • Currying and Memoization: Currying allows functions to be broken down into simpler, single-argument functions that are easier to manage and memoize. Memoization can then be applied to these curried functions to cache their results, optimizing the application’s performance by avoiding repeated calculations.
  • Monads and Pure Functions: Monads help manage side effects in a controlled manner, which allows pure functions to remain pure even when dealing with operations like I/O or state transitions. This encapsulation of side effects preserves the integrity of the functional architecture.

Example: A Small Functional Module:

Let’s consider a practical example where these concepts come together. Suppose we are building a simple user registration module:

// A pure function to validate user input
const validateInput = input => input.trim() !== '';

// A curried function for creating a user object
const createUser = name => ({ id: Date.now(), name });

// Memoizing the createUser function to avoid redundant operations
const memoizedCreateUser = memoize(createUser);

// A monad for handling potential null values in user input
const getUser = input => new Maybe(input).bind(validateInput);

// Example usage
const input = getUser('  John Doe  ');
const user = input.bind(memoizedCreateUser);

console.log(user.toString());  // Outputs user details or empty Maybe
Enter fullscreen mode Exit fullscreen mode

In this example, validateInput is a pure function ensuring input validity. createUser is a curried and memoized function, optimized for performance, and getUser uses a monad to handle potential null values safely.

Conclusion:

Understanding and integrating these functional programming concepts can significantly enhance the quality and maintainability of JavaScript code. By using pure functions, immutability, currying, memoization, and monads in tandem, developers can build more reliable, efficient, and clean applications.

By embracing these interconnected principles, JavaScript developers can harness the full potential of functional programming to write better, more sustainable code.

Top comments (21)

Collapse
 
oculus42 profile image
Samuel Rouse • Edited

Thanks for a great article!

I have encountered some pushback against the idea of Functional Programming in JavaScript, and it's good to see more discussion on the topic.

In addition to spread syntax, the structuredClone function was added to provide a simple way to perform deep cloning!

One formatting note: it seems you are missing a line break for the heading "Drawbacks" in Memoization

Easy to implement with higher-order functions. #### Drawbacks:

Collapse
 
pengeszikra profile image
Peter Vivo

Thx, I always forget structuredClone! Rare ocassion to need deep cloning, but at that time this is very handy

Collapse
 
joefiorini profile image
Joe Fiorini

I did not know about structuceredClone. Do you mean I can stop using libraries for mergeDeep? Yay!

Collapse
 
warwizard profile image
War Wizard

While I do love programmers embracing functional programming more and more... I'd rather they use functional programming languages to learn about it than try to Frankenstein functional programming concepts into other languages. No matter how well intended this is, it always leads to misunderstandings.

There's a lot to talk about here, and I might miss stuff and probably go about it not in a very orderly fashion, so bear with me.

There are no "pure functions" in functional programming, these only exist in procedural programming to describe functions that return the same result for the same input without any side effects. All functions in functional programming are mathematical functions, they describe a one directional relationship between two sets of values, the input and the output. "But, isn't that the same?" - NO, procedural "functions" are still procedures, they are not really functions in the mathematical sense, and while they don't cause any intended side effect, they might cause unintended side effects as they still work directly on memory data and references to memory data, and further processing on returned data might cause side effects if handled improperly by subsequent procedures.

Immutability has different meanings whether you are using a procedural language or a functional one, because "variable" means something different in each language. In procedural a variable is a value stored in memory, and it's called as such cause the value might change during the execution of a procedure. In functional a variable is the input of a function (or a value derived from it), it's called as such cause its value can be any within the input set (the domain of the function), but during the evaluation of a function that value doesn't change, that's what we refer as immutability in functional. In contrast, immutability in procedural means the procedure doesn't (or cannot) change the value stored in memory. Therefore I will refer from here on to immutability in procedural as "state immutability".

Now that both these clarifications are out of the way... neither pure functions nor state immutability are "features" of functional programming, rather they are concepts mistranslated from the fundamentals of functional programming. It's just procedural programmers trying to mimic functional within procedural languages [ insert here "Look What They Need to Mimic a Fraction of Our Power" meme ].

Functional programming is a completely different paradigm, programs are described as mathematical functions, and this means procedural programmers have to throw everything they knew about programming and start thinking differently. There is no control flow (*) in functional, there are no for loops and the if is just the ?: operator.

(*) the savvy reader might say here "but what about monads?"... well, monads, and more specifically all the syntactic sugar usually associated with them, might give us a bit of procedural looking constructs within functional... think of the meme mentioned before but in reverse. Each paradigm has its pros and cons, but that hasn't stop programmers from trying to mix them in usually not very good ways.

A bit of tangent here but since it was mentioned as a possible benefit the "testability", or easier testing of code written in a functional fashion... well... there is no need to test in functional programming. Let me rephrase that... in functional we don't test, we prove. This is one the best things about the paradigm, it's all just math, so it's more straightforward to write formal proofs, and proofs are better than tests as they validate every possible input. Of course, formal proofs are possible for procedurally defined algorithms but they are so much more cumbersome.

Memoization is not an optimization technique per se, it's only such in very specific scenarios (when using certain recursive functions and/or data structures), and the wrong idea that it works in a general sense has become one of the recurring myths going around, and common cause of unnecessary memory hogging. The proper optimization technique is Dynamic Programming, which is not a specific algorithm but an algorithmic designing technique.

Then... Monads... Why is it always monads? This is probably the most misunderstood topic in all computer sciences, and I dare not say I fully understand them either but I'm confident almost everything said here about monads is wrong or inaccurate. Monads are a math construct, polymorphic types that wrap another type and provide specific operators that follow formally defined laws (which are not the ones described here). They are particularly used to abstract state machines in functional languages and usually using some syntactic sugar that help define monadic operations in a seemingly procedural manner, but this is not their only purpose.

Furthermore, monads make no sense within a procedural paradigm. They are the kind of math used to abstract a procedurally defined algorithm to make formal arguments about it. Having explicitly monad-like constructs in a procedural setting seems redundant/contradictory. Things like Javascript's Promises might seem monadic but strictly speaking, they are not. A "true" monad is not the state of a program, but the "program" itself, meaning, in a functional setting, whenever you evaluate a monad, you are effectively running the program it represents.

I want to remark that I don't mean to demean the value of the techniques and methods shown here, on their own they have their merits (except the whole stuff about monads, stay away from that, for your own sanity sake), just that this really has nothing to do with functional programming, it might be inspired by functional programming but it's not the same by a wide margin.

And there's already ways to combine functional and procedural in a sane way. Programmers seem to forget that you don't have to write your entire solution in only one language. Libraries can be built in one and then used in another. If I remember correctly there are ways to compile functional code into WebAssembly, at least for Haskell. Or if you are targeting NodeJS you can just go native.

Collapse
 
joefiorini profile image
Joe Fiorini

This is a good article and a great explanation of monads, although they do not always need to be objects using method-chaining. One of the best examples of a monad-like concept is widespread use in the reducer/state model made popular by Elm and brought to JavaScript by Redux (now built into React with useReducer). Anytime you assign a value to a property on this in an object you are creating a side effect.

Using a separate, pure function to handle state simplifies the rest of the code so much! It also allows you to create additional pure, memoized functions to retrieve values from the state. The reselect library for Redux is a great example of this.

Collapse
 
juanfrank77 profile image
Juan F Gonzalez

Functional programming is quite a beauty. Few years ago I started learning a bit about it. It's quite challenging to grasp it at first (coming from an imperative paradigm) but then it's like seeing in a different way.

This article is a great primer for folks here to dive deeper into this style and maybe who knows, they'd like to try Haskell (that's kind of what I did 😅)

Collapse
 
eshimischi profile image
eshimischi
Collapse
 
joefiorini profile image
Joe Fiorini

I used fp-ts on a project pretty heavily. It's a great library but it does have quite a steep learning curve. If you pointed a team member to the docs I guarantee their eyes would gloss over at the first use of the word "homomorphism".

Collapse
 
eshimischi profile image
eshimischi

This project isn’t new, at least it shows pros and cons of using FP in TS/JS, further is only your choice whether to use or not

Collapse
 
jderochervlk profile image
Josh Derocher-Vlk

This library changed my life. It makes working with typescript tolerable.

Collapse
 
starck profile image
Starck Rock

This deep dive into functional programming in JavaScript is a treasure trove for both beginners and seasoned developers alike! The clarity of explanations and the practical examples provided truly demystify the concepts of functional programming, making it accessible to all. I particularly appreciated how the article seamlessly blends theory with real-world application, as I also took online class help for this before.

Collapse
 
tohodo profile image
Tommy

While I appreciate the novelty, IMHO it's not pleasant to do FP in JavaScript. I'd rather go all in on Elm (check it out, it is superb).

Collapse
 
joefiorini profile image
Joe Fiorini

After having tried and failed multiple times to bring Elm into teams that argument highly depends on a lot of things nicely lining up. Don't get me wrong, Elm is a great language and is a large part of why we're even having this conversation right now!

There is a lot of value in meeting people where they are. 99% (made up but probably accurate) of frontend codebases use either JavaScript or TypeScript. Functional programming is superior to OOP (let's just take that as a fact, k? 😉). JavaScript has a lot of features that allow us to write functional-style code (I spent an entire year building React apps without creating a single class, save a couple error boundaries). Let's throw out the bathwater but keep the baby.

Collapse
 
jderochervlk profile image
Josh Derocher-Vlk

I've also tried to pitch Elm. It's a tough sell since it's an entire ecosystem and framework.

The past few years I've been using ReScript and started introducing it at work into a couple projects, and it's much easier to get people on board since it works with React and JSX and doesn't have its own package manager.

Collapse
 
tohodo profile image
Tommy

You're preaching to the choir 🙂 youtube.com/watch?v=oYk8CKH7OhE

Collapse
 
teenyfy profile image
Teenyfy

Thanks for sharing this valuable thoughts! Teenyfy offers a free custom URL shortening service, perfect for streamlining links. Customize and condense URLs effortlessly, optimizing sharing experiences with a sleek and tailored approach. Contact us for more!

teenyfy.com/

Collapse
 
nandigama015 profile image
Sai

I am new to javascript, Please let me know if I am thinking wrong. Since validateInput function return true for the last example, the output would have user details with name set to true rather than John Doe.

Collapse
 
armstrong2035 profile image
Armstrong Olusoji

I have a feeling that currying may reduce my dependence on Async/Await ...

Collapse
 
patroza profile image
Patrick Roza

Promise not a monad

Collapse
 
jderochervlk profile image
Josh Derocher-Vlk

If you squint at it it's kinda Monad like. It's like explaining to an alien that a cat is a type of small dog lol.

Collapse
 
krakoss profile image
krakoss

great article