array_slice

(PHP 4, PHP 5, PHP 7)

array_sliceВыбирает срез массива

Описание

array array_slice ( array $array , int $offset [, int $length = NULL [, bool $preserve_keys = false ]] )

array_slice() возвращает последовательность элементов массива array, определённую параметрами offset и length.

Список параметров

array

Входной массив.

offset

Если параметр offset неотрицателен, последовательность начнётся на указанном расстоянии от начала array. Если offset отрицателен, последовательность начнётся на расстоянии указанном расстоянии от конца array.

length

Если в эту функцию передан положительный параметр length, последовательность будет включать количество элементов меньшее или равное length, length, length. Если количество элементов массива меньше чем параметр length, то только доступные элементы массива будут присутствовать. Если в эту функцию передан отрицательный параметр length, последовательность остановится на указанном расстоянии от конца массива. Если он опущен, последовательность будет содержать все элементы с offset до конца массива array.

preserve_keys

Обратите внимание, что по умолчанию array_slice() сбрасывает ключи массива. Вы можете переопределить это поведение, установив параметр preserve_keys в TRUE.

Возвращаемые значения

Возвращает срез.

Список изменений

Версия Описание
5.2.4 Значение по умолчанию для параметра length было изменено на NULL. Значение NULL для length теперь указывает функции использовать длину массива array. До этой версии NULL для length приравнивался к нулю (ничего не возвращалось).
5.0.2 Добавлен необязательный параметр preserve_keys.

Примеры

Пример #1 Пример использования array_slice()

<?php
$input 
= array("a""b""c""d""e");

$output array_slice($input2);      // возвращает "c", "d", и "e"
$output array_slice($input, -21);  // возвращает "d"
$output array_slice($input03);   // возвращает "a", "b", и "c"

// заметьте разницу в индексах массивов
print_r(array_slice($input2, -1));
print_r(array_slice($input2, -1true));
?>

Результат выполнения данного примера:

Array
(
    [0] => c
    [1] => d
)
Array
(
    [2] => c
    [3] => d
)

Смотрите также

  • array_splice() - Удаляет часть массива и заменяет её чем-нибудь ещё
  • unset() - Удаляет переменную
  • array_chunk() - Разбивает массив на части

Коментарии

remember that array_slice returns an array with the current element. you must use array_slice($array, $index+1) if you want to get the next elements.
2002-02-03 10:22:23
http://php5.kiev.ua/manual/ru/function.array-slice.html
Автор:
Sometimes you need to pick certain non-integer and/or non-sequential keys out of an array. Consider using the array_pick() implementation below to pull specific keys, in a specific order, out of a source array:

<?php

$a 
= array ('a' => 1'b' => 2'c' => 3'd' => 4);
$b array_pick($a, array ('d''b'));

// now:
// $a = array ('a' => 1, 'c' => '3');
// $b = array ('d' => 4, 'b' => '2');

function &array_pick(&$array$keys)
{
    if (! 
is_array($array)) {
       
trigger_error('First parameter must be an array'E_USER_ERROR);
        return 
false;
    }

    if (! (
is_array($keys) || is_scalar($keys))) {
       
trigger_error('Second parameter must be an array of keys or a scalar key'E_USER_ERROR);
        return 
false;
    }

    if (
is_array($keys)) {
       
// nothing to do
   
} else if (is_scalar($keys)) {
       
$keys = array ($keys);
    }

   
$resultArray = array ();
    foreach (
$keys as $key) {
        if (
is_scalar($key)) {
            if (
array_key_exists($key$array)) {
               
$resultArray[$key] = $array[$key];
                unset(
$array[$key]);
            }
        } else {
           
trigger_error('Supplied key is not scalar'E_USER_ERROR);
            return 
false;
        }
    }

    return 
$resultArray;
}

?>
2004-12-08 15:58:18
http://php5.kiev.ua/manual/ru/function.array-slice.html
<?php
   
// Combines two arrays by inserting one into the other at a given position then returns the result
   
function array_insert($src$dest$pos) {
        if (!
is_array($src) || !is_array($dest) || $pos <= 0) return FALSE;
        return 
array_merge(array_slice($dest0$pos), $srcarray_slice($dest$pos));
    }
?>
2005-09-06 12:53:48
http://php5.kiev.ua/manual/ru/function.array-slice.html
Array slice function that works with associative arrays (keys):

function array_slice_assoc($array,$keys) {
    return array_intersect_key($array,array_flip($keys));
}
2006-04-07 17:01:24
http://php5.kiev.ua/manual/ru/function.array-slice.html
Автор:
If you specify the fourth argument (to not reassign the keys), then there appears to be no way to get the function to return all values to the end of the array. Assigning -0 or NULL or just putting two commas in a row won't return any results.
2006-05-06 03:21:04
http://php5.kiev.ua/manual/ru/function.array-slice.html
/**
    * Remove a value from a array
    * @param string $val
    * @param array $arr
    * @return array $array_remval
    */
    function array_remval($val, &$arr)
    {
          $array_remval = $arr;
          for($x=0;$x<count($array_remval);$x++)
          {
              $i=array_search($val,$array_remval);
              if (is_numeric($i)) {
                  $array_temp  = array_slice($array_remval, 0, $i );
                $array_temp2 = array_slice($array_remval, $i+1, count($array_remval)-1 );
                $array_remval = array_merge($array_temp, $array_temp2);
              }
          }
          return $array_remval;
    }

$stack=Array('apple','banana','pear','apple', 'cherry', 'apple');
array_remval("apple", $stack);

//output: Array('banana','pear', 'cherry')
2007-03-01 15:43:29
http://php5.kiev.ua/manual/ru/function.array-slice.html
<?php
/**
 * @desc
 * Combines two arrays by inserting one into the other at a given position then
 * returns the result.
 *
 * @since   2007/10/04
 * @version v0.7 2007/10/04 18:47:52
 * @author  AexChecker <AexChecker@yahoo.com>
 * @param   array $source
 * @param   array $destination
 * @param   int [optional] $offset
 * @param   int [optional] $length
 * @return  array
 */
function array_insert($source$destination$offset NULL$length NULL) {
    if (!
is_array($source) || empty($source)) {
        if (
is_array($destination) && !empty($destination)) {
            return 
$destination;
        }
        return array();
    }
    if (
is_null($offset)) {
        return 
array_merge($destination$source);
    }
   
$offset var2int($offset);
    if (
is_null($length)) {
        if (
$offset === 0) {
            return 
array_merge($sourcearray_slice($destination1));
        }
        if (
$offset === -1) {
            return 
array_merge(array_slice($destination0, -1), $source);
        }
        return 
array_merge(
           
array_slice($destination0$offset),
           
$source,
           
array_slice($destination, ++$offset)
        );
    }
    if (
$offset === 0) {
        return 
array_merge($sourcearray_slice($destination$length));
    }
   
$destination_count count($destination);
   
$length var2int($length);
    if (
$offset 0) {
        if (
$destination_count $offset 1) {
            return 
array_merge($destination$source);
        }
    } else{
        if ((
$t $destination_count $offset) < 1) {
            return 
array_merge($source$destination);
        }
       
$offset $t;
    }
    if (
$length 0) {
       
$length+= $offset;
    } elseif (
$length && !($length * -$destination_count)) {
        return 
$source;
    } else {
       
$length $offset;
    }
    return 
array_merge(
       
array_slice($destination0$offset),
       
$source,
       
array_slice($destination$length)
    );
}
?>
2007-10-04 11:39:47
http://php5.kiev.ua/manual/ru/function.array-slice.html
array_slice can be used to remove elements from an array but it's pretty simple to use a custom function.

One day array_remove() might become part of PHP and will likely be a reserved function name, hence the unobvious choice for this function's names.

<?
function arem($array,$value){
   
$holding=array();
    foreach(
$array as $k => $v){
        if(
$value!=$v){
           
$holding[$k]=$v;
        }
    }   
    return 
$holding;
}

function 
akrem($array,$key){
   
$holding=array();
    foreach(
$array as $k => $v){
        if(
$key!=$k){
           
$holding[$k]=$v;
        }
    }   
    return 
$holding;
}

$lunch = array('sandwich' => 'cheese''cookie'=>'oatmeal','drink' => 'tea','fruit' => 'apple');
echo 
'<pre>';
print_r($lunch);
$lunch=arem($lunch,'apple');
print_r($lunch);
$lunch=akrem($lunch,'sandwich');
print_r($lunch);
echo 
'</pre>';
?>

(remove 9's in email)
2008-03-21 14:51:06
http://php5.kiev.ua/manual/ru/function.array-slice.html
based on worldclimb's arem(), here is a recursive array value removal tool that can work with multidimensional arrays.

function remove_from_array($array,$value){
    $clear = true;
    $holding=array();
   
    foreach($array as $k => $v){
        if (is_array($v)) {
            $holding [$k] = remove_from_array ($v, $value);
            }
        elseif ($value == $v) {
            $clear = false;
            }
        elseif($value != $v){
            $holding[$k]=$v; // removes an item by combing through the array in order and saving the good stuff
        }
    }   
    if ($clear) return $holding; // only pass back the holding array if we didn't find the value 
}
2008-05-03 00:21:06
http://php5.kiev.ua/manual/ru/function.array-slice.html
Using the varname function referenced from the array_search page, submitted by dcez at land dot ru. I created a multi-dimensional array splice function. It's usage is like so:

$array['admin'] = array('blah1', 'blah2');
$array['voice'] = array('blah3', 'blah4');
array_cut('blah4', $array);

...Would strip blah4 from the array, no matter where the position of it was in the array ^^ Returning this...

Array ( [admin] => Array ( [0] => blah1 [1] => blah2 ) [voice] => Array ( [0] => blah3 ) ) 

Here is the code...

<?php

 
function varname ($var)
  {
   
// varname function by dcez at land dot ru
   
return (isset($var)) ? array_search($var$GLOBALS) : false;
  }

  function 
array_cut($needle$haystack)
  {
    foreach (
$haystack as $k => $v)
    {
      for (
$i=0$i<count($v); $i++)
        if (
$v[$i] === $needle)
        {
          return 
array_splice($GLOBALS[varname($haystack)][$k], $i1);
          break; break;
        }
    }

?>

Check out dreamevilconcept's forum for more innovative creations!
2008-09-12 10:53:30
http://php5.kiev.ua/manual/ru/function.array-slice.html
Автор:
Note that offset is not the same thing as key. Offset always starts at 0, while keys might be any number.

So this:

<?php print_r(array_slice(array(=> 0=> 513 => 13),1)); ?>

will result in this:
Array
(
    [0] => 5
    [1] => 13
)
2008-11-14 04:11:37
http://php5.kiev.ua/manual/ru/function.array-slice.html
<?php
/**
 * Reorders an array by keys according to a list of values.
 * @param array $array the array to reorder. Passed by reference
 * @param array $list the list to reorder by
 * @param boolean $keepRest if set to FALSE, anything not in the $list array will be removed.
 * @param boolean $prepend if set to TRUE, will prepend the remaining values instead of appending them
 * @author xananax AT yelostudio DOT com
 */
function array_reorder(array &$array,array $list,$keepRest=TRUE,$prepend=FALSE,$preserveKeys=TRUE){
   
$temp = array();
    foreach(
$list as $i){
        if(isset(
$array[$i])){
           
$tempValue array_slice(
               
$array,
               
array_search($i,array_keys($array)),
               
1,
               
$preserveKeys
           
);
           
$temp[$i] = array_shift($tempValue);
            unset(
$array[$i]);
        }
    }
   
$array $keepRest ?
        (
$prepend
           
$array+$temp
           
:$temp+$array
       
)
        : 
$temp;
}

/** exemple ** /
$a = array(
    'a'    =>    'a',
    'b'    =>    'b',
    'c'    =>    'c',
    'd'    =>    'd',
    'e'    =>    'e'
);
$order = array('c','b','a');

array_reorder($a,$order,TRUE);
echo '<pre>';
print_r($a);
echo '</pre>';
/** exemple end **/
?>
2011-02-02 21:23:05
http://php5.kiev.ua/manual/ru/function.array-slice.html
Автор:
just a little tip.
to preserve keys without providing length: use NULL

array_slice($array, $my_offset, NULL, true);
2011-02-11 03:17:51
http://php5.kiev.ua/manual/ru/function.array-slice.html
<?php
// CHOP $num ELEMENTS OFF THE FRONT OF AN ARRAY
// RETURN THE CHOP, SHORTENING THE SUBJECT ARRAY
function array_chop(&$arr$num)
{
   
$ret array_slice($arr0$num);
   
$arr array_slice($arr$num);
    return 
$ret;
}
2013-06-06 17:44:46
http://php5.kiev.ua/manual/ru/function.array-slice.html
Автор:
To save the sort order of a numeric index in the array. Version php =>5.5.26
/*
Example
*/

$arr = array( "1" =>2, "2" =>3 , "3" =>5 );

print_r(array_slice($arr,1,null,true));

/*
Result

Array
(
[2] => 3
[3] => 5
)
*/
2015-08-12 12:32:04
http://php5.kiev.ua/manual/ru/function.array-slice.html
If you want an associative version of this you can do the following:

function array_slice_assoc($array,$keys) {
    return array_intersect_key($array,array_flip($keys));
}

However, if you want an inverse associative version of this, just use array_diff_key instead of array_intersect_key. 

function array_slice_assoc_inverse($array,$keys) {
    return array_diff_key($array,array_flip($keys));
}

Example:

$arr = [
    'name' => 'Nathan',
    'age' => 20,
    'height' => 6
];

array_slice_assoc($arr, ['name','age']);

will return 

Array (
     'name' = 'Nathan',
     'age' = 20
)

Where as

array_slice_assoc_inverse($arr, ['name']);

will return 

Array (
    'age' = 20,
    'height' = 6
)
2017-12-30 03:46:15
http://php5.kiev.ua/manual/ru/function.array-slice.html
Автор:
The documentation doesn't say it, but if LENGTH is ZERO, then the result is an empty array [].
2023-10-06 19:17:38
http://php5.kiev.ua/manual/ru/function.array-slice.html

    Поддержать сайт на родительском проекте КГБ