dirname

(PHP 4, PHP 5)

dirnameВозвращает имя родительского каталога из указанного пути

Описание

string dirname ( string $path )

Получив строку, содержащую путь к файлу или каталогу, данная функция возвратит родительский каталог данного пути.

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

path

Путь.

На платформах Windows в качестве разделителей имен директорий используются оба слэша (прямой / и обратный \). В других операционных системах разделителем служит прямой слэш (/).

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

Возвращает путь к родительской директории. Если в параметре path не содержится слэшей, будет возвращена точка ('.'), обозначающая текущую директорию. В другом случае будет возвращен path без последнего компонента /component.

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

Версия Описание
5.0.0 dirname() теперь безопасна для обработки бинарных данных.
4.0.3 dirname() теперь совместима со стандартом POSIX.

Примеры

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

<?php
echo "1) " dirname("/etc/passwd") . PHP_EOL// 1) /etc
echo "2) " dirname("/etc/") . PHP_EOL// 2) / (или \ на Windows)
echo "3) " dirname("."); // 3) .
?>

Примечания

Замечание:

Функция dirname() наивно оперирует исключительно исходной строкой и не учитывает реальную файловую систему или компоненты пути типа "..".

Замечание:

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

Замечание:

Начиная с версии PHP 4.3.0, функция dirname() вернет слэш или точку там, где ранее возвращалась бы пустая строка.

Посмотрите следующий пример, иллюстрирующий эти изменения:

<?php

//до PHP 4.3.0
dirname('c:/'); // возвращала '.'

//после PHP 4.3.0
dirname('c:/x'); // возвращает 'c:\'
dirname('c:/Temp/x'); // возвращает 'c:/Temp'
dirname('/x'); // возвращает '\'

?>

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

  • basename() - Возвращает последний компонент имени из указанного пути
  • pathinfo() - Возвращает информацию о пути к файлу
  • realpath() - Возвращает канонизированный абсолютный путь к файлу

Коментарии

To get the directory of current included file:

<?php
dirname
(__FILE__);
?>

For example, if a script called 'database.init.php' which is included from anywhere on the filesystem wants to include the script 'database.class.php', which lays in the same directory, you can use:

<?php
include_once(dirname(__FILE__) . '/database.class.php');
?>
2002-04-30 15:09:50
http://php5.kiev.ua/manual/ru/function.dirname.html
Since the paths in the examples given only have two parts (e.g. "/etc/passwd") it is not obvious whether dirname returns the single path element of the parent directory or whether it returns the whole path up to and including the parent directory.  From experimentation it appears to be the latter.

e.g. 

dirname('/usr/local/magic/bin');

returns '/usr/local/magic'  and not just 'magic'

Also it is not immediately obvious that dirname effectively returns the parent directory of the last item of the path regardless of whether the last item is a directory or a file.  (i.e. one might think that if the path given was a directory then dirname would return the entire original path since that is a directory name.)

Further the presense of a directory separator at the end of the path does not necessarily indicate that last item of the path is a directory, and so 

dirname('/usr/local/magic/bin/');  #note final '/'

would return the same result as in my example above.

In short this seems to be more of a string manipulation function that strips off the last non-null file or directory element off of a path string.
2005-06-24 09:52:20
http://php5.kiev.ua/manual/ru/function.dirname.html
Attention with this. Dirname likes to mess with the slashes.
On Windows, Apache: 

<?php
echo '$_SERVER[PHP_SELF]: ' $_SERVER['PHP_SELF'] . '<br />';
echo 
'Dirname($_SERVER[PHP_SELF]: ' dirname($_SERVER['PHP_SELF']) . '<br>';
?>

prints out

$_SERVER[PHP_SELF]: /index.php
Dirname($_SERVER[PHP_SELF]: \
2005-07-18 10:14:50
http://php5.kiev.ua/manual/ru/function.dirname.html
The dirname function does not usually return a slash on the end, which might encourage you to create links using code like this:
$url = dirname($_SERVER['PHP_SELF']) . '/somepage.php';

However dirname returns a slash if the path you specify is the root, so $url in that case would become '//somepage.php'.  If you put that URL as the action on a form, for example, submitting the form will try to go to http://somepage.php.

I ran into this when I wrote a site on a url with a path, www.somehost.com/client/somepage.php, where the code above works great, but then wanted to put it on a subdomain, client.somehost.com/somepage.php, where things started breaking.

The best solution would be to create a function that generates absolute URLs and use that throughout the site, but creating a safe_dirname function (and an htaccess rewrite to fix double-slashes just in case) fixed the issue for me:

<?php
function safe_dirname($path)
{
   
$dirname dirname($path);
   return 
$dirname == '/' '' $dirname;
}
?>
2008-12-13 12:07:02
http://php5.kiev.ua/manual/ru/function.dirname.html
As of PHP 5.3.0, you can use __DIR__ as a replacement for dirname(__FILE__)
2014-10-22 10:51:19
http://php5.kiev.ua/manual/ru/function.dirname.html
Be aware that if you call dirname(__FILE__) on Windows, you may get backslashes. If you then try to use str_replace() or preg_replace() to replace part of the path using forward slashes in your search pattern, there will be no match. You can normalize paths with $path = str_replace('\\',  '/' ,$path) before doing any transformations
2018-12-28 07:04:29
http://php5.kiev.ua/manual/ru/function.dirname.html

    Поддержать сайт на родительском проекте КГБ