Save stream to file php

stream_get_contents

Похожа на функцию file_get_contents() , за исключением того, что stream_get_contents() работает с уже открытым ресурсом потока и возвращает оставшуюся часть содержимого в строку размером до length байт и начиная с указанного смещения offset .

Список параметров

Ресурс потока (например, полученный при помощи функции fopen() )

Максимальное количество байт для чтения. По умолчанию null (прочитать весь оставшийся буфер).

Перейти к указанному смещению перед чтением. Если это число отрицательное, то переход не произойдёт и чтение начнётся с текущей позиции.

Возвращаемые значения

Возвращает строку или false в случае возникновения ошибки.

Список изменений

Примеры

Пример #1 Пример использования stream_get_contents()

if ( $stream = fopen ( ‘http://www.example.com’ , ‘r’ )) // вывести всю страницу начиная со смещения 10
echo stream_get_contents ( $stream , — 1 , 10 );

if ( $stream = fopen ( ‘http://www.example.net’ , ‘r’ )) // вывести первые 5 байт
echo stream_get_contents ( $stream , 5 );

Примечания

Замечание: Эта функция безопасна для обработки данных в двоичной форме.

Замечание:

При указании значения параметра length , отличного от null , эта функция немедленно выделит внутренний буфер такого размера, даже если фактическое содержимое будет значительно короче.

Смотрите также

  • fgets() — Читает строку из файла
  • fread() — Бинарно-безопасное чтение файла
  • fpassthru() — Выводит все оставшиеся данные из файлового указателя

User Contributed Notes 5 notes

It is important to know that stream_get_contents behaves differently with different versions of PHP. Consider the following

$handle = fopen ( ‘file’ , ‘w+’ ); // truncate + attempt to create
fwrite ( $handle , ‘12345’ ); // file position > 0
rewind ( $handle ); // position = 0
$content = stream_get_contents ( $handle ); // file position = 0 in PHP 5.1.6, file position > 0 in PHP 5.2.17!
fwrite ( $handle , ‘6789’ );
fclose ( $handle );

/**
*
* ‘file’ content
*
* PHP 5.1.6:
* 67895
*
* PHP 5.2.17:
* 123456789
*
*/
?>

As a result, stream_get_contents() affects file position in 5.1, and do not affect file position in 5.2 or better.

In that case when stream_get_contents/fread/fgets or other stream reading functions block indefinitely your script because they don’t reached the limit of bytes to read use the socket_get_meta_data function to figure out the number of the bytes to read. It returns an array that contains a key named ‘unread_bytes’ and then pass that number to your favourite stream reading functions second parameter to read from the stream.

Maybe a good workaround to use the stream_select function, and set the socket to non-blocking mode with the use of stream_set_blocking($stream, 0). In this case the socket reading functions work properly.

When omitting the parameter $maxlength, any received bytes are stacked up until the underlying stream is not readable anymore, the the function returns that stack in one piece.

/*
* problem: stream_get_contents blocks / is very slow.
* I have tried
* 1: stream_set_blocking, doesn’t make a difference.
* 2: stream_get_meta_data[‘unread_bytes’] = ITS BUGGED, ALWAYS SAYS 0.
* 3: feof(): ALSO EFFING BLOCKING
* 4: my_stream_get_contents hack. kinda working! 😀
*/
function my_stream_get_contents ($handle, $timeout_seconds = 0.5)
$ret = «»;
// feof ALSO BLOCKS:
// while(!feof($handle))
while (true) $starttime = microtime(true);
$new = stream_get_contents($handle, 1);
$endtime = microtime(true);
if (is_string($new) && strlen($new) >= 1) $ret .= $new;
>
$time_used = $endtime — $starttime;
// var_dump(‘time_used:’,$time_used);
if (($time_used >= $timeout_seconds) || ! is_string($new) ||
(is_string($new) && strlen($new) < 1)) break;
>
>
return $ret;
>

  • Функции для работы с потоками
    • stream_​bucket_​append
    • stream_​bucket_​make_​writeable
    • stream_​bucket_​new
    • stream_​bucket_​prepend
    • stream_​context_​create
    • stream_​context_​get_​default
    • stream_​context_​get_​options
    • stream_​context_​get_​params
    • stream_​context_​set_​default
    • stream_​context_​set_​option
    • stream_​context_​set_​params
    • stream_​copy_​to_​stream
    • stream_​filter_​append
    • stream_​filter_​prepend
    • stream_​filter_​register
    • stream_​filter_​remove
    • stream_​get_​contents
    • stream_​get_​filters
    • stream_​get_​line
    • stream_​get_​meta_​data
    • stream_​get_​transports
    • stream_​get_​wrappers
    • stream_​is_​local
    • stream_​isatty
    • stream_​notification_​callback
    • stream_​register_​wrapper
    • stream_​resolve_​include_​path
    • stream_​select
    • stream_​set_​blocking
    • stream_​set_​chunk_​size
    • stream_​set_​read_​buffer
    • stream_​set_​timeout
    • stream_​set_​write_​buffer
    • stream_​socket_​accept
    • stream_​socket_​client
    • stream_​socket_​enable_​crypto
    • stream_​socket_​get_​name
    • stream_​socket_​pair
    • stream_​socket_​recvfrom
    • stream_​socket_​sendto
    • stream_​socket_​server
    • stream_​socket_​shutdown
    • stream_​supports_​lock
    • stream_​wrapper_​register
    • stream_​wrapper_​restore
    • stream_​wrapper_​unregister

    Источник

    PHP write to file — How to write to a text file using PHP

    Posted on Jul 28, 2022

    • Use the file_put_contents() function
    • Use the fopen() , fwrite() , and fclose() functions

    This tutorial will help you learn how to use both methods to write data to a file in PHP.

    Let’s start with using the file_put_contents() function

    PHP write to file with file_put_contents()

    The file_put_contents() function is a built-in PHP function used for writing data to a file.

    The syntax of the function is as follows:

    The $filename and $data parameters are required while $flags and $context are optional.

    The function returns the int number of bytes written to the file. When the write operation fails, it returns false or falsy numbers.

    The code example below shows how to write a text to the example.txt file:

     The code above will produce the following result:

    PHP write to file with file_put_contents

    The file_put_contents() function will look for the file you passed as the $filename parameter.

    When the file isn’t found, PHP will create the file. It will then write the data you passed as its $data parameter.

    Once the write operation is finished, the function will automatically close the file from access.

    • FILE_USE_INCLUDE_PATH — Search for the file in the include path, which is set from the PHP configuration
    • FILE_APPEND — Append data to an existing file instead of overwriting it
    • LOCK_EX — Lock the file while you access it so others can’t edit

    The flags can be joined with the binary OR operator ( | ) as follows:

     By default, file_put_contents() will overwrite the file data on write.

    The FILE_APPEND flag will cause the function to append the data instead of overwriting it.

    The $context flag is used to add a stream context for the operation. It’s can be useful when you’re writing to a remote file using an FTP connection.

    And that’s how you use the file_put_contents() function to write data to a file in PHP.

    Using fopen(), fwrite(), fclose() functions

    The PHP fopen() , fwrite() , and fclose() functions are used to write data to a file.

    Under the hood, these functions are similar to calling the file_put_contents() function, only in three separate steps:

    Step #1 — Open the file using fopen()

    • The $filename for the file name
    • The $mode to specify the access mode to the file. Pass w for write and a for append

    The code example below will cause PHP to look for the test.txt file:

    The function returns a resource stream that you can use to write data into.

    Step #2 — Write to the file using fwrite() and close it with fclose()

    The fwrite() function is used to write to a file in PHP.

    Here’s an example of writing to the stream:

       When your text has multiple lines, you can add the \n symbol to create a line break in your text.

    Although PHP will close the file before exiting, you should close it manually using the fclose() function.

    Closing a file using fclose() is considered good practice to avoid corrupting a file.

    You can also crash the server when you open many files without closing them.

    Conclusion

    Now you’ve learned how to write data to a file in PHP.

    You can use either file_put_contents() or the combination of fopen() , fwrite() , and fclose() depending on your requirements.

    Thanks for reading! May this tutorial be useful for you 🙏

    Take your skills to the next level ⚡️

    I’m sending out an occasional email with the latest tutorials on programming, web development, and statistics. Drop your email in the box below and I’ll send new stuff straight into your inbox!

    About

    Hello! This website is dedicated to help you learn tech and data science skills with its step-by-step, beginner-friendly tutorials.
    Learn statistics, JavaScript and other programming languages using clear examples written for people.

    Type the keyword below and hit enter

    Tags

    Click to see all tutorials tagged with:

    Источник

    Recording a Live Streaming in PHP to a File

    The user wants to resize images to a maximum size of 640×480 before uploading them using a fileupload control. However, they are unsure of what steps to take next. Three possible solutions were proposed by different individuals. The first solution suggests using a method to resize the images. The second solution proposes dumping the images to a file. The third solution implies that the image resizing has already been done and suggests using the System.

    Php Recording a Live streaming to a file

    I possess a code for live streaming and I use it to display my webcam on the local host.

    My aim is to capture the ongoing live streaming and store it in a file called save.mp4, as mentioned in my code. Despite using fwrite, the program only runs the webcam and fails to record anything to the specified file. It seems that fwrite is not suitable for my purpose. Thus, I require assistance in this aspect. Can you suggest an alternative solution?

    My original intention was to use fwrite($save,$response); instead of of fwrite($save,$stream); , as it proved to be effective in achieving the desired outcome.

    Php Recording a Live streaming to a file, What I need to do is record this live streaming simultaneously to a file here i stated save.mp4 in my code.I tried to do that with fwrite but when i run the program with this code i could see my webcam running but it could not record anything to save.mp4.I dont think fwrite is a suitable function for my purpose.I …

    Save stream to file

    I possess a fileupload control which empowers users to upload images; however, to ensure the quality of images, I intend to resize them to a maximum of 640×480 pixels. Nevertheless, I am currently stuck and cannot figure out the next steps. Here’s what I have so far:

    // CALL THE FUNCTION THAT WILL RESIZE THE IMAGE protected void btnUploadFile_Click(object sender, EventArgs e) < Stream imgStream = ir.ResizeFromStream(640, fupItemImage.PostedFile.InputStream); // What to do next? >// THE FUNCTION THAT WILL RESIZE IMAGE THEN RETURN AS MEMORY STREAM public MemoryStream ResizeFromStream(int MaxSideSize, Stream Buffer) < int intNewWidth; int intNewHeight; System.Drawing.Image imgInput = System.Drawing.Image.FromStream(Buffer); // GET IMAGE FORMAT ImageFormat fmtImageFormat = imgInput.RawFormat; // GET ORIGINAL WIDTH AND HEIGHT int intOldWidth = imgInput.Width; int intOldHeight = imgInput.Height; // IS LANDSCAPE OR PORTRAIT ?? int intMaxSide; if (intOldWidth >= intOldHeight) < intMaxSide = intOldWidth; >else < intMaxSide = intOldHeight; >if (intMaxSide > MaxSideSize) < // SET NEW WIDTH AND HEIGHT double dblCoef = MaxSideSize / (double)intMaxSide; intNewWidth = Convert.ToInt32(dblCoef * intOldWidth); intNewHeight = Convert.ToInt32(dblCoef * intOldHeight); >else < intNewWidth = intOldWidth; intNewHeight = intOldHeight; >// CREATE NEW BITMAP Bitmap bmpResized = new Bitmap(imgInput, intNewWidth, intNewHeight); // SAVE BITMAP TO STREAM MemoryStream imgMStream = new MemoryStream(); bmpResized.Save(imgMStream, imgInput.RawFormat); // RELEASE RESOURCES imgInput.Dispose(); bmpResized.Dispose(); Buffer.Close(); return imgMStream; > 
    int length = 256; int bytesRead = 0; Byte[] buffer = new Byte[length]; using (FileStream fs = new FileStream(filename, FileMode.Create)) < do < bytesRead = imgStream.Read(buffer, 0, length); fs.Write(buffer, 0, bytesRead); >while (bytesRead == length); > 

    Saving data to a file would appear as follows:

    using (FileStream fsOut = new FileStream("my\\file\\path.img", FileMode.Create)) using (MemoryStream msImg = new MemoryStream(ir.ResizeFromStream(640 . )) )

    After taking a quick glance, you can save the resized image to a file using the System.IO namespace File Class. Simply write out the bytes from the Memory Stream to the File object you create. If you require a code example, please let me know.

    FileStream fs=new FileStream("filename",FileMode.Create); ir.ResizeFromStream(640, fupItemImage.PostedFile.InputStream).WriteTo(fs); fs.Close(); 

    Net — Save stream to file, I only took a quick glance, but if you have already performed the image re size successfully then all you need to do is use the System.IO name space File Class to save the Memory Stream to a file by writing out the bytes from the Memory Stream to the File object you create. If you need a code example let me …

    Php save file to disk

    php save array to file

    $arr1 = array ('a'=>1,'b'=>2,'c'=>3,'d'=>4,'e'=>5); file_put_contents("array.json",json_encode($arr1)); # array.json => $arr2 = json_decode(file_get_contents('array.json'), true); $arr1 === $arr2 # => true

    Download — Streaming a large file using PHP, Streaming a large file using PHP. I have a 200MB file that I want to give to a user via download. However, since we want the user to only download this file once, we are doing this: to force a download. However, this means that the whole file has to be loaded in memory, which usually doesn’t work. How can we …Code sampledefine(‘CHUNK_SIZE’, 1024*1024);function readfile_chunked($filename, $retbytes = TRUE)

    Источник

    Читайте также:  Готовый сервер css v92
Оцените статью