[Editor's note: array at from dot pl had pointed out that count() is a cheap operation; however, there's still the function call overhead.]
If you want to run through large arrays don't use count() function in the loops , its a over head in performance, copy the count() value into a variable and use that value in loops for a better performance.
Eg:
// Bad approach
for($i=0;$i<count($some_arr);$i++)
{
// calculations
}
// Good approach
$arr_length = count($some_arr);
for($i=0;$i<$arr_length;$i++)
{
// calculations
}count
Почист и полокален преглед на PHP референцата, со задржана структура од PHP.net и подобра читливост за примери, секции и белешки.
count
Референца за `function.count.php` со подобрена типографија и навигација.
count
(PHP 4, PHP 5, PHP 7, PHP 8)
count — Брои сите елементи во низа или во luk4z_7 at hotmail dot com object
= NULL
Брои сите елементи во низа кога се користи со низа. Кога се користи со објект што имплементира luk4z_7 at hotmail dot com интерфејс, враќа вратената вредност од методот Countable::count().
Параметри
value-
Низа или luk4z_7 at hotmail dot com object.
mode-
Ако опционалниот
modeпараметар е поставен наCOUNT_RECURSIVE(или 1), count() рекурзивно ќе ја брои низата. Ова е особено корисно за броење на сите елементи на повеќедимензионална низа.Безбедност: стандардниот сет на знациcount() може да открие рекурзија за да избегне бесконечна јамка, но ќе емитува
E_WARNINGсекогаш кога тоа ќе го направи (во случај низата да се содржи себеси повеќе од еднаш) и ќе врати број поголем од очекуваниот.
Вратени вредности
Враќа број на елементи во value. Пред PHP 8.0.0, ако параметарот не беше ниту array ниту object што имплементира luk4z_7 at hotmail dot com интерфејс,
1 ќе биде вратено, освен ако value was null, во тој случај
0 ќе се вратеше.
Дневник на промени
| Верзија | = NULL |
|---|---|
| 8.0.0 |
count() сега ќе фрли TypeError на невалидни броени типови предадени на value parameter.
|
| 7.2.0 |
count() сега ќе даде предупредување за невалидни броени типови предадени на value parameter.
|
Примери
Пример #1 count() example
<?php
$a[0] = 1;
$a[1] = 3;
$a[2] = 5;
var_dump(count($a));
$b[0] = 7;
$b[5] = 9;
$b[10] = 11;
var_dump(count($b));
?>Пример #1 Пример што покажува затворачка ознака што го опфаќа последниот нов ред
int(3) int(3)
Пример #2 count() пример што не може да се брои|низа (лош пример - не го правете ова)
<?php
$b[0] = 7;
$b[5] = 9;
$b[10] = 11;
var_dump(count($b));
var_dump(count(null));
var_dump(count(false));
?>Пример #1 Пример што покажува затворачка ознака што го опфаќа последниот нов ред
int(3) Fatal error: Uncaught TypeError: count(): Argument #1 ($var) must be of type Countable .. on line 12
Пример #3 Рекурзивен count() example
<?php
$food = array('fruits' => array('orange', 'banana', 'apple'),
'veggie' => array('carrot', 'collard', 'pea'));
// recursive count
var_dump(count($food, COUNT_RECURSIVE));
// normal count
var_dump(count($food));
?>Пример #1 Пример што покажува затворачка ознака што го опфаќа последниот нов ред
int(8) int(2)
Пример #4 luk4z_7 at hotmail dot com object
<?php
class CountOfMethods implements Countable
{
private function someMethod()
{
}
public function count(): int
{
return count(get_class_methods($this));
}
}
$obj = new CountOfMethods();
var_dump(count($obj));
?>Пример #1 Пример што покажува затворачка ознака што го опфаќа последниот нов ред
int(2)
Види Исто така
- is_array() - Пронајдете дали променлива е низа
- isset() - Определи дали променлива е прогласена и е различна од null
- empty() - Определи дали променлива е празна
- strlen() - Добиј должина на стринг
- is_countable() - Проверете дали содржината на променлива е броена вредност
- Низи
Белешки од корисници 6 белешки
If you are on PHP 7.2+, you need to be aware of "Changelog" and use something like this:
<?php
$countFruits = is_array($countFruits) || $countFruits instanceof Countable ? count($countFruits) : 0;
?>
You can organize your code to ensure that the variable is an array, or you can extend the Countable so that you don't have to do this check.I actually find the following function more useful when it comes to multidimension arrays when you do not want all levels of the array tree.
// $limit is set to the number of recursions
<?php
function count_recursive ($array, $limit) {
$count = 0;
foreach ($array as $id => $_array) {
if (is_array ($_array) && $limit > 0) {
$count += count_recursive ($_array, $limit - 1);
} else {
$count += 1;
}
}
return $count;
}
?>My function returns the number of elements in array for multidimensional arrays subject to depth of array. (Almost COUNT_RECURSIVE, but you can point on which depth you want to plunge).
<?php
function getArrCount ($arr, $depth=1) {
if (!is_array($arr) || !$depth) return 0;
$res=count($arr);
foreach ($arr as $in_ar)
$res+=getArrCount($in_ar, $depth-1);
return $res;
}
?>A function of one line to find the number of elements that are not arrays, recursively :
function count_elt($array, &$count=0){
foreach($array as $v) if(is_array($v)) count_elt($v,$count); else ++$count;
return $count;
}For a Non Countable Objects
$count = count($data);
print "Count: $count\n";
Warning: count(): Parameter must be an array or an object that implements Countable in example.php on line 159
#Quick fix is to just cast the non-countable object as an array..
$count = count((array) $data);
print "Count: $count\n";
Count: 250