All Projects → mpetrovich → Dash

mpetrovich / Dash

Licence: mit
Functional programming library for PHP. Inspired by Underscore, Lodash, and Ramda.

Projects that are alternatives of or similar to Dash

Rambda
Faster and smaller alternative to Ramda
Stars: ✭ 1,066 (+1169.05%)
Mutual labels:  lodash, ramda, functional-programming
Performance Analysis Js
Map/Reduce/Filter/Find Vs For loop Vs For each Vs Lodash vs Ramda
Stars: ✭ 532 (+533.33%)
Mutual labels:  lodash, ramda, functional-programming
Nspl
Non-Standard PHP Library - functional primitives toolbox and more
Stars: ✭ 365 (+334.52%)
Mutual labels:  lodash, ramda, underscore
Rambdax
Extended version of Rambda
Stars: ✭ 148 (+76.19%)
Mutual labels:  lodash, ramda, functional-programming
Underscore Java
java port of Underscore.js
Stars: ✭ 327 (+289.29%)
Mutual labels:  underscore, functional-programming
Lambda
🔮 Estudos obscuros de programação funcional
Stars: ✭ 297 (+253.57%)
Mutual labels:  ramda, functional-programming
Yalinqo
Yet Another LINQ to Objects for PHP [Simplified BSD]
Stars: ✭ 400 (+376.19%)
Mutual labels:  underscore, functional-programming
Moses
Utility library for functional programming in Lua
Stars: ✭ 541 (+544.05%)
Mutual labels:  underscore, functional-programming
eslint-config-adjunct
A reasonable collection of plugins to use alongside your main esLint configuration
Stars: ✭ 39 (-53.57%)
Mutual labels:  ramda, lodash
Lodash Id
Makes it easy to manipulate id-based resources with lodash or lowdb
Stars: ✭ 434 (+416.67%)
Mutual labels:  lodash, underscore
Ramda Adjunct
Ramda Adjunct is the most popular and most comprehensive set of functional utilities for use with Ramda, providing a variety of useful, well tested functions with excellent documentation.
Stars: ✭ 550 (+554.76%)
Mutual labels:  ramda, functional-programming
Gulp Template
Render/precompile Lodash templates
Stars: ✭ 276 (+228.57%)
Mutual labels:  lodash, underscore
Rationale
Ramda inspired library of helper functions for ReasonML
Stars: ✭ 275 (+227.38%)
Mutual labels:  lodash, ramda
Bugz
🐛 Composable User Agent Detection using Ramda
Stars: ✭ 15 (-82.14%)
Mutual labels:  ramda, functional-programming
underscore.haz
🔍 _.haz() is like _.has() but this underscore and/or lodash mixin lets you do deep object key existence checking with a dot denoted string, for example 'a.b.c'
Stars: ✭ 13 (-84.52%)
Mutual labels:  lodash, underscore
Javascript ninja
javascript-ninja 😆
Stars: ✭ 11 (-86.9%)
Mutual labels:  lodash, underscore
Graphql Lodash
🛠 Data manipulation for GraphQL queries with lodash syntax
Stars: ✭ 1,003 (+1094.05%)
Mutual labels:  lodash, functional-programming
underwater
~2kb - ES6 Collection of helper functions. Lodash like
Stars: ✭ 18 (-78.57%)
Mutual labels:  lodash, underscore
eslint-plugin-lodash-template
ESLint plugin for John Resig-style micro template, Lodash's template, Underscore's template and EJS.
Stars: ✭ 15 (-82.14%)
Mutual labels:  lodash, underscore
Sensei Grid
Simple and lightweight data grid in JS/HTML
Stars: ✭ 808 (+861.9%)
Mutual labels:  lodash, underscore

Dash   Latest Stable Version Build Status codecov

A functional programming library for PHP. Inspired by Underscore, Lodash, and Ramda.

$avgMaleAge = Dash\chain([
	['name' => 'John', 'age' => 12, 'gender' => 'male'],
	['name' => 'Jane', 'age' => 34, 'gender' => 'female'],
	['name' => 'Pete', 'age' => 23, 'gender' => 'male'],
	['name' => 'Mark', 'age' => 11, 'gender' => 'male'],
	['name' => 'Mary', 'age' => 42, 'gender' => 'female'],
])
->filter(['gender', 'male'])
->map('age')
->average()
->value();

echo "Average male age is $avgMaleAge.";

Jump to:

Operations

View full list of operations here

Highlights

Why use Dash?

PHP's built-in array_* functions are limited, difficult to compose, inconsistent, and don't work across many data types.

For instance, let's say we want to find the average age of males in this list:

$people = [
	['name' => 'John', 'age' => 12, 'gender' => 'male'],
	['name' => 'Jane', 'age' => 34, 'gender' => 'female'],
	['name' => 'Pete', 'age' => 23, 'gender' => 'male'],
	['name' => 'Mark', 'age' => 11, 'gender' => 'male'],
	['name' => 'Mary', 'age' => 42, 'gender' => 'female'],
];

Using PHP's built-in in functions, we might write something like this:

$males = array_filter($people, function ($person) {
	return $person['gender'] === 'male';
});
$avgMaleAge = array_sum(array_column($males, 'age')) / count($males);

Dash makes common data transformation operations like these clearer and more fluid:

$avgMaleAge = Dash\chain($people)
	->filter(['gender', 'male'])
	->map('age')
	->average()
	->value();

This is just a tiny subset of what Dash can do. See the full list of operations here.

Installation

Requires PHP 5.6+

composer require mpetrovich/dash

Usage

Dash operations are pure functions that can be used alone or chained together.

Standalone

Operations can be called as namespaced functions:

Dash\map([1, 2, 3], function ($n) { return $n * 2; });  // === [2, 4, 6]

or as static methods:

use Dash\Dash;

Dash::map([1, 2, 3], function ($n) { return $n * 2; });  // === [2, 4, 6]

Dash\_ can also be used as an alias for Dash\Dash:

use Dash\_;

_::map([1, 2, 3], function ($n) { return $n * 2; });  // === [2, 4, 6]

Chaining

Multiple operations can be chained in sequence using chain(). Call value() to return the final value.

$result = Dash\chain([1, 2, 3, 4, 5])
	->filter('Dash\isOdd')
	->map(function ($n) { return $n * 2; })
	->value();

// $result === [2, 6, 10]

To explicitly convert the value to an array or stdClass, use arrayValue() or objectValue() respectively:

$result = Dash\chain(['a' => 1, 'b' => 2, 'c' => 3])
	->filter('Dash\isOdd')
	->mapValues(function ($n) { return $n * 2; })
	->objectValue();

// $result === (object) ['a' => 2, 'c' => 6]

For convenience, Dash\chain() can be aliased to a global function using addGlobalAlias(). It only needs to be called once during your application bootstrap:

// In your application bootstrap:
Dash::addGlobalAlias('__');

// Elsewhere:
$result = __([1, 2, 3, 4, 5])
	->filter('Dash\isOdd')
	->map(function ($n) { return $n * 2; })
	->value();

Sometimes you don't need the return value of the chain. However, the chain isn't processed until value() is called. For semantic convenience, run() is also an alias for value():

$chain = Dash\chain(range(1, 5))
	->reverse()
	->each(function ($n) {
		echo "T-minus $n...\n";
		sleep(1);
	});

// Nothing echoed yet

$chain->value();
// or
$chain->run();

// Echoes each of the following lines 1 second apart:
// T-minus 5...
// T-minus 4...
// T-minus 3...
// T-minus 2...
// T-minus 1...

Supported data types

Dash can work with a wide variety of data types, including:

Examples

With an array:

Dash\chain([1, 2, 3, 4])
	->filter('Dash\isEven')
	->map(function ($value) {
		return $value * 2;
	})
	->value();
// === [4, 8]

With an object:

Dash\chain((object) ['a' => 1, 'b' => 2, 'c' => 3, 'd' => 4])
	->filter('Dash\isOdd')
	->keys()
	->join(', ')
	->value();
// === 'a, c'

With a Traversable:

Dash\chain(new ArrayObject(['a' => 1, 'b' => 2, 'c' => 3, 'd' => 4]))
	->pick(['b', 'c'])
	->values()
	->sum()
	->value();
// === 5

With a DirectoryIterator:

$iterator = new FilesystemIterator(__DIR__, FilesystemIterator::SKIP_DOTS);

$filenames = Dash\chain($iterator)
	->reject(function ($fileinfo) {
		return $fileinfo->isDir();
	})
	->map(function ($fileinfo) {
		return pathinfo($fileinfo)['filename'];
	})
	->value();

Currying

curry() and related operations can be used to create curried functions from any callable:

function listThree($a, $b, $c) {
	return "$a, $b, and $c";
}

$listThree = Dash\curry('listThree');
$listTwo = $listThree('first');
$listTwo('second', 'third');  // === 'first, second, and third'

Most Dash functions have a curried version that accepts input data as the last parameter instead of as the first. Curried versions are located in the Dash\Curry namespace:

Dash\chain([
	'a' => 3,
	'b' => '3',
	'c' => 3,
	'd' => 3.0
])
->filter(Dash\Curry\identical(3))
->value();
// === ['a' => 3, 'c' => 3]

Similarly, partial() and related operations can be used to create partially-applied functions:

$greet = function ($greeting, $name) {
	return "$greeting, $name!";
};

$sayHello = Dash\partial($greet, 'Hello');
$sayHowdy = Dash\partial($greet, 'Howdy');

$sayHello('Mark');  // === 'Hello, Mark!'
$sayHowdy('Jane');  // === 'Howdy, Jane!'

Lazy evaluation

Chained operations are not evaluated until value() or run() is called. Furthermore, the input data can be changed and evaluated multiple times using with(). This makes it simple to create reusable chains:

$chain = Dash\chain()
	->filter('Dash\isOdd')
	->map(function ($n) { return $n * 2; });

$chain->with([1, 2, 3])->value();  // === [2, 6]
$chain->with([4, 5, 6, 7])->value();  // === [10, 14]

Chains can also be cloned and extended:

// …continued from above
$clone = clone $chain;
$clone->map(function ($n) { $n + 1; })
$clone->value();  // === [11, 15]

// The original chain is untouched
$chain->value();  // === [10, 14]

When value() is called, the result is cached until the chain is modified or the input is changed using with().

Custom operations

Custom operations can be added, retrieved, and removed using setCustom(), getCustom(), and unsetCustom(), respectively. Dash\custom() is also an alias for Dash::getCustom():

Dash::setCustom('triple', function ($n) { return $n * 3; });

// Standalone
Dash::triple(4);  // === 12

// Chained
Dash\chain([1, 2, 3])
	->sum()
	->triple()
	->value();  // === 18

// As an argument
Dash\chain([1, 2, 3])
	->map('Dash\Dash::triple')
	->value();  // === [3, 6, 9]

// As an argument using the Dash::getCustom() method
Dash\chain([1, 2, 3])
	->map(Dash::getCustom('triple'))
	->value();  // === [3, 6, 9]

// Using the Dash\custom() operation
Dash\chain([1, 2, 3])
	->map(Dash\custom('triple'))
	->value();  // === [3, 6, 9]

Dash::unsetCustom('triple');

When chained, the current input is passed as the first parameter to the custom operation:

Dash::setCustom('divide', function($numerator, $denominator) { return $numerator / $denominator; });

Dash\chain(6)->divide(2)->value();  // === 2

Tips

If you find that Dash doesn't have an operation that you need, fear not. Custom logic can be added without giving up Dash chaining or other features. The simplest way to integrate missing operations is via the Dash\thru() operation, which allows custom logic to modify and seamlessly pass through its results to the next step in the chain.

For example, suppose we want to use array_change_key_case() and keep the usual Dash chaining semantics. With thru(), it's simple:

$result = Dash\chain(['one' => 1, 'two' => 2, 'three' => 3])
	->filter('Dash\isOdd')
	->thru(function($input) {
		return array_change_key_case($input, CASE_UPPER);
	})
	->keys()
	->value();

// $result === ['ONE', 'THREE']

Alternatively, if you find yourself needing to use array_change_key_case() often, it may be better to add a new custom operation:

Dash::setCustom('keyCase', function ($input, $case) {
	return array_change_key_case($input, $case);
});

which you can then use like any other chainable Dash method:

$result = Dash\chain(['one' => 1, 'two' => 2, 'three' => 3])
	->filter('Dash\isOdd')
	->keyCase(CASE_UPPER)
	->keys()
	->value();

// $result === ['ONE', 'THREE']

Feedback

Found a bug or have a suggestion? Please create a new GitHub issue. We want your feedback!

Note that the project description data, including the texts, logos, images, and/or trademarks, for each open source project belongs to its rightful owner. If you wish to add or remove any projects, please contact us at [email protected].