我正在为一个单独的系统下载日志文件,该系统需要SFTP才能查看日志。我能够在服务器上查看可用的日志文件并下载它们。我的问题是,下载似乎停止在2K,在大多数情况下,它只是日志文件的前10行。这些文件应包含数千行,因为它们是对系统所做更改的每日日志。
我在两个单独的文件中完成了这个操作,一个文件将所有文件加载到用户可以选择可用日志文件的页面上,然后单击链接以在浏览器中查看内容:
$ftp_server = "IP of Server";
$ftp_user_name = "USERNAME";
$ftp_user_pass = "PASSWORD";
$connection = ssh2_connect($ftp_server, 22);
ssh2_auth_password($connection,$ftp_user_name, $ftp_user_pass);
$sftp = ssh2_sftp($connection);
$dh = opendir("ssh2.sftp://$sftp//EMSftp/audit_files/");
while (($file = readdir($dh)) !== false) {
if ($file != '.' && $file != '..'){
if (strpos($file,"2017-04")){
echo '/EMSftp/audit_files/'.$file.' | <a href="open_file_curl.php?file='.$file.'" target="_blank">curl</a>
| <a href="open_file.php?file='.$file.'" target="_blank">view</a><br>';
}
}
}
closedir($dh);
我尝试使用sftp和ssh2以两种不同的方式下载文件:
$file = $_GET['file'];
$local_file = "/var/www/uploads/logs/$file";
if (!file_exists($local_file)){
$connection = ssh2_connect($ftp_server, 22);
ssh2_auth_password($connection,$ftp_user_name, $ftp_user_pass);
$sftp = ssh2_sftp($connection);
$stream = @fopen("ssh2.sftp://$sftp//EMSftp/audit_files/$file", 'r');
if (! $stream)
throw new Exception("Could not open file: $remote_file");
$contents = fread($stream, filesize("ssh2.sftp://$sftp//EMSftp/audit_files/$file"));
file_put_contents ($local_file, $contents);
@fclose($stream);
}
echo '<pre>';
echo file_get_contents($local_file);
echo '</pre>';
并且还尝试使用curl来实现这一点。这只会创建一个空白文件。不知道这里缺少什么。无法将文件内容添加到文件中。
$file = $_GET['file'];
$local_file = "/var/www/uploads/logs/$file";
fopen($local_file, 'w+');
chmod($local_file, 0777);
$remote = "sftp://$ftp_user_name:$ftp_user_pass@$ftp_server//EMSftp/audit_files/$file";
$curl = curl_init();
curl_setopt($curl, CURLOPT_URL, $remote);
curl_setopt($curl, CURLOPT_PROTOCOLS, CURLPROTO_SFTP);
curl_setopt($curl, CURLOPT_USERPWD, "$ftp_user_name:$ftp_user_pass");
curl_setopt($curl, CURLOPT_RETURNTRANSFER, 1);
$somecontent = curl_exec($curl);
if (is_writable($local_file)) {
if (!$handle = fopen($local_file, 'a')) {
echo "Cannot open file ($local_file)";
exit;
}
if (fwrite($handle, $somecontent) === FALSE) {
echo "Cannot write to file ($local_file)";
exit;
}
echo "Success, wrote ($somecontent) to file ($local_file)";
fclose($handle);
} else {
echo "The file $local_file is not writable";
}
curl_close($curl);
不确定我遗失的地方。想知道我忽略了与这个程序有关的时间。有什么帮助吗?
答案 0 :(得分:1)
这是错误的:
$contents = fread($stream, filesize("ssh2.sftp://$sftp//EMSftp/audit_files/$file"));
它不保证您将读取整个文件。
作为documented:
fread()
读取最多length
字节
如果日志大小合理,请使用简单的file_get_contents
:
$contents = file_get_contents("ssh2.sftp://$sftp//EMSftp/audit_files/$file");
如果没有,请在循环中以块的形式读取文件:
$stream = @fopen("ssh2.sftp://$sftp//EMSftp/audit_files/$file", 'r');
while (!feof($stream))
{
$chunk = fread($stream, 8192);
// write/append chunk to a local file
}
@fclose($stream);