npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2025 – Pkg Stats / Ryan Hefner

functype

v0.8.61

Published

A smallish functional library for TypeScript

Downloads

858

Readme

Functype

NPM Version Node.js Build

A Functional Programming Library for TypeScript

Functype is a lightweight functional programming library for TypeScript, drawing inspiration from functional programming paradigms, the Scala Standard Library, and ZIO. It provides a comprehensive set of utilities and abstractions designed to facilitate functional programming within TypeScript applications.

API Documentation

Core Principles

  • Immutability: All data structures are immutable, promoting predictable and side-effect-free code
  • Type Safety: Leverages TypeScript's type system to ensure compile-time safety
  • Composability: Provides abstractions for building complex programs from simple components
  • Functional Paradigms: Embraces concepts like monads, functors, and type classes

Key Features

  • Option Type: Handle nullable values with Some and None types
  • Either Type: Express computation results with potential failures using Left and Right
  • List, Set, Map: Immutable collection types with functional operators
  • Try Type: Safely execute operations that might throw exceptions
  • Task: Handle synchronous and asynchronous operations with error handling
  • Tuple: Type-safe fixed-length arrays
  • Typeable: Runtime type identification with compile-time safety

Roadmap / TODO

Missing Functionality

  • [ ] Add lazy evaluation structures (LazyList/Stream)
  • [ ] Implement Validation type for applicative validation
  • [ ] Add Reader/State/IO monads for more functional patterns
  • [ ] Implement lens/optics for immutable updates
  • [ ] Expand concurrent execution utilities beyond FPromise.all

Performance Optimizations

  • [ ] Add memoization utilities
  • [ ] Improve recursive operations for large collections
  • [ ] Implement immutable data structures with structural sharing
  • [ ] Add performance benchmarks
  • [x] Optimize TreeShaking with sideEffects flag in package.json
  • [x] Support selective module imports for smaller bundles
  • [x] Add bundle size monitoring to CI/CD

API Consistency

  • [ ] Ensure all modules follow the Scala-inspired pattern:
    • Constructor functions that return objects with methods
    • Object methods for common operations
    • Companion functions for additional utilities
  • [x] Align Task API with other monadic structures
  • [ ] Standardize import patterns (@ imports vs relative paths)
  • [x] Implement consistent error handling strategy for async operations

Testing and Documentation

  • [ ] Add observable test coverage metrics
  • [x] Implement property-based testing
  • [ ] Expand error handling tests
  • [ ] Add interoperability tests with other libraries

TypeScript Improvements

  • [x] Enable stricter TypeScript settings (noImplicitAny: true)
  • [x] Add noUncheckedIndexedAccess for safer array indexing
  • [ ] Improve support for higher-kinded types:
    • Current type parameters work well for first-order types
    • Expand to support type constructors as parameters (F => F)
  • [ ] Add branded/nominal types for stronger type safety
  • [ ] Implement more type-level utilities (conditional types, template literals)
  • [ ] Leverage newer TypeScript features (const type parameters, tuple manipulation)

Installation

# NPM
npm install functype

# Yarn
yarn add functype

# PNPM
pnpm add functype

# Bun
bun add functype

Bundle Size Optimization

Functype is optimized for tree-shaking and offers multiple import strategies to minimize bundle size:

// Selective module imports (recommended for production)
import { Option } from "functype/option"
import { Either } from "functype/either"

// Direct constructor imports (smallest bundle)
import { some, none } from "functype/option"

For detailed optimization strategies, see the Bundle Optimization Guide.

Usage Examples

Option

import { Option, Some, None } from "functype"

// Create options
const value = Option("hello") // Some("hello")
const empty = Option(null) // None
const explicit = Some(42) // Some(42)

// Transform values
const length = value.map((s) => s.length) // Some(5)
const nothing = empty.map((s) => s.length) // None

// Handle default values
const result = value.getOrElse("world") // "hello"
const fallback = empty.getOrElse("world") // "world"

// Conditionally filter
const filtered = value.filter((s) => s.length > 10) // None

Either

import { Either, Right, Left } from "functype"

// Success case
const success = Right<string, number>(42)
// Error case
const failure = Left<string, number>("error")

// Transform values (map only applies to Right)
const doubled = success.map((x) => x * 2) // Right(84)
const stillError = failure.map((x) => x * 2) // Left("error")

// Handle errors
const value = success.getOrElse(0) // 42
const fallback = failure.getOrElse(0) // 0

// Pattern matching with fold
const result = success.fold(
  (err) => `Error: ${err}`,
  (val) => `Success: ${val}`,
) // "Success: 42"

List

import { List } from "functype"

const numbers = List([1, 2, 3, 4])

// Transform
const doubled = numbers.map((x) => x * 2) // List([2, 4, 6, 8])

// Filter
const evens = numbers.filter((x) => x % 2 === 0) // List([2, 4])

// Reduce
const sum = numbers.foldLeft(0)((acc, x) => acc + x) // 10

// Add/remove elements (immutably)
const withFive = numbers.add(5) // List([1, 2, 3, 4, 5])
const without3 = numbers.remove(3) // List([1, 2, 4])

Try

import { Try } from "functype"

// Safely execute code that might throw
const result = Try(() => {
  // Potentially throwing operation
  return JSON.parse('{"name": "John"}')
})

// Handle success/failure
if (result.isSuccess()) {
  console.log("Result:", result.get())
} else {
  console.error("Error:", result.error)
}

// Transform with map (only applies on Success)
const name = result.map((obj) => obj.name)

// Convert to Either
const either = result.toEither()

Task

import { Task } from "functype"

// Synchronous operations with error handling
const syncResult = Task().Sync(
  () => "success",
  (error) => new Error(`Failed: ${error}`),
)

// Asynchronous operations
const asyncTask = async () => {
  const result = await Task().Async(
    async () => await fetchData(),
    async (error) => new Error(`Fetch failed: ${error}`),
  )
  return result
}

// Converting promise-based functions to Task
const fetchUserAPI = (userId: string): Promise<User> => fetch(`/api/users/${userId}`).then((r) => r.json())

// Use the adapter pattern for seamless integration
const fetchUser = Task({ name: "UserFetch" }).fromPromise(fetchUserAPI)

// Later use it with standard promise patterns
fetchUser("user123")
  .then((user) => console.log(user))
  .catch((error) => console.error(error))

// Or convert Task results back to promises
const taskResult = Task().Sync(() => "hello world")
const promise = Task().toPromise(taskResult) // Promise<string>

Type Safety

Functype leverages TypeScript's advanced type system to provide compile-time safety for functional patterns, ensuring that your code is both robust and maintainable.

// Type inference works seamlessly
const option = Option(42)
// Inferred as number
const mappedValue = option.map((x) => x.toString())
// Inferred as string

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

License

MIT License

Copyright (c) 2025 Jordan Burke

Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.