7

我现在在一个文件共享网站上工作,我遇到了一个小问题。我正在使用上传脚本uploadify,它工作得很好,但如果用户想要我希望上传的文件被加密。现在我有如下所示的工作代码,但我的服务器只有 1GB 或内存,使用 stream_copy_to_stream 似乎占用了内存中实际文件的大小,我的最大上传大小为 256,所以我知道一个事实是坏的当网站上线并且多人同时上传大文件时,就会发生这种情况。根据我下面的代码,是否有任何替代方案几乎不使用内存或根本没有,我什至不在乎它是否需要更长的时间,我只需要它来工作。我有这个工作的下载版本,因为我将文件直接解密并立即传递给浏览器,因此它在下载时解密,虽然我非常有效,但这个上传问题看起来不太好。任何帮助表示赞赏。

$temp_file = $_FILES['Filedata']['tmp_name'];
    $ext = pathinfo($_FILES['Filedata']['name'], PATHINFO_EXTENSION);
    $new_file_name = md5(uniqid(rand(), true));
    $target_file = rtrim(enc_target_path, '/') . '/' . $new_file_name . '.enc.' . $ext;

    $iv_size = mcrypt_get_iv_size(MCRYPT_RIJNDAEL_128, MCRYPT_MODE_CBC);
    $iv = mcrypt_create_iv($iv_size, MCRYPT_RAND);
    $key = substr(md5('some_salt' . $password, true) . md5($password . 'more_salt', true), 0, 24);
    $opts = array('iv' => $iv, 'key' => $key);

    $my_file = fopen($temp_file, 'rb');

    $encrypted_file_name = $target_file;
    $encrypted_file = fopen($encrypted_file_name, 'wb');

    stream_filter_append($encrypted_file, 'mcrypt.rijndael_128', STREAM_FILTER_WRITE, $opts);
    stream_copy_to_stream($my_file, $encrypted_file);

    fclose($encrypted_file);
    fclose($my_file);
    unlink($temp_file);

temp_file 是我可以看到的上传文件的第一个实例

4

1 回答 1

6

如果您尝试像这样以块的形式读取文件,您会得到更好的结果吗?:

$my_file = fopen($temp_file, 'rb');

$encrypted_file_name = $target_file;
$encrypted_file = fopen($encrypted_file_name, 'wb');

stream_filter_append($encrypted_file, 'mcrypt.rijndael_128', STREAM_FILTER_WRITE, $opts);
//stream_copy_to_stream($my_file, $encrypted_file);

rewind($my_file);

while (!feof($my_file)) {
    fwrite($encrypted_file, fread($my_file, 4096));
}

您也可以尝试在调用stream_set_chunk_size之前调用stream_copy_to_stream以设置它在复制到目标时用于从源流中读取的缓冲区的大小。

希望有帮助。

编辑:我使用此代码进行了测试,上传 700MB 电影文件时,PHP 的峰值内存使用量为 524,288 字节。看起来stream_copy_to_stream会尝试将整个源文件读入内存,除非您通过长度和偏移量参数以块的形式读取它。

$encrypted_file_name = $target_file;
$encrypted_file = fopen($encrypted_file_name, 'wb');

stream_filter_append($encrypted_file, 'mcrypt.rijndael_128', STREAM_FILTER_WRITE, $opts);

$size = 16777216;  // buffer size of copy
$pos  = 0;         // initial file position

fseek($my_file, 0, SEEK_END);
$length = ftell($my_file);    // get file size

while ($pos < $length) {
    $writ = stream_copy_to_stream($my_file, $encrypted_file, $size, $pos);
    $pos += $writ;
}

fclose($encrypted_file);
fclose($my_file);
unlink($temp_file);
于 2012-07-27T00:09:36.980 回答