1

如果我有一个循环从我的表单中请求我的数据:

for ($i=0;$i < count($_POST['checkbx']);$i++) {
    // calculate the file from the checkbx
    $filename = $_POST['checkbx'][$i];
    $clearfilename = substr($filename, strrpos ($filename, "/") + 1);
    echo "'".$filename."',";       
}

如何将其添加到下面的示例数组中?:

$files = array(
  'files.extension',
  'files.extension', 
);
4

6 回答 6

5

更小:

$files = array();
foreach($_POST['checkbx'] as $file)
{
    $files[] = basename($file);
}

如果您不确定它是否$_POST['checkbx']存在并且是一个数组,您应该这样做:

$files = array();
if (is_array(@$_POST['checkbx']))
{
    foreach($_POST['checkbx'] as $file)
    {
        $files[] = basename($file);
    }
}
于 2009-02-16T23:14:55.430 回答
2

请记住,您还需要在 HTML 中为这些复选框命名,并在其名称后加上“[]”。例如:

<input type="checkbox" name="checkbx[]"  ...etc... >

然后,您将能够访问它们:

<?php

// This will loop through all the checkbox values
for ($i = 0; $i < count($_POST['checkbx']); $i++) {
   // Do something here with $_POST['checkbx'][$i]
}

?>
于 2009-02-16T23:13:11.097 回答
1

您可以使用 array_push 函数:

<?php
$stack = array("orange", "banana");
array_push($stack, "apple", "raspberry");
print_r($stack);
?>

会给 :

Array
(
    [0] => orange
    [1] => banana
    [2] => apple
    [3] => raspberry
)

只需使用 array_push 为每个文件填充数组。

于 2009-02-17T00:10:05.907 回答
1
$files[] =$filename;

或者

array_push($files, $filename);
于 2009-02-16T23:11:10.760 回答
0

大概是这样的:

for ($i=0;$i < count($_POST['checkbx']);$i++) {
// calculate the file from the checkbx
$filename = $_POST['checkbx'][$i];
$clearfilename = substr($filename, strrpos ($filename, "/") + 1);

$files[] = $filename; // of $clearfilename if that's what you wanting the in the array  
}
于 2009-02-16T23:11:04.613 回答
0

我不完全确定要添加到该数组中的内容,但这是使用 php 将数据“推送”到数组中的一般方法:

<?php
$array[] = $var;
?>

例如你可以这样做:

for ($i=0;$i < count($_POST['checkbx']);$i++)
{
   // calculate the file from the checkbx
   $filename = $_POST['checkbx'][$i];
   $clearfilename = substr($filename, strrpos ($filename, "/") + 1);

   echo "'".$filename."',";       
   $files[] = $filename;
}
于 2009-02-16T23:13:17.040 回答