php-ml/src/Pipeline.php

88 lines
2.1 KiB
PHP
Raw Normal View History

<?php
2016-11-20 21:53:17 +00:00
declare(strict_types=1);
2016-06-16 07:58:12 +00:00
namespace Phpml;
2019-05-14 19:26:25 +00:00
use Phpml\Exception\InvalidOperationException;
class Pipeline implements Estimator, Transformer
{
/**
* @var Transformer[]
*/
private $transformers = [];
/**
2019-05-14 19:26:25 +00:00
* @var Estimator|null
*/
2016-06-16 07:58:12 +00:00
private $estimator;
/**
* @param Transformer[] $transformers
2016-06-16 07:58:12 +00:00
*/
2019-05-14 19:26:25 +00:00
public function __construct(array $transformers, ?Estimator $estimator = null)
{
2019-05-14 19:26:25 +00:00
$this->transformers = array_map(static function (Transformer $transformer): Transformer {
return $transformer;
}, $transformers);
2016-06-16 07:58:12 +00:00
$this->estimator = $estimator;
}
/**
* @return Transformer[]
*/
public function getTransformers(): array
{
2016-06-16 07:58:12 +00:00
return $this->transformers;
}
2016-06-16 07:58:12 +00:00
2019-05-14 19:26:25 +00:00
public function getEstimator(): ?Estimator
2016-06-16 07:58:12 +00:00
{
return $this->estimator;
}
public function train(array $samples, array $targets): void
2016-06-16 07:58:12 +00:00
{
2019-05-14 19:26:25 +00:00
if ($this->estimator === null) {
throw new InvalidOperationException('Pipeline without estimator can\'t use train method');
}
foreach ($this->transformers as $transformer) {
2018-02-14 18:05:48 +00:00
$transformer->fit($samples, $targets);
2019-05-14 19:26:25 +00:00
$transformer->transform($samples, $targets);
}
2016-06-16 07:58:12 +00:00
$this->estimator->train($samples, $targets);
}
/**
* @return mixed
*/
public function predict(array $samples)
{
2019-05-14 19:26:25 +00:00
if ($this->estimator === null) {
throw new InvalidOperationException('Pipeline without estimator can\'t use predict method');
}
$this->transform($samples);
2016-06-16 07:58:12 +00:00
return $this->estimator->predict($samples);
}
2019-05-14 19:26:25 +00:00
public function fit(array $samples, ?array $targets = null): void
{
foreach ($this->transformers as $transformer) {
$transformer->fit($samples, $targets);
$transformer->transform($samples, $targets);
}
}
public function transform(array &$samples, ?array &$targets = null): void
{
foreach ($this->transformers as $transformer) {
2019-05-14 19:26:25 +00:00
$transformer->transform($samples, $targets);
}
}
}