Durga
Durga

Reputation: 65

Storing values in a database via AJAX not working

I have this function which uses ajax, but this function doesn't work. I tried a lot, but I'm not able to figure out where the problem is. I am trying to create an alert, when the user inserts a duplicate entry into the database using a check-box selection.

<script>    
    function func(e,eid,emprid) {
       if(document.getElementById(e).checked){
          var dataString = 'eid=' + eid + '&emprid='+emprid;
          $.ajax({
             type:"POST",
             url: "mylistcheck.php",
             data: dataString,
             success: function(result){
                if(result!='0') {
                   modal.open({content: "<span style=\"color:red\" ><h2>You have already selected  candidate </h2></span>"});
                   document.getElementById(e).checked=false;
                }
             }
          });
       } 
    }
</script>

mylistcheck.php looks like this:

<?php require_once("includes/session.php"); ?>
<?php require_once("includes/connection.php"); ?>
<?php require_once("includes/functions.php"); ?>
<?php
    $eid=$_POST['eid'];
    $emprid=$_POST['emprid'];

    $sqlchecklist="SELECT * FROM selected_candidate WHERE eid='{$eid}' AND rid='{$emprid}' ";
    $checklistres=mysql_query($sqlchecklist);
    $list_check=mysql_num_rows($checklistres);
    echo "numrows listcheck".$list_check;
    if($list_check>0) {
        echo "1";
    } else {
        echo "0";
    }
?>

The check-box code is like this:

echo "<td><input id=\"select_candi{$i}\" onclick=\"javascript:func(this.id,{$data_set['eid']},{$emprid})\" type=\"checkbox\" name=\"check_candi[]\" value=\"{$data_set['eid']},{$emprid}\"/></td>"; 

Upvotes: 0

Views: 128

Answers (2)

Matanya
Matanya

Reputation: 6346

You are sending a POST request but the data is sent in GET form - i.e a string. You need to send it as an object instead:

$.ajax({
    type:"POST",
    url: "mylistcheck.php",
    data: {"eid":eid,
           "emprid":emprid}, // send an object
    success: function(result){
if(result!='0')
{
modal.open({content: "<span style=\"color:red\" ><h2>You have already selected  candidate </h2></span>"});
document.getElementById(e).checked=false;
}
}
});

Upvotes: 0

Hugo Delsing
Hugo Delsing

Reputation: 14163

In your code you have

echo "eid".$eid;
$emprid=$_POST['emprid'];
echo "rid".$emprid;

Since you are already echoing the result your ajax functie will never be just '0'. Its always something like eid{value}rid{value}0 or eid{value}rid{value}1

Also switch to mysqli or pdo for security reasons. Also check the values of $eid and $rid to match what you expect. Your code is vulnerable for SQL injection.

In your script code you have onclick="javascript:func(...)". onclick is already a javascript function, so you dont need the javascript:

Upvotes: 1

Related Questions