There were several minor things wrong, using your URL substring I got it working, see below:
$row_Num = 1;
$i = 0;
while ($i <= $row_Num) {
// In the $_REQUEST you were indexing the curly braces, remove them.
${"date_" . $i} = $_REQUEST["date_$i"];
${"text_" . $i} = $_REQUEST["text_$i"];
${"con_name_" . $i} = $_REQUEST["con_name_$i"];
${"con_phone_" . $i} = $_REQUEST["con_phone_$i"];
$values = array(
${"date_" . $i},
${"text_" . $i},
${"con_name_" . $i},
${"con_phone_" . $i}
);
// Not printr() And this is how I print arrays, it is cleaner.
echo '<pre>', print_r($values, true), '</pre>';
$i++;
}
Outputs:
Array
(
[0] => 000000
[1] => QWERTY
[2] => iuytre
[3] => 0000000000
)
Array
(
[0] => 111111
[1] => ASDFGHJK
[2] => lkjhgfd
[3] => 1212121212
)
Edit
I am still not clear how you are setting $row_Num
.
$_SESSION['row_Num'] = $_REQUEST["row_Num"];
This doesn't tell me anything since the $_REQUEST
string you are showing doesn't contain "row_Num". So since your query requires DATE
I made a foreach
loop to count how many times DATE
appears. Try the following code and let me know.
$i = 0;
$count = 0;
// I added this line to take care of how many times the loop runs
foreach ($_REQUEST as $key => $value) { (strstr($key, 'date')) ? $count++ : NULL; }
// Changed '<=' to '<' because it would loop 3 times since we start $i at 0.
// $i needs to remain at 0 since your URL substring indexing starts at 0.
while ($i < $count) {
${'date_' . $i} = $_REQUEST["date_$i"];
${'text_' . $i} = $_REQUEST["text_$i"];
${'con_name_' . $i} = $_REQUEST["con_name_$i"];
${'con_phone_' . $i} = $_REQUEST["con_phone_$i"];
$values = array(
${"date_" . $i},
${"text_" . $i},
${"con_name_" . $i},
${"con_phone_" . $i}
);
### Echo for troubleshooting ###
echo '<pre>', print_r($values, true), '</pre>';
$sql = "INSERT INTO `data`.`".$datetoday."` (`KEY`,`DATE`,`COLOR`,`TEXT`,`CON_NAME`,`PHONE`) VALUES
(
'".$i."',
'".$values[0]."',
'FFFFFF',
'".$values[1]."',
'".$values[2]."',
'".$values[3]."'
)";
### Echo for troubleshooting ###
echo '<pre>', $sql, '</pre>';
$result = mysql_query($sql, $link) or die ('Could not insert values: '.mysql_error());
$i++;
}
Output:
Array
(
[0] => 000000
[1] => QWERTY
[2] => iuytre
[3] => 0000000000
)
INSERT INTO `data`.`280313` (`KEY`,`DATE`,`COLOR`,`TEXT`,`CON_NAME`,`PHONE`) VALUES
(
'0',
'000000',
'FFFFFF',
'QWERTY',
'iuytre',
'0000000000'
)
Array
(
[0] => 111111
[1] => ASDFGHJK
[2] => lkjhgfd
[3] => 1212121212
)
INSERT INTO `data`.`280313` (`KEY`,`DATE`,`COLOR`,`TEXT`,`CON_NAME`,`PHONE`) VALUES
(
'1',
'111111',
'FFFFFF',
'ASDFGHJK',
'lkjhgfd',
'1212121212'
)
$row_Num
is greater than or equal to '1'? In other words are you certain you are getting in thewhile
loop? – Asok Mar 27 at 15:19