Как вставить массив в MySQL, когда varchar должен быть вставлен

Смотрите изображение здесь У меня есть форма, которая собирает информацию о: год (ИНТ), Номер дела(VARCHAR) и время получено (VARCHAR). Так как год число, я установил ИНТ в MySQL номер дела и полученное время имеют как цифры, так и буквы, поэтому я установил VARCHAR в MYSQL. Я использовал массив, потому что я вставляю много записей. Я использую mysql_real_escape_string () для массива. Но это не сработало. Как я могу передать массив, который имеет буквы, символы и цифры для вставки в MySQL? Спасибо.

//Output any connection error
if ($mysqli->connect_error) {
die('Error : ('. $mysqli->connect_errno .') '. $mysqli->connect_error);
}
if (isset($_REQUEST['submit']) && isset($_REQUEST['year']) ) {
foreach ($_REQUEST['year'] as $k=> $value ){ // loop through array

$year     = $_REQUEST['year'];
$c_no        = mysql_real_escape_string($_REQUEST['cs']);
$t_r        = mysql_real_escape_string($_REQUEST['t_r']);$mysqli->query("INSERT INTO firearms_id_secs (year, case_no, t_received) VALUES
($year[$k], $c_no[$k], $t_r[$k])");
}
}
?>

Это HTML

<!DOCTYPE html>
<html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<title>Add more fields using jQuery</title>
<script src="jquery.js"></script>
<script type="text/javascript">
$(document).ready(function(){
var maxField = 10; //Input fields increment limitation
var addButton = $('.add_button'); //Add button selector
var wrapper = $('.field_wrapper'); //Input field wrapper
var fieldHTML = '<div><input type="text" name="year[]" value="" placeholder="Year"/><input type="text" name="cs[]" value="" placeholder="Case no"/><input type="text" name="t_r[]" value="" placeholder="Time Received"/><a href="javascript:void(0);" class="remove_button" title="Remove field"><img src="remove-icon.png"/></a></div>'; //New input field html
var x = 1; //Initial field counter is 1
$(addButton).click(function(){ //Once add button is clicked
if(x < maxField){ //Check maximum number of input fields
x++; //Increment field counter
$(wrapper).append(fieldHTML); // Add field html
}
});
$(wrapper).on('click', '.remove_button', function(e){ //Once remove button is clicked
e.preventDefault();
$(this).parent('div').remove(); //Remove field html
x--; //Decrement field counter
});
});
</script>
<style type="text/css">
input[type="text"]{height:20px; vertical-align:top;}
.field_wrapper div{ margin-bottom:10px;}
.add_button{ margin-top:10px; margin-left:10px;vertical-align: text-bottom;}
.remove_button{ margin-top:10px; margin-left:10px;vertical-align: text-    bottom;}
</style>
</head>
<body>
<form name="codexworld_frm" action="" method="post">
<div class="field_wrapper">
<div>

<a href="javascript:void(0);" class="add_button" title="Add field"><img     src="add-icon.png"/></a>
</div>
</div>
<input type="submit" name="submit" value="SUBMIT"/>
</form>
</body>
</html>

3

Решение

Когда форма отправлена, _POST (или _REQUEST) будет выглядеть так

array (
'year' =>
array (
0 => '2001',
1 => '2010',
),
'cs' =>
array (
0 => '1',
1 => '2',
),
't_r' =>
array (
0 => '12:00:00',
1 => '13:00:00',
),
'submit' => 'SUBMIT',
)

Было бы лучше, если бы это выглядело как

array(
'records' = array(
0=>array('year'=>'2001', 'cs'=>'1', 't_r'=>'12:00:00'),
0=>array('year'=>'2010', 'cs'=>'2', 't_r'=>'13:00:00'),
),
)

Это потребовало бы изменения кода JavaScript (и я слишком ленив для этого прямо сейчас … поэтому я использую SPL MultipleIterator «симулировать» этот формат данных)

if ( isset($_POST['submit']) ) {
// add tests for is_array() POST[year], POST[cs] and POST[t_r]

// this will make mysqli throw an exception whenever an operation results in an
// (mysql) error code other than 0 -> no further error handling included in this script....
mysqli_report(MYSQLI_REPORT_ALL|MYSQLI_REPORT_STRICT);
$mysqli = new mysqli('localhost', 'localonly', 'localonly', 'test');

// create a prepared statement and bind the parameters, see http://docs.php.net/mysqli.quickstart.prepared-statements
$stmt = $mysqli->prepare('INSERT INTO firearms_id_secs (year, case_no, t_received) VALUES (?,?,?)');
if ( !$stmt->bind_param('sss', $year, $caseno, $time) ) { // binding all parameters as strings ...let mysql's type system handle it...
yourErrorHandlerHere(); // or throw an exception....
}
// when ever the statement is executed, the current values (at _that_ moment) in $year, $caseno and $time will be used where the ? are in the statement

// this wouldn't be necessary if the POST body looked like record[1][year]=2001&....
$mit = new MultipleIterator;
$mit->attachIterator( new ArrayIterator($_POST['year']) );
$mit->attachIterator( new ArrayIterator($_POST['cs']) );
$mit->attachIterator( new ArrayIterator($_POST['t_r']) );

foreach( $mit as $record ) {
echo 'executing statement with [', join(',', $record), "]<br/>\r\n";
// assign the values to the bound parameters
list($year,$caseno,$time) = $record;
// and then execute the statement (with those values)

/*
you might want to wrap this in a try-catch block, so a single faulty record will not throw off your entire script.
You might also want to look into transactions (in case a single faulty record is supposed to roll back the entire operation)
see http://docs.php.net/language.exceptions , http://dev.mysql.com/doc/refman/5.7/en/commit.html
*/
$stmt->execute();
}
}

редактировать:
a) Чтобы разрешить значения NULL, вы должны заменить пустые строки на NULL в параметрах

...
// replace empty strings by NULL
$record = array_map(
function($e) {
return 0<strlen(trim($e)) ? $e : NULL;
},
$record
);

// assign the values to the bound parameters
list($year,$caseno,$time) = $record;
...

б) Я не знаю, зачем и где вам понадобится ключ итератора в этом сценарии, но ….

<?php
$data=array(
'maj'=>new ArrayIterator(array('A','B','C')),
'min'=>new ArrayIterator(array('a','b','c')),
'foo'=>new ArrayIterator(array('do'=>'re', 'mi'=>'fa', 'so'=>'la', 'ti')),
);

$mit = new MultipleIterator(MultipleIterator::MIT_NEED_ANY|MultipleIterator::MIT_KEYS_ASSOC);
$mit->attachIterator( $data['maj'], 'majuscule' );
$mit->attachIterator( $data['min'], 'minuscule' );
$mit->attachIterator( $data['foo'], 'lalala' );

foreach( $mit as $r ) {
var_export($r);
}

печать

array (
'majuscule' => 'A',
'minuscule' => 'a',
'lalala' => 're',
)array (
'majuscule' => 'B',
'minuscule' => 'b',
'lalala' => 'fa',
)array (
'majuscule' => 'C',
'minuscule' => 'c',
'lalala' => 'la',
)array (
'majuscule' => NULL,
'minuscule' => NULL,
'lalala' => 'ti',
)
1

Другие решения

Убедитесь, что это строка

$c_no        = mysql_real_escape_string("$_REQUEST['cs']");
$t_r        = mysql_real_escape_string("$_REQUEST['t_r']");

или же

$c_no        = mysql_real_escape_string( strval($_REQUEST['cs']) );
$t_r        = mysql_real_escape_string( strval($_REQUEST['t_r']) );

Попробуй поставить '' к varchar ценности

$mysqli->query("INSERT INTO firearms_id_secs (year, case_no, t_received)
VALUES ($year[$k], '$c_no[$k]', '$t_r[$k]')");
1

Я помогу тебе через декодирование часть запроса, остальная часть уже ответила ранее @rmondesilva (поместив цитату в VARCHAR).

$year_param = $_REQUEST['year'];
$case_param = $_REQUEST['cs'];
$time_param = $_REQUEST['t_r'];

if (isset($_REQUEST['submit']) && isset($_REQUEST['year']) ) {

foreach ($_REQUEST['year'] as $k=> $value ){ // loop through array

$year     = $year_param[$k];
$c_no        = mysql_real_escape_string($case_param [$k]);
$t_r        = mysql_real_escape_string($time_param [$k]);$mysqli->query("INSERT INTO firearms_id_secs (year, case_no, t_received) VALUES
($year, '$c_no', '$t_r')");
}

рассмотреть возможность использования PDO для вашего проекта, хотя

1
По вопросам рекламы [email protected]