для всех, кто задумывается об этом: это почти наверняка не стоит хлопот.это возможно, конечно, но вы почти наверняка захотите использовать трюк tmpfile () вместо этого, например, если у вас есть переменная с именем $file_content
, которую вы хотите загрузить как файл, но у вас нет файла,сделайте
<?php
$file_content = "the content of the *file* i want to upload, which does not exist on disk";
$file_name = "example.bin";
$tmph = tmpfile(); // will create a file in the appropriate temp folder when an unique filename
fwrite($tmph, $file_content);
$tmpf = stream_get_meta_data($tmph)['uri'];
$ch = curl_init('http://target_url/');
curl_setopt_array($ch, array(
CURLOPT_POST => 1,
CURLOPT_POSTFIELDS => array(
'file' => new CURLFile($tmpf, 'application/octet-stream', $file_name)
)
));
curl_exec($ch);
fclose($tmph); // thanks to tmpfile() magic, the file is automatically deleted when fclosed()'d
unset($tmph, $tmpf); // unset() is not needed, but this is the end of the tmpfile()-trick.
.. и, если повезет, пока загрузка будет быстрой и мы не будем вызывать fflush ($ tmph); файл в любом случае может никогда не коснуться реального диска,будет просто создан в кэше ввода-вывода, запланирован для последующей записи на диск, а затем удален (из кэша ввода-вывода) - также этот код защищен сборщиком мусора PHP, если в коде есть необработанное исключение / ошибка, которая останавливает выполнение,Сборщик мусора в PHP удалит этот файл для нас ..
Однако, вот как на самом деле загрузить файл в формате Multipart/form-data
, не создавая и не создавая файл на диске, создав Multipart/form-data
-запрос с пользовательским кодом PHP:
пример использования:
<?php
// normal php-way:
$ch = curl_init();
curl_setopt_array($ch, array(
CURLOPT_URL=>'https://example.com/',
CURLOPT_POST => 1,
CURLOPT_POSTFIELDS => array(
'sample_variable' => 'anything',
'file' => new CURLFile("path/to/file.txt")
)
));
curl_exec($ch);
curl_close($ch);
// shitty_multipart-way:
$post_data = array();
$tmp = new shitty_multipart_variable();
$tmp->post_name = 'sample_variable';
$tmp->content = 'anything';
$post_data[] = $tmp;
$tmp = new shitty_multipart_file();
$tmp->post_name = 'file';
$tmp->post_file_name = "file.ext";
$tmp->content = 'contents of file.ext';
$post_data[] = $tmp;
$content_type_header="";
$post_body=shitty_multipart_form_data_generator($post_data,$content_type_header);
$ch = curl_init();
curl_setopt_array($ch, array(
CURLOPT_URL=>'https://example.com/',
CURLOPT_POST => 1,
CURLOPT_POSTFIELDS => $post_body,
CURLOPT_HTTPHEADER=>array(
$content_type_header
)
));
curl_exec($ch);
curl_close($ch);
реализация:
class shitty_multipart_file
{
public $post_name = "";
public $file_name = "";
public $content_type = "application/octet-stream";
public $content = "";
public $additional_headers = [];
}
class shitty_multipart_variable
{
public $post_name = "";
public $content = "";
public $additional_headers = [];
}
function shitty_multipart_form_data_generator(array $postfields, string &$out_content_type_header): string
{
// Content-Type: multipart/form-data; boundary=------------------------7b5b9abe8c56fd67
// same boundary format as used by curl
$boundary = "------------------------" . strtolower(bin2hex(random_bytes(8)));
$out_content_type_header = 'Content-Type: multipart/form-data; boundary=' . $boundary;
$body = "";
foreach ($postfields as $unused => $post) {
$body .= $boundary . "\r\n";
if (is_a($post, 'shitty_multipart_variable')) {
$body .= "Content-Disposition: form-data; name=\"{$post->post_name}\"\r\n";
foreach ($post->additional_headers as $header) {
$body .= $header . "\r\n";
}
$body .= "\r\n";
$body .= $post->content . "\r\n";
} elseif (is_a($post, 'shitty_multipart_file')) {
$body .= "Content-Disposition: form-data; name=\"{$post->post_name}\"; filename=\"{$post->file_name}\"\r\n";
$body .= "Content-Type: " . $post->content_type . "\r\n";
foreach ($post->additional_headers as $header) {
$body .= $header . "\r\n";
}
$body .= "\r\n";
$body .= $post->content . "\r\n";
} else {
throw new \InvalidArgumentException("postfields key {$unused} is not an instance of shitty_multipart_variable NOR an instance of shitty_multipart_file!");
}
}
$body .= $boundary . "--\r\n";
return $body;
}