Open In App

How to pass a PHP array to a JavaScript function?

Passing PHP Arrays to JavaScript is very easy by using JavaScript Object Notation(JSON).

Method 1: Using json_encode() function: The json_encode() function is used to return the JSON representation of a value or array. The function can take both single dimensional and multidimensional arrays.



Steps:

Example:






<?php
     
// Create an array
$sampleArray = array(
    0 => "Geeks", 
    1 => "for", 
    2 => "Geeks", 
)
?>
   
<script>
  
// Access the array elements
var passedArray = 
    <?php echo json_encode($sampleArray); ?>;
       
// Display the array elements
for(var i = 0; i < passedArray.length; i++){
    document.write(passedArray[i]);
}
</script>

Output:

GeeksforGeeks

Method 2: Using PHP implode() function: The implode() is used to join the elements of an array. The implode() function is the alias of join() function and works exactly same as that of join() function.
The implode() function is used to build a string that becomes an array literal in JavaScript. So, if we have an array in PHP, we can pass it to JavaScript as follows:

var passedArray = <?php echo '["' . implode('", "', $sampleArray) . '"]' ?>;

Example:




<?php
  
// Creating a PHP Array
$sampleArray = array('Car', 'Bike', 'Boat');
  
?>
  
<script type="text/javascript">
   
// Using PHP implode() function
var passedArray = 
    <?php echo '["' . implode('", "', $sampleArray) . '"]' ?>;
   
// Printing the passed array elements
document.write(passedArray);
   
</script>

Output:

Car, Bike, Boat

PHP is a server-side scripting language designed specifically for web development. You can learn PHP from the ground up by following this PHP Tutorial and PHP Examples.


Article Tags :