blob: a3a46693fcc0070828ddaeec16ee00d265ee88a2 (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
|
<?php
namespace Elastica\Query;
use Elastica\Exception\InvalidException;
/**
* Fuzzy query.
*
* @author Nicolas Ruflin <spam@ruflin.com>
*
* @link http://www.elastic.co/guide/en/elasticsearch/reference/current/query-dsl-fuzzy-query.html
*/
class Fuzzy extends AbstractQuery
{
/**
* Construct a fuzzy query.
*
* @param string $fieldName Field name
* @param string $value String to search for
*/
public function __construct($fieldName = null, $value = null)
{
if ($fieldName and $value) {
$this->setField($fieldName, $value);
}
}
/**
* Set field for fuzzy query.
*
* @param string $fieldName Field name
* @param string $value String to search for
*
* @return $this
*/
public function setField($fieldName, $value)
{
if (!is_string($value) or !is_string($fieldName)) {
throw new InvalidException('The field and value arguments must be of type string.');
}
if (count($this->getParams()) > 0 and array_shift(array_keys($this->getParams())) != $fieldName) {
throw new InvalidException('Fuzzy query can only support a single field.');
}
return $this->setParam($fieldName, array('value' => $value));
}
/**
* Set optional parameters on the existing query.
*
* @param string $param option name
* @param mixed $value Value of the parameter
*
* @return $this
*/
public function setFieldOption($param, $value)
{
//Retrieve the single existing field for alteration.
$params = $this->getParams();
if (count($params) < 1) {
throw new InvalidException('No field has been set');
}
$keyArray = array_keys($params);
$params[$keyArray[0]][$param] = $value;
return $this->setParam($keyArray[0], $params[$keyArray[0]]);
}
/**
* Deprecated method of setting a field.
*
* @deprecated
*/
public function addField($fieldName, $args)
{
if (!array_key_exists('value', $args)) {
throw new InvalidException('Fuzzy query can only support a single field.');
}
$this->setField($fieldName, $args['value']);
unset($args['value']);
foreach ($args as $param => $value) {
$this->setFieldOption($param, $value);
}
return $this;
}
}
|