7

I am trying to send a JavaScript array to a PHP file via POST.

JS:

var songlist = ['song1', 'song2', 'song3'];

var sendData = function(){
    var data = songList.join(',')
    $.post('test.php', {data: data}).always(function() {
        window.location = 'test.php';
    });
}
sendData();

test.php:

<?php
$songData = $_POST['data'];
$songData = explode(',', $songData); 
print_r(array_values($songData));
?>

when sendData(); directs me to test.php I get:

Notice: Undefined index: data

Why doesn't the data variable have any value when I try to print or use it?

B. Desai
  • 16,414
  • 5
  • 26
  • 47
Damien Stewart
  • 143
  • 1
  • 1
  • 10
  • I am not sure, but try use $_POST->data. Maybe this is object, becouse you send it to your script like object, no array – kalit Apr 23 '17 at 10:48

2 Answers2

8

That's not how POST request works. Read more about Ajax, but for now, that's how you should do it.

var songlist = ['song1', 'song2', 'song3'];

var sendData = function() {
  $.post('test.php', {
    data: songlist
  }, function(response) {
    console.log(response);
  });
}
sendData();
// test.php
<?php
$songData = $_POST['data'];
print_r($songData);
?>
Oen44
  • 3,156
  • 1
  • 22
  • 31
5

1) $.post('url') - Ajax request is done by $.post() method and you have given "testing.php" as url which is invalid.

2) window.location = 'test.php' - This is used for redirecting to specific page and you have redirected to 'test.php' without any parameter/data. Thats why its showing "Notice: Undefined index: data"

3) Try to understand how ajax works. Follow it -

var songlist = ['song1', 'song2', 'song3'];

var sendData = function() {
  $.post('test.php', {
    data: songlist
  }, function(response) {
    console.log(response);
  });
}
sendData();
// test.php
<?php
if(isset($_POST)){
    if(isset($_POST['data'])){
    $songData = $_POST['data'];
    print_r($songData);
}}
?>
AGM Tazim
  • 2,213
  • 3
  • 16
  • 25
  • 1
    Thanks, the response in console is working, but how do I see if it printed to test.php without the page redirecting me to it? – Damien Stewart Apr 23 '17 at 11:09
  • 1
    You are welcome. If you want to print the value to test.php , then you dont need to use ajax. Just redirect with - var data = songList.join(','); window.location = "test.php?data="+data; And use explode() function on your php script to get back array from string. – AGM Tazim Apr 23 '17 at 11:32