Reputation: 3
I made a simple HTML form with [post] method, and with an external action php page. The problem I face is that every time I press the submit button, an empty row gets inserted in database instead of my input data.
This is my index page :
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<title>Webediah Add new hosting customer</title>
<style type="text/css">
.auto-style1 {
text-align: left;
}
.auto-style2 {
text-align: center;
}
</style>
</head>
<body>
<form id="form1" name="form1" method="post" action="add.php">
<p> </p>
<h1 class="auto-style2"><strong>New Hosting Customer </strong></h1>
<p> </p>
<table width="43%" border="0" align="center">
<tr>
<td width="36%" scope="row" class="auto-style1">Customer name :</td>
<td width="64%"><label for="cname"></label>
<input type="text" name="cname" id="cname" style="width: 233px" /></td>
</tr>
<tr>
<td scope="row" class="auto-style1">Customer Domain :</td>
<td><label for="cdomain"></label>
<input type="text" name="cdomain" id="cdomain" style="width: 234px" /></td>
</tr>
<tr>
<td scope="row" class="auto-style1">Host start on :</td>
<td><label for="hstart"></label>
<input type="text" name="sdate" id="hstart" style="width: 236px" /></td>
</tr>
<tr>
<td scope="row" class="auto-style1">Host ends on :</td>
<td><label for="hends"></label>
<input type="text" name="edate" id="hends" style="width: 236px" /></td>
</tr>
<tr>
<td scope="row" class="auto-style1">Customer Email :</td>
<td><label for="cemail"></label>
<input type="text" name="cemail" id="cemail" style="width: 237px" /></td>
</tr>
<tr>
<th scope="row"> </th>
<td> </td>
</tr>
<tr>
<th scope="row"><input type="submit" name="Submit" id="Submit" value="Submit" /></th>
<td> </td>
</tr>
</table>
<p> </p>
</form>
</body>
</html>
And this is my external action php page:
<?php $con = mysqli_connect("localhost","root","111","awamah");
if (mysqli_connect_errno())
echo " error in mysql connection" . mysqli_connect_errno();
$sql = "INSERT INTO `customer` (`cname`,`cdomain`,`sdate`,`edate`,`cemail`) VALUES ('$_post[cname]','$_post[cdomain]','$_post[sdate]','$_post[edate]','$_post[cemail]')";
if(!mysqli_query($con,$sql))
{
die('Error: ' . mysqli_error($con));
}
echo "1 record added";
?>
Upvotes: 0
Views: 100
Reputation: 74217
$_POST
is a superglobal and must be in uppercase.
You have $_post
in your VALUES query, change them all to $_POST
which is the main explanation.
These are also superglobals:
To learn more about superglobals, visit the PHP.net Website:
Warning
Your present code is open to SQL injection. Use prepared statements, or PDO
Upvotes: 2