Respostas:
Você está procurando basename
.
O exemplo do manual do PHP:
<?php
$path = "/home/httpd/html/index.php";
$file = basename($path); // $file is set to "index.php"
$file = basename($path, ".php"); // $file is set to "index"
?>
pathinfo
sobre basename
como Metafaniel postado abaixo. pathinfo()
fornecerá uma matriz com as partes do caminho. Ou, para o caso aqui, você pode apenas pedir especificamente o nome do arquivo. Assim, pathinfo('/var/www/html/index.php', PATHINFO_FILENAME)
deve retornar 'index.php'
a documentação PHP Pathinfo
PATHINFO_BASENAME
deve obter o máximo index.php
. PATHINFO_FILENAME
vai te dar index
.
mb_substr($filepath,mb_strrpos($filepath,'/',0,'UTF-16LE'),NULL,'UTF-16LE')
- basta substituir UTF-16LE com o que CharacterSet seus usos do sistema de arquivos (NTFS e ExFAT usa UTF16)
Eu fiz isso usando a função PATHINFO
que cria uma matriz com as partes do caminho para você usar! Por exemplo, você pode fazer isso:
<?php
$xmlFile = pathinfo('/usr/admin/config/test.xml');
function filePathParts($arg1) {
echo $arg1['dirname'], "\n";
echo $arg1['basename'], "\n";
echo $arg1['extension'], "\n";
echo $arg1['filename'], "\n";
}
filePathParts($xmlFile);
?>
Isso retornará:
/usr/admin/config
test.xml
xml
test
O uso desta função está disponível desde o PHP 5.2.0!
Então você pode manipular todas as partes conforme necessário. Por exemplo, para usar o caminho completo, você pode fazer isso:
$fullPath = $xmlFile['dirname'] . '/' . $xmlFile['basename'];
A basename
função deve fornecer o que você deseja:
Dada uma sequência que contém um caminho para um arquivo, essa função retornará o nome base do arquivo.
Por exemplo, citando a página do manual:
<?php
$path = "/home/httpd/html/index.php";
$file = basename($path); // $file is set to "index.php"
$file = basename($path, ".php"); // $file is set to "index"
?>
Ou, no seu caso:
$full = 'F:\Program Files\SSH Communications Security\SSH Secure Shell\Output.map';
var_dump(basename($full));
Você terá:
string(10) "Output.map"
Existem várias maneiras de obter o nome e a extensão do arquivo. Você pode usar o seguinte, que é fácil de usar.
$url = 'http://www.nepaltraveldoor.com/images/trekking/nepal/annapurna-region/Annapurna-region-trekking.jpg';
$file = file_get_contents($url); // To get file
$name = basename($url); // To get file name
$ext = pathinfo($url, PATHINFO_EXTENSION); // To get extension
$name2 =pathinfo($url, PATHINFO_FILENAME); // File name without extension
Com SplFileInfo :
SplFileInfo A classe SplFileInfo oferece uma interface orientada a objetos de alto nível para informações de um arquivo individual.
Ref : http://php.net/manual/en/splfileinfo.getfilename.php
$info = new SplFileInfo('/path/to/foo.txt');
var_dump($info->getFilename());
o / p: string (7) "foo.txt"
basename () tem um erro ao processar caracteres asiáticos como chinês.
Eu uso isso:
function get_basename($filename)
{
return preg_replace('/^.+[\\\\\\/]/', '', $filename);
}
Caution basename() is locale aware, so for it to see the correct basename with multibyte character paths, the matching locale must be set using the setlocale() function.
. Mas também prefiro usar preg_replace, porque o separador de diretório é diferente entre os sistemas operacionais. No Ubuntu `\` não é um separador de diretório e o nome de base não terá efeito sobre ele.
Para fazer isso no menor número de linhas, eu sugeriria o uso da DIRECTORY_SEPARATOR
constante interna junto comexplode(delimiter, string)
para separar o caminho em partes e, em seguida, simplesmente extrair o último elemento na matriz fornecida.
Exemplo:
$path = 'F:\Program Files\SSH Communications Security\SSH SecureShell\Output.map'
//Get filename from path
$pathArr = explode(DIRECTORY_SEPARATOR, $path);
$filename = end($pathArr);
echo $filename;
>> 'Output.map'
Você pode usar a função basename () .
Para obter o nome exato do arquivo a partir do URI, eu usaria este método:
<?php
$file1 =basename("http://localhost/eFEIS/agency_application_form.php?formid=1&task=edit") ;
//basename($_SERVER['REQUEST_URI']); // Or use this to get the URI dynamically.
echo $basename = substr($file1, 0, strpos($file1, '?'));
?>
<?php
$windows = "F:\Program Files\SSH Communications Security\SSH Secure Shell\Output.map";
/* str_replace(find, replace, string, count) */
$unix = str_replace("\\", "/", $windows);
print_r(pathinfo($unix, PATHINFO_BASENAME));
?>
body, html, iframe {
width: 100% ;
height: 100% ;
overflow: hidden ;
}
<iframe src="https://ideone.com/Rfxd0P"></iframe>
É simples. Por exemplo:
<?php
function filePath($filePath)
{
$fileParts = pathinfo($filePath);
if (!isset($fileParts['filename']))
{
$fileParts['filename'] = substr($fileParts['basename'], 0, strrpos($fileParts['basename'], '.'));
}
return $fileParts;
}
$filePath = filePath('/www/htdocs/index.html');
print_r($filePath);
?>
A saída será:
Array
(
[dirname] => /www/htdocs
[basename] => index.html
[extension] => html
[filename] => index
)
$image_path = "F:\Program Files\SSH Communications Security\SSH Secure Shell\Output.map";
$arr = explode('\\',$image_path);
$name = end($arr);