Collection.php 32.4 KB
Newer Older
1 2 3 4 5 6 7
<?php
/**
 * @link http://www.yiiframework.com/
 * @copyright Copyright (c) 2008 Yii Software LLC
 * @license http://www.yiiframework.com/license/
 */

8
namespace yii\mongodb;
9

10
use yii\base\InvalidParamException;
11
use yii\base\Object;
Paul Klimov committed
12
use Yii;
Paul Klimov committed
13
use yii\helpers\Json;
14 15

/**
16
 * Collection represents the Mongo collection information.
17
 *
18 19 20 21 22 23
 * A collection object is usually created by calling [[Database::getCollection()]] or [[Connection::getCollection()]].
 *
 * Collection provides the basic interface for the Mongo queries, mostly: insert, update, delete operations.
 * For example:
 *
 * ~~~
24
 * $collection = Yii::$app->mongodb->getCollection('customer');
25 26 27
 * $collection->insert(['name' => 'John Smith', 'status' => 1]);
 * ~~~
 *
28 29
 * To perform "find" queries, please use [[Query]] instead.
 *
30 31 32 33 34 35
 * Mongo uses JSON format to specify query conditions with quite specific syntax.
 * However Collection class provides the ability of "translating" common condition format used "yii\db\*"
 * into Mongo condition.
 * For example:
 * ~~~
 * $condition = [
36 37 38 39 40
 *     [
 *         'OR',
 *         ['AND', ['first_name' => 'John'], ['last_name' => 'Smith']],
 *         ['status' => [1, 2, 3]]
 *     ],
41 42 43 44 45
 * ];
 * print_r($collection->buildCondition($condition));
 * // outputs :
 * [
 *     '$or' => [
46 47 48 49 50 51 52
 *         [
 *             'first_name' => 'John',
 *             'last_name' => 'John',
 *         ],
 *         [
 *             'status' => ['$in' => [1, 2, 3]],
 *         ]
53 54 55 56
 *     ]
 * ]
 * ~~~
 *
57
 * Note: condition values for the key '_id' will be automatically cast to [[\MongoId]] instance,
58
 * even if they are plain strings. However, if you have other columns, containing [[\MongoId]], you
59
 * should take care of possible typecast on your own.
60
 *
Qiang Xue committed
61 62 63 64
 * @property string $fullName Full name of this collection, including database name. This property is
 * read-only.
 * @property array $lastError Last error information. This property is read-only.
 * @property string $name Name of this collection. This property is read-only.
65
 *
66 67 68
 * @author Paul Klimov <klimov.paul@gmail.com>
 * @since 2.0
 */
69
class Collection extends Object
70 71
{
	/**
72
	 * @var \MongoCollection Mongo collection instance.
73
	 */
74
	public $mongoCollection;
75

76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91
	/**
	 * @return string name of this collection.
	 */
	public function getName()
	{
		return $this->mongoCollection->getName();
	}

	/**
	 * @return string full name of this collection, including database name.
	 */
	public function getFullName()
	{
		return $this->mongoCollection->__toString();
	}

92 93 94 95 96 97 98 99
	/**
	 * @return array last error information.
	 */
	public function getLastError()
	{
		return $this->mongoCollection->db->lastError();
	}

Paul Klimov committed
100 101 102 103 104 105 106 107 108 109
	/**
	 * Composes log/profile token.
	 * @param string $command command name
	 * @param array $arguments command arguments.
	 * @return string token.
	 */
	protected function composeLogToken($command, $arguments = [])
	{
		$parts = [];
		foreach ($arguments as $argument) {
110
			$parts[] = is_scalar($argument) ? $argument : $this->encodeLogData($argument);
Paul Klimov committed
111 112 113 114
		}
		return $this->getFullName() . '.' . $command . '(' . implode(', ', $parts) . ')';
	}

115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172
	/**
	 * Encodes complex log data into JSON format string.
	 * @param mixed $data raw data.
	 * @return string encoded data string.
	 */
	protected function encodeLogData($data)
	{
		return json_encode($this->processLogData($data));
	}

	/**
	 * Pre-processes the log data before sending it to `json_encode()`.
	 * @param mixed $data raw data.
	 * @return mixed the processed data.
	 */
	protected function processLogData($data)
	{
		if (is_object($data)) {
			if ($data instanceof \MongoId ||
				$data instanceof \MongoRegex ||
				$data instanceof \MongoDate ||
				$data instanceof \MongoInt32 ||
				$data instanceof \MongoInt64 ||
				$data instanceof \MongoTimestamp
			) {
				$data = get_class($data) . '(' . $data->__toString() . ')';
			} elseif ($data instanceof \MongoCode) {
				$data = 'MongoCode( ' . $data->__toString() . ' )';
			} elseif ($data instanceof \MongoBinData) {
				$data = 'MongoBinData(...)';
			} elseif ($data instanceof \MongoDBRef) {
				$data = 'MongoDBRef(...)';
			} elseif ($data instanceof \MongoMinKey || $data instanceof \MongoMaxKey) {
				$data = get_class($data);
			} else {
				$result = [];
				foreach ($data as $name => $value) {
					$result[$name] = $value;
				}
				$data = $result;
			}

			if ($data === []) {
				return new \stdClass();
			}
		}

		if (is_array($data)) {
			foreach ($data as $key => $value) {
				if (is_array($value) || is_object($value)) {
					$data[$key] = $this->processLogData($value);
				}
			}
		}

		return $data;
	}

173
	/**
174
	 * Drops this collection.
175 176
	 * @throws Exception on failure.
	 * @return boolean whether the operation successful.
177
	 */
178
	public function drop()
179
	{
Paul Klimov committed
180
		$token = $this->composeLogToken('drop');
181 182 183 184 185 186 187 188 189 190 191
		Yii::info($token, __METHOD__);
		try {
			Yii::beginProfile($token, __METHOD__);
			$result = $this->mongoCollection->drop();
			$this->tryResultError($result);
			Yii::endProfile($token, __METHOD__);
			return true;
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
192
	}
Paul Klimov committed
193

194
	/**
195
	 * Creates an index on the collection and the specified fields.
196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216
	 * @param array|string $columns column name or list of column names.
	 * If array is given, each element in the array has as key the field name, and as
	 * value either 1 for ascending sort, or -1 for descending sort.
	 * You can specify field using native numeric key with the field name as a value,
	 * in this case ascending sort will be used.
	 * For example:
	 * ~~~
	 * [
	 *     'name',
	 *     'status' => -1,
	 * ]
	 * ~~~
	 * @param array $options list of options in format: optionName => optionValue.
	 * @throws Exception on failure.
	 * @return boolean whether the operation successful.
	 */
	public function createIndex($columns, $options = [])
	{
		if (!is_array($columns)) {
			$columns = [$columns];
		}
Paul Klimov committed
217 218 219
		$keys = $this->normalizeIndexKeys($columns);
		$token = $this->composeLogToken('createIndex', [$keys, $options]);
		$options = array_merge(['w' => 1], $options);
220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235
		Yii::info($token, __METHOD__);
		try {
			Yii::beginProfile($token, __METHOD__);
			$result = $this->mongoCollection->ensureIndex($keys, $options);
			$this->tryResultError($result);
			Yii::endProfile($token, __METHOD__);
			return true;
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
	}

	/**
	 * Drop indexes for specified column(s).
	 * @param string|array $columns column name or list of column names.
236 237
	 * If array is given, each element in the array has as key the field name, and as
	 * value either 1 for ascending sort, or -1 for descending sort.
238
	 * Use value 'text' to specify text index.
239 240 241 242 243 244 245
	 * You can specify field using native numeric key with the field name as a value,
	 * in this case ascending sort will be used.
	 * For example:
	 * ~~~
	 * [
	 *     'name',
	 *     'status' => -1,
246
	 *     'description' => 'text',
247 248 249 250
	 * ]
	 * ~~~
	 * @throws Exception on failure.
	 * @return boolean whether the operation successful.
251 252 253
	 */
	public function dropIndex($columns)
	{
254 255 256
		if (!is_array($columns)) {
			$columns = [$columns];
		}
Paul Klimov committed
257 258
		$keys = $this->normalizeIndexKeys($columns);
		$token = $this->composeLogToken('dropIndex', [$keys]);
259 260 261 262 263 264 265 266 267
		Yii::info($token, __METHOD__);
		try {
			$result = $this->mongoCollection->deleteIndex($keys);
			$this->tryResultError($result);
			return true;
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
268 269 270
	}

	/**
271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291
	 * Compose index keys from given columns/keys list.
	 * @param array $columns raw columns/keys list.
	 * @return array normalizes index keys array.
	 */
	protected function normalizeIndexKeys($columns)
	{
		$keys = [];
		foreach ($columns as $key => $value) {
			if (is_numeric($key)) {
				$keys[$value] = \MongoCollection::ASCENDING;
			} else {
				$keys[$key] = $value;
			}
		}
		return $keys;
	}

	/**
	 * Drops all indexes for this collection.
	 * @throws Exception on failure.
	 * @return integer count of dropped indexes.
292 293 294
	 */
	public function dropAllIndexes()
	{
Paul Klimov committed
295
		$token = $this->composeLogToken('dropIndexes');
296 297 298 299
		Yii::info($token, __METHOD__);
		try {
			$result = $this->mongoCollection->deleteIndexes();
			$this->tryResultError($result);
300
			return $result['nIndexesWas'];
301 302 303 304
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
305 306
	}

Paul Klimov committed
307
	/**
308 309 310 311 312 313
	 * Returns a cursor for the search results.
	 * In order to perform "find" queries use [[Query]] class.
	 * @param array $condition query condition
	 * @param array $fields fields to be selected
	 * @return \MongoCursor cursor for the search results
	 * @see Query
Paul Klimov committed
314
	 */
315
	public function find($condition = [], $fields = [])
Paul Klimov committed
316
	{
317
		return $this->mongoCollection->find($this->buildCondition($condition), $fields);
Paul Klimov committed
318 319
	}

320
	/**
321
	 * Returns a single document.
322 323 324 325 326 327 328 329 330 331
	 * @param array $condition query condition
	 * @param array $fields fields to be selected
	 * @return array|null the single document. Null is returned if the query results in nothing.
	 * @see http://www.php.net/manual/en/mongocollection.findone.php
	 */
	public function findOne($condition = [], $fields = [])
	{
		return $this->mongoCollection->findOne($this->buildCondition($condition), $fields);
	}

332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357
	/**
	 * Updates a document and returns it.
	 * @param array $condition query condition
	 * @param array $update update criteria
	 * @param array $fields fields to be returned
	 * @param array $options list of options in format: optionName => optionValue.
	 * @return array|null the original document, or the modified document when $options['new'] is set.
	 * @throws Exception on failure.
	 * @see http://www.php.net/manual/en/mongocollection.findandmodify.php
	 */
	public function findAndModify($condition, $update, $fields = [], $options = [])
	{
		$condition = $this->buildCondition($condition);
		$token = $this->composeLogToken('findAndModify', [$condition, $update, $fields, $options]);
		Yii::info($token, __METHOD__);
		try {
			Yii::beginProfile($token, __METHOD__);
			$result = $this->mongoCollection->findAndModify($condition, $update, $fields, $options);
			Yii::endProfile($token, __METHOD__);
			return $result;
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
	}

Paul Klimov committed
358 359 360 361 362 363 364
	/**
	 * Inserts new data into collection.
	 * @param array|object $data data to be inserted.
	 * @param array $options list of options in format: optionName => optionValue.
	 * @return \MongoId new record id instance.
	 * @throws Exception on failure.
	 */
365
	public function insert($data, $options = [])
Paul Klimov committed
366
	{
Paul Klimov committed
367
		$token = $this->composeLogToken('insert', [$data]);
Paul Klimov committed
368 369 370
		Yii::info($token, __METHOD__);
		try {
			Yii::beginProfile($token, __METHOD__);
371
			$options = array_merge(['w' => 1], $options);
372
			$this->tryResultError($this->mongoCollection->insert($data, $options));
Paul Klimov committed
373 374 375 376 377
			Yii::endProfile($token, __METHOD__);
			return is_array($data) ? $data['_id'] : $data->_id;
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
378 379 380 381 382 383 384 385 386 387 388 389
		}
	}

	/**
	 * Inserts several new rows into collection.
	 * @param array $rows array of arrays or objects to be inserted.
	 * @param array $options list of options in format: optionName => optionValue.
	 * @return array inserted data, each row will have "_id" key assigned to it.
	 * @throws Exception on failure.
	 */
	public function batchInsert($rows, $options = [])
	{
Paul Klimov committed
390
		$token = $this->composeLogToken('batchInsert', [$rows]);
391 392 393
		Yii::info($token, __METHOD__);
		try {
			Yii::beginProfile($token, __METHOD__);
394
			$options = array_merge(['w' => 1], $options);
395 396 397 398 399 400 401 402 403 404 405
			$this->tryResultError($this->mongoCollection->batchInsert($rows, $options));
			Yii::endProfile($token, __METHOD__);
			return $rows;
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
	}

	/**
	 * Updates the rows, which matches given criteria by given data.
406 407
	 * Note: for "multiple" mode Mongo requires explicit strategy "$set" or "$inc"
	 * to be specified for the "newData". If no strategy is passed "$set" will be used.
408
	 * @param array $condition description of the objects to update.
409 410
	 * @param array $newData the object with which to update the matching records.
	 * @param array $options list of options in format: optionName => optionValue.
411
	 * @return integer|boolean number of updated documents or whether operation was successful.
412 413
	 * @throws Exception on failure.
	 */
414
	public function update($condition, $newData, $options = [])
415
	{
Paul Klimov committed
416 417 418 419 420 421 422 423 424
		$condition = $this->buildCondition($condition);
		$options = array_merge(['w' => 1, 'multiple' => true], $options);
		if ($options['multiple']) {
			$keys = array_keys($newData);
			if (!empty($keys) && strncmp('$', $keys[0], 1) !== 0) {
				$newData = ['$set' => $newData];
			}
		}
		$token = $this->composeLogToken('update', [$condition, $newData, $options]);
425 426 427
		Yii::info($token, __METHOD__);
		try {
			Yii::beginProfile($token, __METHOD__);
428
			$result = $this->mongoCollection->update($condition, $newData, $options);
429
			$this->tryResultError($result);
430
			Yii::endProfile($token, __METHOD__);
431 432 433 434 435
			if (is_array($result) && array_key_exists('n', $result)) {
				return $result['n'];
			} else {
				return true;
			}
436 437 438
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
Paul Klimov committed
439 440 441 442 443 444 445 446 447 448
		}
	}

	/**
	 * Update the existing database data, otherwise insert this data
	 * @param array|object $data data to be updated/inserted.
	 * @param array $options list of options in format: optionName => optionValue.
	 * @return \MongoId updated/new record id instance.
	 * @throws Exception on failure.
	 */
449
	public function save($data, $options = [])
Paul Klimov committed
450
	{
Paul Klimov committed
451
		$token = $this->composeLogToken('save', [$data]);
Paul Klimov committed
452 453 454
		Yii::info($token, __METHOD__);
		try {
			Yii::beginProfile($token, __METHOD__);
455
			$options = array_merge(['w' => 1], $options);
456
			$this->tryResultError($this->mongoCollection->save($data, $options));
Paul Klimov committed
457 458 459 460 461 462 463 464 465 466
			Yii::endProfile($token, __METHOD__);
			return is_array($data) ? $data['_id'] : $data->_id;
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
	}

	/**
	 * Removes data from the collection.
467
	 * @param array $condition description of records to remove.
Paul Klimov committed
468
	 * @param array $options list of options in format: optionName => optionValue.
469
	 * @return integer|boolean number of updated documents or whether operation was successful.
Paul Klimov committed
470
	 * @throws Exception on failure.
471
	 * @see http://www.php.net/manual/en/mongocollection.remove.php
Paul Klimov committed
472
	 */
473
	public function remove($condition = [], $options = [])
Paul Klimov committed
474
	{
Paul Klimov committed
475
		$condition = $this->buildCondition($condition);
476
		$options = array_merge(['w' => 1, 'justOne' => false], $options);
Paul Klimov committed
477
		$token = $this->composeLogToken('remove', [$condition, $options]);
Paul Klimov committed
478 479 480
		Yii::info($token, __METHOD__);
		try {
			Yii::beginProfile($token, __METHOD__);
Paul Klimov committed
481
			$result = $this->mongoCollection->remove($condition, $options);
482
			$this->tryResultError($result);
Paul Klimov committed
483
			Yii::endProfile($token, __METHOD__);
484 485 486 487 488
			if (is_array($result) && array_key_exists('n', $result)) {
				return $result['n'];
			} else {
				return true;
			}
Paul Klimov committed
489 490 491 492 493 494
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
	}

495 496 497 498 499
	/**
	 * Returns a list of distinct values for the given column across a collection.
	 * @param string $column column to use.
	 * @param array $condition query parameters.
	 * @return array|boolean array of distinct values, or "false" on failure.
Paul Klimov committed
500
	 * @throws Exception on failure.
501 502 503
	 */
	public function distinct($column, $condition = [])
	{
Paul Klimov committed
504 505
		$condition = $this->buildCondition($condition);
		$token = $this->composeLogToken('distinct', [$column, $condition]);
506
		Yii::info($token, __METHOD__);
Paul Klimov committed
507 508 509 510 511 512 513 514 515
		try {
			Yii::beginProfile($token, __METHOD__);
			$result = $this->mongoCollection->distinct($column, $condition);
			Yii::endProfile($token, __METHOD__);
			return $result;
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
516 517 518
	}

	/**
519 520
	 * Performs aggregation using Mongo Aggregation Framework.
	 * @param array $pipeline list of pipeline operators, or just the first operator
521 522
	 * @param array $pipelineOperator additional pipeline operator. You can specify additional
	 * pipelines via third argument, fourth argument etc.
523
	 * @return array the result of the aggregation.
524
	 * @throws Exception on failure.
525
	 * @see http://docs.mongodb.org/manual/applications/aggregation/
526 527 528
	 */
	public function aggregate($pipeline, $pipelineOperator = [])
	{
529 530
		$args = func_get_args();
		$token = $this->composeLogToken('aggregate', $args);
531
		Yii::info($token, __METHOD__);
532 533 534 535 536 537 538 539 540 541
		try {
			Yii::beginProfile($token, __METHOD__);
			$result = call_user_func_array([$this->mongoCollection, 'aggregate'], $args);
			$this->tryResultError($result);
			Yii::endProfile($token, __METHOD__);
			return $result['result'];
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
542 543 544
	}

	/**
545
	 * Performs aggregation using Mongo "group" command.
546 547 548
	 * @param mixed $keys fields to group by. If an array or non-code object is passed,
	 * it will be the key used to group results. If instance of [[\MongoCode]] passed,
	 * it will be treated as a function that returns the key to group by.
549 550 551 552 553 554 555 556
	 * @param array $initial Initial value of the aggregation counter object.
	 * @param \MongoCode|string $reduce function that takes two arguments (the current
	 * document and the aggregation to this point) and does the aggregation.
	 * Argument will be automatically cast to [[\MongoCode]].
	 * @param array $options optional parameters to the group command. Valid options include:
	 *  - condition - criteria for including a document in the aggregation.
	 *  - finalize - function called once per unique key that takes the final output of the reduce function.
	 * @return array the result of the aggregation.
557
	 * @throws Exception on failure.
558
	 * @see http://docs.mongodb.org/manual/reference/command/group/
559
	 */
560
	public function group($keys, $initial, $reduce, $options = [])
561
	{
Paul Klimov committed
562 563 564 565 566 567 568 569 570 571 572 573
		if (!($reduce instanceof \MongoCode)) {
			$reduce = new \MongoCode((string)$reduce);
		}
		if (array_key_exists('condition', $options)) {
			$options['condition'] = $this->buildCondition($options['condition']);
		}
		if (array_key_exists('finalize', $options)) {
			if (!($options['finalize'] instanceof \MongoCode)) {
				$options['finalize'] = new \MongoCode((string)$options['finalize']);
			}
		}
		$token = $this->composeLogToken('group', [$keys, $initial, $reduce, $options]);
574
		Yii::info($token, __METHOD__);
575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593
		try {
			Yii::beginProfile($token, __METHOD__);
			// Avoid possible E_DEPRECATED for $options:
			if (empty($options)) {
				$result = $this->mongoCollection->group($keys, $initial, $reduce);
			} else {
				$result = $this->mongoCollection->group($keys, $initial, $reduce, $options);
			}
			$this->tryResultError($result);

			Yii::endProfile($token, __METHOD__);
			if (array_key_exists('retval', $result)) {
				return $result['retval'];
			} else {
				return [];
			}
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
594
		}
595
	}
596

597 598 599 600
	/**
	 * Performs aggregation using Mongo "map reduce" mechanism.
	 * Note: this function will not return the aggregation result, instead it will
	 * write it inside the another Mongo collection specified by "out" parameter.
601 602 603 604 605 606 607 608 609 610 611 612 613 614
	 * For example:
	 *
	 * ~~~
	 * $customerCollection = Yii::$app->mongo->getCollection('customer');
	 * $resultCollectionName = $customerCollection->mapReduce(
	 *     'function () {emit(this.status, this.amount)}',
	 *     'function (key, values) {return Array.sum(values)}',
	 *     'mapReduceOut',
	 *     ['status' => 3]
	 * );
	 * $query = new Query();
	 * $results = $query->from($resultCollectionName)->all();
	 * ~~~
	 *
615 616 617 618 619 620
	 * @param \MongoCode|string $map function, which emits map data from collection.
	 * Argument will be automatically cast to [[\MongoCode]].
	 * @param \MongoCode|string $reduce function that takes two arguments (the map key
	 * and the map values) and does the aggregation.
	 * Argument will be automatically cast to [[\MongoCode]].
	 * @param string|array $out output collection name. It could be a string for simple output
621
	 * ('outputCollection'), or an array for parametrized output (['merge' => 'outputCollection']).
622
	 * You can pass ['inline' => true] to fetch the result at once without temporary collection usage.
623
	 * @param array $condition criteria for including a document in the aggregation.
624 625 626 627 628 629 630
	 * @param array $options additional optional parameters to the mapReduce command. Valid options include:
	 *  - sort - array - key to sort the input documents. The sort key must be in an existing index for this collection.
	 *  - limit - the maximum number of documents to return in the collection.
	 *  - finalize - function, which follows the reduce method and modifies the output.
	 *  - scope - array - specifies global variables that are accessible in the map, reduce and finalize functions.
	 *  - jsMode - boolean -Specifies whether to convert intermediate data into BSON format between the execution of the map and reduce functions.
	 *  - verbose - boolean - specifies whether to include the timing information in the result information.
631
	 * @return string|array the map reduce output collection name or output results.
632 633
	 * @throws Exception on failure.
	 */
634
	public function mapReduce($map, $reduce, $out, $condition = [], $options = [])
635
	{
Paul Klimov committed
636 637 638 639 640 641 642 643 644 645 646 647 648 649 650
		if (!($map instanceof \MongoCode)) {
			$map = new \MongoCode((string)$map);
		}
		if (!($reduce instanceof \MongoCode)) {
			$reduce = new \MongoCode((string)$reduce);
		}
		$command = [
			'mapReduce' => $this->getName(),
			'map' => $map,
			'reduce' => $reduce,
			'out' => $out
		];
		if (!empty($condition)) {
			$command['query'] = $this->buildCondition($condition);
		}
651 652 653 654 655 656 657 658
		if (array_key_exists('finalize', $options)) {
			if (!($options['finalize'] instanceof \MongoCode)) {
				$options['finalize'] = new \MongoCode((string)$options['finalize']);
			}
		}
		if (!empty($options)) {
			$command = array_merge($command, $options);
		}
Paul Klimov committed
659 660
		$token = $this->composeLogToken('mapReduce', [$map, $reduce, $out]);
		Yii::info($token, __METHOD__);
661 662
		try {
			Yii::beginProfile($token, __METHOD__);
Paul Klimov committed
663
			$command = array_merge(['mapReduce' => $this->getName()], $command);
664 665 666
			$result = $this->mongoCollection->db->command($command);
			$this->tryResultError($result);
			Yii::endProfile($token, __METHOD__);
667
			return array_key_exists('results', $result) ? $result['results'] : $result['result'];
668 669 670
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
671
		}
672 673
	}

674 675 676 677 678
	/**
	 * Performs full text search.
	 * @param string $search string of terms that MongoDB parses and uses to query the text index.
	 * @param array $condition criteria for filtering a results list.
	 * @param array $fields list of fields to be returned in result.
679 680 681
	 * @param array $options additional optional parameters to the mapReduce command. Valid options include:
	 *  - limit - the maximum number of documents to include in the response (by default 100).
	 *  - language - the language that determines the list of stop words for the search
682 683 684 685 686
	 * and the rules for the stemmer and tokenizer. If not specified, the search uses the default
	 * language of the index.
	 * @return array the highest scoring documents, in descending order by score.
	 * @throws Exception on failure.
	 */
AlexGx committed
687 688
	public function fullTextSearch($search, $condition = [], $fields = [], $options = [])
	{
689 690 691 692 693 694 695 696 697
		$command = [
			'search' => $search
		];
		if (!empty($condition)) {
			$command['filter'] = $this->buildCondition($condition);
		}
		if (!empty($fields)) {
			$command['project'] = $fields;
		}
698 699
		if (!empty($options)) {
			$command = array_merge($command, $options);
700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715
		}
		$token = $this->composeLogToken('text', $command);
		Yii::info($token, __METHOD__);
		try {
			Yii::beginProfile($token, __METHOD__);
			$command = array_merge(['text' => $this->getName()], $command);
			$result = $this->mongoCollection->db->command($command);
			$this->tryResultError($result);
			Yii::endProfile($token, __METHOD__);
			return $result['results'];
		} catch (\Exception $e) {
			Yii::endProfile($token, __METHOD__);
			throw new Exception($e->getMessage(), (int)$e->getCode(), $e);
		}
	}

Paul Klimov committed
716 717 718 719 720 721 722 723
	/**
	 * Checks if command execution result ended with an error.
	 * @param mixed $result raw command execution result.
	 * @throws Exception if an error occurred.
	 */
	protected function tryResultError($result)
	{
		if (is_array($result)) {
724 725 726 727 728 729 730 731 732 733 734 735 736 737
			if (!empty($result['errmsg'])) {
				$errorMessage = $result['errmsg'];
			} elseif (!empty($result['err'])) {
				$errorMessage = $result['err'];
			}
			if (isset($errorMessage)) {
				if (array_key_exists('code', $result)) {
					$errorCode = (int)$result['code'];
				} elseif (array_key_exists('ok', $result)) {
					$errorCode = (int)$result['ok'];
				} else {
					$errorCode = 0;
				}
				throw new Exception($errorMessage, $errorCode);
Paul Klimov committed
738 739 740 741 742
			}
		} elseif (!$result) {
			throw new Exception('Unknown error, use "w=1" option to enable error tracking');
		}
	}
743

744 745 746 747 748 749 750 751 752
	/**
	 * Throws an exception if there was an error on the last operation.
	 * @throws Exception if an error occurred.
	 */
	protected function tryLastError()
	{
		$this->tryResultError($this->getLastError());
	}

753
	/**
754
	 * Converts "\yii\db\*" quick condition keyword into actual Mongo condition keyword.
755 756 757 758 759 760
	 * @param string $key raw condition key.
	 * @return string actual key.
	 */
	protected function normalizeConditionKeyword($key)
	{
		static $map = [
761 762 763
			'OR' => '$or',
			'IN' => '$in',
			'NOT IN' => '$nin',
764
		];
765 766 767
		$matchKey = strtoupper($key);
		if (array_key_exists($matchKey, $map)) {
			return $map[$matchKey];
768 769 770 771 772 773
		} else {
			return $key;
		}
	}

	/**
774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793
	 * Converts given value into [[MongoId]] instance.
	 * If array given, each element of it will be processed.
	 * @param mixed $rawId raw id(s).
	 * @return array|\MongoId normalized id(s).
	 */
	protected function ensureMongoId($rawId)
	{
		if (is_array($rawId)) {
			$result = [];
			foreach ($rawId as $key => $value) {
				$result[$key] = $this->ensureMongoId($value);
			}
			return $result;
		} elseif (is_object($rawId)) {
			if ($rawId instanceof \MongoId) {
				return $rawId;
			} else {
				$rawId = (string)$rawId;
			}
		}
794 795 796 797 798 799 800
		try {
			$mongoId = new \MongoId($rawId);
		} catch (\MongoException $e) {
			// invalid id format
			$mongoId = $rawId;
		}
		return $mongoId;
801 802 803 804 805 806 807 808
	}

	/**
	 * Parses the condition specification and generates the corresponding Mongo condition.
	 * @param array $condition the condition specification. Please refer to [[Query::where()]]
	 * on how to specify a condition.
	 * @return array the generated Mongo condition
	 * @throws InvalidParamException if the condition is in bad format
809 810 811
	 */
	public function buildCondition($condition)
	{
812 813 814 815 816 817 818 819 820 821
		static $builders = [
			'AND' => 'buildAndCondition',
			'OR' => 'buildOrCondition',
			'BETWEEN' => 'buildBetweenCondition',
			'NOT BETWEEN' => 'buildBetweenCondition',
			'IN' => 'buildInCondition',
			'NOT IN' => 'buildInCondition',
			'LIKE' => 'buildLikeCondition',
		];

822 823
		if (!is_array($condition)) {
			throw new InvalidParamException('Condition should be an array.');
824 825
		} elseif (empty($condition)) {
			return [];
826
		}
827 828 829 830 831 832
		if (isset($condition[0])) { // operator format: operator, operand 1, operand 2, ...
			$operator = strtoupper($condition[0]);
			if (isset($builders[$operator])) {
				$method = $builders[$operator];
				array_shift($condition);
				return $this->$method($operator, $condition);
833
			} else {
834
				throw new InvalidParamException('Found unknown operator in query: ' . $operator);
835
			}
836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853
		} else {
			// hash format: 'column1' => 'value1', 'column2' => 'value2', ...
			return $this->buildHashCondition($condition);
		}
	}

	/**
	 * Creates a condition based on column-value pairs.
	 * @param array $condition the condition specification.
	 * @return array the generated Mongo condition.
	 */
	public function buildHashCondition($condition)
	{
		$result = [];
		foreach ($condition as $name => $value) {
			if (strncmp('$', $name, 1) === 0) {
				// Native Mongo condition:
				$result[$name] = $value;
854
			} else {
855 856 857 858 859
				if (is_array($value)) {
					if (array_key_exists(0, $value)) {
						// Quick IN condition:
						$result = array_merge($result, $this->buildInCondition('IN', [$name, $value]));
					} else {
860 861
						// Mongo complex condition:
						$result[$name] = $value;
862
					}
863
				} else {
864 865 866
					// Direct match:
					if ($name == '_id') {
						$value = $this->ensureMongoId($value);
867
					}
868
					$result[$name] = $value;
869
				}
870 871 872 873
			}
		}
		return $result;
	}
874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993

	/**
	 * Connects two or more conditions with the `AND` operator.
	 * @param string $operator the operator to use for connecting the given operands
	 * @param array $operands the Mongo conditions to connect.
	 * @return array the generated Mongo condition.
	 */
	public function buildAndCondition($operator, $operands)
	{
		$result = [];
		foreach ($operands as $operand) {
			$condition = $this->buildCondition($operand);
			$result = array_merge_recursive($result, $condition);
		}
		return $result;
	}

	/**
	 * Connects two or more conditions with the `OR` operator.
	 * @param string $operator the operator to use for connecting the given operands
	 * @param array $operands the Mongo conditions to connect.
	 * @return array the generated Mongo condition.
	 */
	public function buildOrCondition($operator, $operands)
	{
		$operator = $this->normalizeConditionKeyword($operator);
		$parts = [];
		foreach ($operands as $operand) {
			$parts[] = $this->buildCondition($operand);
		}
		return [$operator => $parts];
	}

	/**
	 * Creates an Mongo condition, which emulates the `BETWEEN` operator.
	 * @param string $operator the operator to use
	 * @param array $operands the first operand is the column name. The second and third operands
	 * describe the interval that column value should be in.
	 * @return array the generated Mongo condition.
	 * @throws InvalidParamException if wrong number of operands have been given.
	 */
	public function buildBetweenCondition($operator, $operands)
	{
		if (!isset($operands[0], $operands[1], $operands[2])) {
			throw new InvalidParamException("Operator '$operator' requires three operands.");
		}
		list($column, $value1, $value2) = $operands;
		if (strncmp('NOT', $operator, 3) === 0) {
			return [
				$column => [
					'$lt' => $value1,
					'$gt' => $value2,
				]
			];
		} else {
			return [
				$column => [
					'$gte' => $value1,
					'$lte' => $value2,
				]
			];
		}
	}

	/**
	 * Creates an Mongo condition with the `IN` operator.
	 * @param string $operator the operator to use (e.g. `IN` or `NOT IN`)
	 * @param array $operands the first operand is the column name. If it is an array
	 * a composite IN condition will be generated.
	 * The second operand is an array of values that column value should be among.
	 * @return array the generated Mongo condition.
	 * @throws InvalidParamException if wrong number of operands have been given.
	 */
	public function buildInCondition($operator, $operands)
	{
		if (!isset($operands[0], $operands[1])) {
			throw new InvalidParamException("Operator '$operator' requires two operands.");
		}

		list($column, $values) = $operands;

		$values = (array)$values;

		if (!is_array($column)) {
			$columns = [$column];
			$values = [$column => $values];
		} elseif (count($column) < 2) {
			$columns = $column;
			$values = [$column[0] => $values];
		} else {
			$columns = $column;
		}

		$operator = $this->normalizeConditionKeyword($operator);
		$result = [];
		foreach ($columns as $column) {
			if ($column == '_id') {
				$inValues = $this->ensureMongoId($values[$column]);
			} else {
				$inValues = $values[$column];
			}
			$result[$column][$operator] = $inValues;
		}
		return $result;
	}

	/**
	 * Creates a Mongo condition, which emulates the `LIKE` operator.
	 * @param string $operator the operator to use
	 * @param array $operands the first operand is the column name.
	 * The second operand is a single value that column value should be compared with.
	 * @return array the generated Mongo condition.
	 * @throws InvalidParamException if wrong number of operands have been given.
	 */
	public function buildLikeCondition($operator, $operands)
	{
		if (!isset($operands[0], $operands[1])) {
			throw new InvalidParamException("Operator '$operator' requires two operands.");
		}
		list($column, $value) = $operands;
994 995 996 997
		if (!($value instanceof \MongoRegex)) {
			$value = new \MongoRegex($value);
		}
		return [$column => $value];
998
	}
AlexGx committed
999
}