File info function in php

PHP File handling Getting file information

The is_dir function returns whether the argument is a directory, while is_file returns whether the argument is a file. Use file_exists to check if it is either.

$dir = "/this/is/a/directory"; $file = "/this/is/a/file.txt"; echo is_dir($dir) ? "$dir is a directory" : "$dir is not a directory", PHP_EOL, is_file($dir) ? "$dir is a file" : "$dir is not a file", PHP_EOL, file_exists($dir) ? "$dir exists" : "$dir doesn't exist", PHP_EOL, is_dir($file) ? "$file is a directory" : "$file is not a directory", PHP_EOL, is_file($file) ? "$file is a file" : "$file is not a file", PHP_EOL, file_exists($file) ? "$file exists" : "$file doesn't exist", PHP_EOL; 
/this/is/a/directory is a directory /this/is/a/directory is not a file /this/is/a/directory exists /this/is/a/file.txt is not a directory /this/is/a/file.txt is a file /this/is/a/file.txt exists 

Checking file type

Use filetype to check the type of a file, which may be:

Passing the filename to the filetype directly:

Note that filetype returns false and triggers an E_WARNING if the file doesn’t exist.

Checking readability and writability

Passing the filename to the is_writable and is_readable functions check whether the file is writable or readable respectively.

The functions return false gracefully if the file does not exist.

Checking file access/modify time

Using filemtime and fileatime returns the timestamp of the last modification or access of the file. The return value is a Unix timestamp — see Working with Dates and Time for details.

echo "File was last modified on " . date("Y-m-d", filemtime("file.txt")); echo "File was last accessed on " . date("Y-m-d", fileatime("file.txt")); 

Get path parts with fileinfo

$fileToAnalyze = ('/var/www/image.png'); $filePathParts = pathinfo($fileToAnalyze); echo '
'; print_r($filePathParts); echo '

';

Array ( [dirname] => /var/www [basename] => image.png [extension] => png [filename] => image ) 
$filePathParts['dirname'] $filePathParts['basename'] $filePathParts['extension'] $filePathParts['filename'] 
  • If an option (the second parameter) is not passed, an associative array is returned otherwise a string is returned.
  • Does not validate that the file exists.
  • Simply parses the string into parts. No validation is done on the file (no mime-type checking, etc.)
  • The extension is simply the last extension of $path The path for the file image.jpg.png would be .png even if it technically a .jpg file. A file without an extension will not return an extension element in the array.

pdf

PDF — Download PHP for free

Источник

finfo::file

This function is used to get information about a file.

Parameters

Name of a file to be checked.

One or disjunction of more Fileinfo constants.

For a description of contexts , refer to Stream Functions.

Return Values

Returns a textual description of the contents of the filename argument, or false if an error occurred.

Changelog

Version Description
8.1.0 The finfo parameter expects an finfo instance now; previously, a resource was expected.
8.0.0 context is nullable now.

Examples

Example #1 A finfo_file() example

$finfo = finfo_open ( FILEINFO_MIME_TYPE ); // return mime type ala mimetype extension
foreach ( glob ( «*» ) as $filename ) echo finfo_file ( $finfo , $filename ) . «\n» ;
>
finfo_close ( $finfo );
?>

The above example will output something similar to:

text/html image/gif application/vnd.ms-excel

See Also

User Contributed Notes 13 notes

Tempting as it may seem to use finfo_file() to validate uploaded image files (Check whether a supposed imagefile really contains an image), the results cannot be trusted. It’s not that hard to wrap harmful executable code in a file identified as a GIF for instance.

A better & safer option is to check the result of:

if (!$img = @imagecreatefromgif($uploadedfilename)) trigger_error(‘Not a GIF image!’,E_USER_WARNING);
// do necessary stuff
>

The way HOWTO get MIME-type of remote file.

class MimeStreamWrapper
const WRAPPER_NAME = ‘mime’ ;
public $context ;
private static $isRegistered = false ;
private $callBackFunction ;
private $eof = false ;
private $fp ;
private $path ;
private $fileStat ;
private function getStat ()
if ( $fStat = fstat ( $this -> fp )) return $fStat ;
>

$size = 100 ;
if ( $headers = get_headers ( $this -> path , true )) $head = array_change_key_case ( $headers , CASE_LOWER );
$size = (int) $head [ ‘content-length’ ];
>
$blocks = ceil ( $size / 512 );
return array(
‘dev’ => 16777220 ,
‘ino’ => 15764 ,
‘mode’ => 33188 ,
‘nlink’ => 1 ,
‘uid’ => 10000 ,
‘gid’ => 80 ,
‘rdev’ => 0 ,
‘size’ => $size ,
‘atime’ => 0 ,
‘mtime’ => 0 ,
‘ctime’ => 0 ,
‘blksize’ => 4096 ,
‘blocks’ => $blocks ,
);
>
public function setPath ( $path )
$this -> path = $path ;
$this -> fp = fopen ( $this -> path , ‘rb’ ) or die( ‘Cannot open file: ‘ . $this -> path );
$this -> fileStat = $this -> getStat ();
>
public function read ( $count ) return fread ( $this -> fp , $count );
>
public function getStreamPath ()
return str_replace (array( ‘ftp://’ , ‘http://’ , ‘https://’ ), self :: WRAPPER_NAME . ‘://’ , $this -> path );
>
public function getContext ()
if (! self :: $isRegistered ) stream_wrapper_register ( self :: WRAPPER_NAME , get_class ());
self :: $isRegistered = true ;
>
return stream_context_create (
array(
self :: WRAPPER_NAME => array(
‘cb’ => array( $this , ‘read’ ),
‘fileStat’ => $this -> fileStat ,
)
)
);
>
public function stream_open ( $path , $mode , $options , & $opened_path )
if (! preg_match ( ‘/^r[bt]?$/’ , $mode ) || ! $this -> context ) return false ;
>
$opt = stream_context_get_options ( $this -> context );
if (! is_array ( $opt [ self :: WRAPPER_NAME ]) ||
!isset( $opt [ self :: WRAPPER_NAME ][ ‘cb’ ]) ||
! is_callable ( $opt [ self :: WRAPPER_NAME ][ ‘cb’ ])
) return false ;
>
$this -> callBackFunction = $opt [ self :: WRAPPER_NAME ][ ‘cb’ ];
$this -> fileStat = $opt [ self :: WRAPPER_NAME ][ ‘fileStat’ ];

return true ;
>
public function stream_read ( $count )
if ( $this -> eof || ! $count ) return » ;
>
if (( $s = call_user_func ( $this -> callBackFunction , $count )) == » ) $this -> eof = true ;
>
return $s ;
>
public function stream_eof ()
return $this -> eof ;
>
public function stream_stat ()
return $this -> fileStat ;
>
public function stream_cast ( $castAs )
$read = null ;
$write = null ;
$except = null ;
return @ stream_select ( $read , $write , $except , $castAs );
>
>
$path = ‘http://fc04.deviantart.net/fs71/f/2010/227/4/6/PNG_Test_by_Destron23.png’ ;
echo «File: » , $path , «\n» ;
$wrapper = new MimeStreamWrapper ();
$wrapper -> setPath ( $path );

$fInfo = new finfo ( FILEINFO_MIME );
echo «MIME-type: » , $fInfo -> file ( $wrapper -> getStreamPath (), FILEINFO_MIME_TYPE , $wrapper -> getContext ()), «\n» ;
?>

Just noting (because I ran into it!) that the current implementation of finfo_file has a known bug which causes PHP to allocate huge amounts of memory when certain strings are present in text files that it is examining.

Well, i have a great probleam with that, MS Office 2007 extensions (pptx, xlsx, docx) do not have a default Mime type, they have «application/zip» mime type, so, to fix that, i do one little function to verify the extension.
That function allow’s you to be safe of fake extensions hack.

$arrayZips = array( «application/zip» , «application/x-zip» , «application/x-zip-compressed» );

$arrayExtensions = array( «.pptx» , «.docx» , «.dotx» , «.xlsx» );

$original_extension = ( false === $pos = strrpos ( $file , ‘.’ )) ? » : substr ( $file , $pos );

$finfo = new finfo ( FILEINFO_MIME );

Источник

pathinfo

pathinfo() возвращает информацию о path в виде ассоциативного массива или строки, в зависимости от flags .

Замечание:

Подробнее о получении информации о текущем пути, можно почитать в разделе Предопределённые зарезервированные переменные.

Замечание:

pathinfo() оперирует входной строкой и не знает фактическую файловую систему или компоненты пути, такие как » .. «.

Замечание:

Только в системах Windows символ \ будет интерпретироваться как разделитель каталогов. В других системах он будет рассматриваться как любой другой символ.

pathinfo() учитывает настройки локали, поэтому для корректной обработки пути с многобайтными символами должна быть установлена соответствующая локаль с помощью функции setlocale() .

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

Если указан, то задаёт, какой из элементов пути будет возвращён: PATHINFO_DIRNAME , PATHINFO_BASENAME , PATHINFO_EXTENSION и PATHINFO_FILENAME .

Если flags не указан, то возвращаются все доступные элементы.

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

Если параметр flags не передан, то возвращаемый ассоциативный массив ( array ) будет содержать следующие элементы: dirname , basename , extension (если есть) и filename .

Замечание:

Если path содержит больше одного расширения, то PATHINFO_EXTENSION возвращает только последний и PATHINFO_FILENAME удаляет только последнее расширение. (смотрите пример ниже).

Замечание:

Если path не содержит расширения, то не будет возвращён элемент extension (смотрите ниже второй пример).

Замечание:

Если basename параметра path начинается с точки, то все последующие символы интерпретируются как расширение файла ( extension ) и имя файла filename будет пустым (смотрите третий пример).

Если указан параметр flags , будет возвращена строка ( string ), содержащая указанный элемент.

Примеры

Пример #1 Пример использования функции pathinfo()

$path_parts = pathinfo ( ‘/www/htdocs/inc/lib.inc.php’ );

echo $path_parts [ ‘dirname’ ], «\n» ;
echo $path_parts [ ‘basename’ ], «\n» ;
echo $path_parts [ ‘extension’ ], «\n» ;
echo $path_parts [ ‘filename’ ], «\n» ;
?>

Результат выполнения данного примера:

/www/htdocs/inc lib.inc.php php lib.inc

Пример #2 Пример с pathinfo() , показывающий разницу между null и отсутствием расширения

$path_parts = pathinfo ( ‘/path/emptyextension.’ );
var_dump ( $path_parts [ ‘extension’ ]);

$path_parts = pathinfo ( ‘/path/noextension’ );
var_dump ( $path_parts [ ‘extension’ ]);
?>

Результатом выполнения данного примера будет что-то подобное:

string(0) "" Notice: Undefined index: extension in test.php on line 6 NULL

Пример #3 Пример pathinfo() для файла, начинающегося с точки

Результатом выполнения данного примера будет что-то подобное:

Array ( [dirname] => /some/path [basename] => .test [extension] => test [filename] => )

Пример #4 Пример использования pathinfo() с разыменованием массива

Параметр flags не является битовой маской. Может быть предоставлено только одно значение. Чтобы выбрать только ограниченный набор разобранных значений, используйте деструктуризацию массива следующим образом:

[ ‘basename’ => $basename , ‘dirname’ => $dirname ] = pathinfo ( ‘/www/htdocs/inc/lib.inc.php’ );

var_dump ( $basename , $dirname );
?>

Результатом выполнения данного примера будет что-то подобное:

string(11) "lib.inc.php" string(15) "/www/htdocs/inc"

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

  • dirname() — Возвращает имя родительского каталога из указанного пути
  • basename() — Возвращает последний компонент имени из указанного пути
  • parse_url() — Разбирает URL и возвращает его компоненты
  • realpath() — Возвращает канонизированный абсолютный путь к файлу

Источник

Читайте также:  Javascript on window scroll event
Оцените статью