A filtering implementation for verifying correct data and performing typical modifications to data.
- Compact, readable specification
- Filter with any php callable such as
- Anonymous function
- Class function
- Built-in function
- Optional/Required support, field and global level
- Default support
- Chaining filters
- Optionally returns unknown fields
- Filter alias support
This package is a partial metapackage aggregating the following components:
- traderinteractive/filter-arrays
- traderinteractive/filter-bools
- traderinteractive/filter-dates
- traderinteractive/filter-floats
- traderinteractive/filter-ints
- traderinteractive/filter-strings
class AppendFilter
{
public function filter($value, $extraArg)
{
return $value . $extraArg;
}
}
$appendFilter = new AppendFilter();
$trimFunc = function($val) { return trim($val); };
list($status, $result, $error, $unknowns) = TraderInteractive\Filterer::filter(
[
'field one' => [[$trimFunc], ['substr', 0, 3], [[$appendFilter, 'filter'], 'boo']],
'field two' => ['required' => true, ['floatval']],
'field three' => ['required' => false, ['float']],
'field four' => ['required' => true, 'default' => 1, ['uint']],
],
['field one' => ' abcd', 'field two' => '3.14']
);
var_dump($status);
var_dump($result);
var_dump($error);
var_dump($unknowns);
prints
bool(true)
array(3) {
'field one' =>
string(6) "abcboo"
'field two' =>
double(3.14)
'field four' =>
int(1)
}
NULL
array(0) {
}
To add the library as a local, per-project dependency use Composer! Simply add a dependency on
traderinteractive/filter
to your project's composer.json
file such as:
composer require traderinteractive/filter
Found in the source itself, take a look!
At the core of this library is a Filterer
class that can validate the structure of an array and map the data through filters. This behavior
is defined by a specification of the different filters to apply and some additional options.
The specification is an array of key => filter specification pairs.
The keys define the known fields in the array. Any fields in the array that are not in the specification are treated as "unknown" fields and
may cause validation to fail, depending on the value of the allowUnknowns
option.
The filter specification for a single field is also an array. It can contain predefined filter options.
The rest of the specification for the field are the filters to apply.
The first element in the filter is the filter to run. This can either be something that passes is_callable
(e.g., 'trim'
or
[$object, 'method']
) or it can be one of our predefined aliases (e.g., 'float'
).
The rest of the elements in the filter are the extra arguments to the filter (the value being filtered is always the first argument).
A filter specification can contain any number of filters and the result of each filter is piped in as the input to the next filter. The result of the final filter is set in the result array.
The example above should help clarify all this.
Flag to allow elements in unfiltered input that are not present in the filterer specification.
- bool
The default value is false
TraderInteractive\FiltererOptions::ALLOW_UNKNOWNS
$options = [
TraderInteractive\FiltererOptions::ALLOW_UNKNOWNS => true,
];
$filterer = new TraderInteractive\Filterer($specification, $options);
Flag for the default required behavior of all elements in the filterer specification. If true
all elements in the specification are required unless they have the required filter option set.
- bool
The default value is false
TraderInteractive\FiltererOptions::DEFAULT_REQUIRED
$options = [
TraderInteractive\FiltererOptions::DEFAULT_REQUIRED => true,
];
$filterer = new TraderInteractive\Filterer($specification, $options);
Specifies the type of response which The Filterer::filter method will return. It can be array
or \TraderInteractive\FilterResponse
- string
The default value is array
TraderInteractive\FiltererOptions::RESPONSE_TYPE
$options = [
TraderInteractive\FiltererOptions::RESPONSE_TYPE => \TraderInteractive\FilterResponse::class,
];
$filterer = new TraderInteractive\Filterer($specification, $options);
Defines whether this field is a required element of the array. This value overrides the global filter specification's defaultRequired
option.
- bool
The default value depends on the defaultRequired
Filterer Option.
TraderInteractive\FilterOptions::IS_REQUIRED
$specificaton = [
'id' => [TraderInteractive\FilterOptions::IS_REQUIRED => true, ['uint']],
];
Defines what the default value of this field is if none is given. A field with a default value will be guaranteed to be in the result. The required
value does not affect default
behavior.
- string
There is no default value for this option.
TraderInteractive\FilterOptions::DEFAULT_VALUE
$specificaton = [
'subscribe' => [TraderInteractive\FilterOptions::DEFAULT_VALUE => true, ['bool']],
'status' => [TraderInteractive\FilterOptions::DEFAULT_VALUE => 'A', ['string', false, 1, 1]],
];
Defines a custom error message to be returned if the value fails filtering. Within the error string, {value}
can be used as a placeholder for the value that failed filtering.
- string
There is no default value for this option.
TraderInteractive\FilterOptions::CUSTOM_ERROR
$specificaton = [
'price' => [
TraderInteractive\FilterOptions::CUSTOM_ERROR => 'Price {value} was not between 0 and 100',
['uint', false, 0, 100],
],
];
Defines any input fields with which a given field will conflict. Used when one field can be given in input or another but not both.
- string
There is no default value for this option.
TraderInteractive\FilterOptions::CONFLICTS_WITH
$specification = [
'id' => [
TraderInteractive\FilterOptions::CONFLICTS_WITH => 'code',
[['uint']],
],
'code' => [
TraderInteractive\FilterOptions::CONFLICTS_WITH => 'id',
[['string']],
],
];
Specifies an array of input values that should be used as part of a field's filter specification.
- string[]
The default value for this option is an empty array.
TraderInteractive\FilterOptions::USES
$specification = [
'base' => [
[['float']],
],
'exponent' => [
['uint'],
[
TraderInteractive\FilterOptions::USES => 'base',
'pow',
],
],
];
The exponent filter spec will call the PHP function pow()
with the value provided and the result of the filtered base
If true the Filterer will throw any exception caught when filtering a value instead of returning the error in the filter response.
- boolean
The default value for this option is false
TraderInteractive\FilterOptions::THROW_ON_ERROR
$idFilter = function ($id) : int {
if (!is_int($id)) {
throw new NotFoundException("id '{$id}' was not found");
}
return $id;
};
$specification = [
'id' => [
\TraderInteractive\FilterOptions::THROW_ON_ERROR => true,
[$idFilter],
],
];
If the id
value given in the input is not an integer the Filterer::execute() will throw the NotFoundException
Flag to break the filter chain if a resulting value is null
Useful for nullable fields which require additional filtering if the value is not null.
- boolean
The default value for this option is false
TraderInteractive\FilterOptions::RETURN_ON_NULL
$validCodes = ['A', 'I', 'X'];
$specification = [
'code' => [
\TraderInteractive\FilterOptions::RETURN_ON_NULL => true,
['string', true],
['strtoupper'],
['in', $validCodes],
],
];
If the code
value is null
then the resulting filtered value will be null. Otherwise the value must be one of the $validCode
values.
Of course, any function can potentially be used as a filter, but we include some useful filters with aliases for common circumstances.
Aliased in the filterer as ofScalars
, this filter verifies that the argument is an array (possibly empty) of scalar items that each pass the
given filters (given in the same format as used by Filterer::filter
.
The following checks that $value
is an array of unsigned integers.
$value = \TraderInteractive\Filter\Filterer::ofScalars($value, [['uint']]);
Aliased in the filterer as ofArrays
, this filter verifies that the argument is an array (possibly empty) of arrays that each pass the given
filters (given in the same format as used by Filterer::filter
.
The following checks that $value
is an array of items that each have an id
key with a numeric value. No other keys would be allowed. For
example, the following is valid input: [['id' => '1'], ['id' => '2']]
.
$value = \TraderInteractive\Filter\Filterer::ofArrays($value, ['id' => [['uint']]]);
Aliased in the filterer as ofArray
, this filter verifies that the argument is an array that passes the given specification. This is
essentially a flipped version of Filterer::filter
that allows for testing nested associative arrays.
Aliased in the filterer as array-copy
, this filter copies values from the source array into a destination array using the provided destination key map.
Example Usage:
$specification = ['field' => [['array-copy', ['FOO_VALUE' => 'foo', 'BAR_VALUE' => 'bar']]]];
$filterer = new TraderInteractive\Filterer($specification);
$input = ['foo' => 123, 'bar' => 'abc'];
$result = $filterer->execute($input);
assert(['field' => ['FOO_VALUE' => 123, 'BAR_VALUE' => 'abc']], $result->filteredValue);
Aliased in the filterer as array-copy-each
, this filter copies values from each array in the source array into a destination array using the provided destination key map.
Example Usage:
$specification = ['field' => [['array-copy-each', ['FOO_VALUE' => 'foo', 'BAR_VALUE' => 'bar']]]];
$filterer = new TraderInteractive\Filterer($specification);
$input = [
['foo' => 123, 'bar' => 'abc'],
['foo' => 456, 'bar' => 'def'],
];
$result = $filterer->execute($input);
assert(['field' => [['FOO_VALUE' => 123, 'BAR_VALUE' => 'abc'], ['FOO_VALUE' => 456, 'BAR_VALUE' => 'def']]], $result->filteredValue);
Aliased in the filterer as implode
, this filter is a wrapper around implode
to ensure proper argument order.
$sepcification = ['field' => [['array'],['implode', ',']]];
$filterer = new TraderInteractive\Filterer($specification);
$input = [
'field' => ['lastname', 'email', 'phone'],
];
$result = $filterer->execute($input);
assert(['field' => 'lastname,email,phone'], $result->filteredValue);
Aliased in the filterer as in
, this filter is a wrapper around in_array
including support for strict equality testing.
The following does a strict check for $value
against the 3 accepted values.
\TraderInteractive\Filter\Arrays::in($value, ['a', 'b', 'c']);
Aliased in the filterer as arrayize
, this filter returns this original input if it is an array, otherwise returns input wrapped in an array. If the original input is null, an empty array is returned.
$value = \TraderInteractive\Filter\Arrays::arrayize('a string value');
assert($value === ['a string value']);
Aliased in the filterer as array
, this filter verifies that the argument is an array and checks the length of the array against bounds. The
default bounds are 1+, so an empty array fails by default.
The following checks that the $value
is an array with exactly 3 elements.
\TraderInteractive\Filter\Arrays::filter($value, 3, 3);
Aliased in the filterer as flatten
, this filter flattens a multi-dimensional array to a single dimension. The order of values will be
maintained, but the keys themselves will not. For example:
$value = \TraderInteractive\Filter\Arrays::flatten([[1, 2], [3, [4, 5]]]);
assert($value === [1, 2, 3, 4, 5]);
Aliased in the filterer as array-pad
, this filter pads an array to the specified length with a value. Padding optionally to the front or end of the array.
Example Usage:
$specification = ['field' => [['array-pad', 5, 0, Arrays::ARRAY_PAD_LEFT]]],
$filterer = new TraderInteractive\Filterer($specification);
$input = [2, 4, 6];
$result = $filterer->execute($input);
assert(['field' => [0, 0, 2, 4, 6]], $result->filteredValue);
Aliased in the filterer as bool
, this filter verifies that the argument is a boolean value or a string that maps to one. The second parameter
can be set to true
to allow null values through without an error (they will stay null and not get converted to false). The last parameters
are lists of strings for true values and false values. By default, the strings "true" and "false" map to their boolean counterparts.
The following example converts $value
to a boolean allowing the strings "on" and "of".
$enabled = \TraderInteractive\Filter\Booleans::filter($value, false, ['on'], ['off']);
Aliased in the filterer as bool-convert
, this filter will convert a given boolean value into the provided true or false conditions. By default the
return values are the strings 'true' and 'false'
The following converts the boolean $value
to either 'yes' or 'no'
$answer = \TraderInteractive\Filter\Booleans::convert($value, 'yes', 'no');
Aliased in the filterer as float
, int
, and uint
, respectively, these filters verify that the arguments are of the proper numeric type and
allow for bounds checking. The second parameter to each of them can be set to true
to allow null values through without an error (they will
stay null and not get converted to false). The next two parameters are the min and max bounds and can be used to limit the domain of allowed
numbers.
Non-numeric strings will fail validation, and numeric strings will be cast.
The float parameter has an additional parameter that can be set to true
to cast integers to floats. Without this, integers will fail
validation.
The following checks that $value
is an integer between 1 and 100 inclusive, and returns the integer (after casting it if it was a string).
$value = \TraderInteractive\Filter\UnsignedInt::filter($value, false, 1, 100);
Aliased in the filterer as string
, this filter verifies that the argument is a string. The second parameter can be set to true
to allow
null values through without an error (they will stay null and not get converted to false). The last parameters specify the length bounds of the
string. The default bounds are 1+, so an empty string fails by default.
The following checks that $value
is a non-empty string.
\TraderInteractive\Filter\Strings::filter($value);
Aliased in the filterer as concat
, this filter concatenates the given $value, $prefix and $suffix and returns the resulting string.
$value = \TraderInteractive\Filter\Strings::concat('middle', 'begining_', '_end');
assert($value === 'begining_middle_end');
Aliased in the filterer as explode
, this filter is essentially a wrapper around the built-in explode
method
with the value first in order to work with the Filterer
. It also defaults to using ,
as a delimiter. For example:
$value = \TraderInteractive\Filter\Strings::explode('abc,def,ghi');
assert($value === ['abc', 'def', 'ghi']);
Aliased in the filterer as strip-tags
, this filter is essentially a wrapper around the built-in strip_tags
function. However, unlike the
native function the stripTags method will return null when given a null value.
$value = \TraderInteractive\Filter\Strings::stripTags('A string with <p>tags</p>');
assert($value === 'a string with tags');
Aliased in the filterer as translate
, this filter will accept a string value and return its translated value found in the given $valueMap.
$value = \TraderInteractive\Filter\Strings::tranlsate('bar', ['foo' => 'translated to bar', 'bar' => 'translated to foo']);
assert($value === 'translated to foo');
Aliased in the filterer as url
, this filter verifies that the argument is a URL string according to
RFC2396. The second parameter can be set to true
to allow
null values through without an error (they will stay null and not get converted to false).
The following checks that $value
is a URL.
\TraderInteractive\Filter\Url::filter($value);
Aliased in the filterer as closure
, this filter verifies that the argument is a closure function.
The following checks that $closureMethod
is a closure.
$closureMethod = function () {
doSomething();
};
\TraderInteractive\Filter\Closures::filter($closureMethod);
Aliased in the filterer as email
, this filter verifies that the argument is an email.
The following checks that $value
is an email.
\TraderInteractive\Filter\Email::filter($value);
Aliased in the filterer as date
, this will filter the value as a \DateTime
object. The value can be any string that conforms to PHP's valid date/time formats
The following checks that $value
is a date/time.
$dateTime = \TraderInteractive\Filter\DateTime::filter('2014-02-04T11:55:00-0500');
Aliased in the filterer as date-format
, this will filter a given `\DateTime' value to a string based on the given format.
The following returns formatted string for a given \DateTime
$value
$formatted = \TraderInteractive\Filter\DateTime::format($value, 'Y-m-d H:i:s');
Aliased in the filterer as date
, this will filter the value as a \DateTimeZone
object. The value can be any supported timezone name
The following checks that $value
is a timezone
$timezone = \TraderInteractive\Filter\DateTimeZone::filter('America/New_York');
Aliased in the filter as json
, checks that the JSON is valid and returns the original value.
The following ensures that $value
is valid JSON
$value = \TraderInteractive\Filter\Json::validate('{"foo": "bar"}');
Aliased in the filter as json-decode
, checks that the JSON is valid and returns the decoded result.
The following decodes the given value and returns the result.
$value = \TraderInteractive\Filter\Json::parse('{"foo": "bar"}');
assert($value === ['foo' => 'bar']);
Aliased in the filter as phone
, this will filter a given value as a phone. Returning the phone in the specified format.
The following filters the given string into a formatted phone string
$value = \TraderInteractive\Filter\PhoneFilter::filter('234.567.8901', false, '({area}) {exchange}-{station}');
assert($value === '(234) 567-8901');
Aliased in the filterer as time-of-day
, this will filter a given string value as a time of day in HH:MM:SS
format.
The following ensures that $value
is a valid HH:MM:SS
formatted string.
$value = \TraderInteractive\Filter\TimeOfDayFilter::filter('12:15:23');
assert($value === '12:15:23');
Aliased in the filterer as uuid
, this will filter a given string values as a valid UUID.
The following ensures the $value
is a valid UUID v4 formatted string. Disallowing null values, nil UUIDs and UUID version other than v4
$value = \TraderInteractive\Filter\UuidFilter::filter('2c02b87a-97ec-4de0-8c50-6721a29c150f', false, false, [4]);
assert($value === '2c02b87a-97ec-4de0-8c50-6721a29c150f');
Aliased in the filter as xml
, this will ensure the given string value is valid XML, returning the original value.
The following ensures the given string is valid xml.
$value = <<<XML
<?xml version="1.0"?>
<books>
<book id="bk101">
<author>Gambardella, Matthew</author>
<title>XML Developers Guide</title>
<genre>Computer</genre>
<price>44.95</price>
<publish_date>2000-10-01</publish_date>
<description>An in-depth look at creating applications with XML.</description>
</book>
<book id="bk102">
<author>Ralls, Kim</author>
<title>Midnight Rain</title>
<genre>Fantasy</genre>
<price>5.95</price>
<publish_date>2000-12-16</publish_date>
<description>A former architect battles corporate zombies</description>
</book>
</books>
XML;
$xml = \TraderInteractive\Filter\XmlFilter::filter($value);
Aliased in the filter as xml-extract
, this will ensure the given string value is valid XML then extract and return the element found at the given xpath.
The following ensures the given string is valid xml and returns the title element of the first book.
$value = <<<XML
<?xml version="1.0"?>
<books>
<book id="bk101">
<author>Gambardella, Matthew</author>
<title>XML Developers Guide</title>
<genre>Computer</genre>
<price>44.95</price>
<publish_date>2000-10-01</publish_date>
<description>An in-depth look at creating applications with XML.</description>
</book>
<book id="bk102">
<author>Ralls, Kim</author>
<title>Midnight Rain</title>
<genre>Fantasy</genre>
<price>5.95</price>
<publish_date>2000-12-16</publish_date>
<description>A former architect battles corporate zombies</description>
</book>
</books>
XML;
$xpath = "/books/book[@id='bk101']/title";
$titleXml = \TraderInteractive\Filter\XmlFilter::extract($value, $xpath);
assert($titleXml === '<title>XML Developers Guide</title>');
Aliased in the filter as xml-validate
, this will ensure the given string value is valid XML and also confirms to the given XSD file. The original value is returned.
The following ensures the given string is valid xml and matches books.xsd.
$value = <<<XML
<?xml version="1.0"?>
<books>
<book id="bk101">
<author>Gambardella, Matthew</author>
<title>XML Developers Guide</title>
<genre>Computer</genre>
<price>44.95</price>
<publish_date>2000-10-01</publish_date>
<description>An in-depth look at creating applications with XML.</description>
</book>
<book id="bk102">
<author>Ralls, Kim</author>
<title>Midnight Rain</title>
<genre>Fantasy</genre>
<price>5.95</price>
<publish_date>2000-12-16</publish_date>
<description>A former architect battles corporate zombies</description>
</book>
</books>
XML;
$xml = \TraderInteractive\Filter\XmlFilter::validate($value, 'books.xsd');
Developers may be contacted at:
With a checkout of the code get Composer in your PATH and run:
./build.php
There is also a docker-based fig configuration that will execute the build inside a docker container. This is an easy way to build the application:
fig run build
For more information on our build process, read through out our Contribution Guidelines.