php array in code example

Example 1: in_array php

<?php
$os = array("Apple", "Banana", "Lemon");
if (in_array("Apple", $os)) {
    echo "Yeah. Exist Apple";
}
if (!in_array("Buleberry", $os)) {
    echo "Oh, Don't Exist Blueberry!!!";
}
?>

Example 2: php array has value

$myArr = [38, 18, 10, 7, "15"];

echo in_array(10, $myArr); // TRUE
echo in_array(19, $myArr); // TRUE

// Without strict check
echo in_array("18", $myArr); // TRUE
// With strict check
echo in_array("18", $myArr, true); // FALSE

Example 3: in_array

<?php
  $os = array("Mac", "NT", "Irix", "Linux");
  if (in_array("Irix", $os)) {
      echo "Got Irix";
  }
  if (in_array("mac", $os)) {
      echo "Got mac";
  }
?>

Example 4: php value in array

in_array ( mixed $needle , array $haystack , bool $strict = false ) : bool

Example 5: in_array in php

in_array ( mixed $needle , array $haystack [, bool $strict = FALSE ] ) : bool
  
// Without strict check
echo in_array("18", $myArr); // TRUE
// With strict check
echo in_array("18", $myArr, true); // FALSE

Example 6: php arrays

#Arrays

<?php
    #array is a variable that holds multiple values
    /*
    Three types of arrays
        - Indexed
        - associative
        - Multi-dimensional
    */
    // Indexed array is the most common and easiest
    $people = array('Kevin', 'Jeremy ', 'Sara');
    $ids = array(23, 55, 12);
    $cars = ['Honda', ' Toyota', 'Ford'];  // also an array
    //add to an array
    $cars[3] = ' Audi';
    // you can use empty brackets and it will be added to the last one
    $cars[] = ' Chevy';

    echo $people[1];
    echo $ids[1];
    echo $cars[1];    
    echo $cars[3];
    echo $cars[4];
    echo count($cars);
    //you can also print the entire array
    print_r($cars);
    //to look at data type
    echo var_dump($cars);

    //Associative Arrays key pairs
    $people1 = array('Kevin' => 35, 'Jeremy' => 23, 'Sara' => 19);
    $ids1 = array(23 => 'Kevin', 55 => 'Jeremy', 12 => 'Sara');
    echo $people1['Kevin'];
    echo $ids1[23];
    //add to these types of arrays
    $people1['Jill'] = 44;
    echo $people1['Jill'];
    print_r($people1);
    var_dump($people1);

    //Multi-Dimensional Arrays aka an array within an array
 
    $cars2 = array(
        array('Honda',20,10),
        array('Toyota',30,20),
        array('Ford',23,12)
    );

    echo $cars2[1][0];

    
?>

Tags: