slice array value at location php code example

Example 1: php array slice

// array_slice($array, $offset, $length)

$array = array(1,2,3,4,5,6);

// positive $offset: an offset from the begining of array  
print_r(array_slice($array, 2)); // [3,4,5,6]

// negative $offset: an offset from the end of array
print_r(array_slice($array, -2)); // [5,6]

// positive $length: the slicing will stop $length elements
// from offset
print_r(array_slice($array, 2, 3)); // [3,4,5]

// negative $length: the slicing will stop $length elements
// from the end of array
print_r(array_slice($array, 2, -3)); // [3]

Example 2: slice array php

array_slice() function is used to get selected part of an array.
Syntax:
array_slice(array, start, length, preserve)
*preserve = false (default)
If we put preserve=true then the key of value are same as original array.

Example (without preserve):
<?php
$a=array("red","green","blue","yellow","brown");
print_r(array_slice($a,1,2));
?>

Output:
Array ( [0] => green [1] => blue )
  
Example (with preserve):
<?php
$a=array("red","green","blue","yellow","brown");
print_r(array_slice($a,1,2,true));
?>

Output:
Array ( [1] => green [2] => blue )

Tags:

Php Example