Respostas:
var filename = fullPath.replace(/^.*[\\\/]/, '')
Isso manipulará os caminhos \ OR / in
replace
é muito mais lento que o substr
que pode ser usado em conjunto com lastIndexOf('/')+1
: jsperf.com/replace-vs-substring
Fiddle
, embora para `\\` funcione bem.
"/var/drop/foo/boo/moo.js".replace(/^.*[\\\/]/, '')
retornosmoo.js
Apenas por uma questão de desempenho, testei todas as respostas dadas aqui:
var substringTest = function (str) {
return str.substring(str.lastIndexOf('/')+1);
}
var replaceTest = function (str) {
return str.replace(/^.*(\\|\/|\:)/, '');
}
var execTest = function (str) {
return /([^\\]+)$/.exec(str)[1];
}
var splitTest = function (str) {
return str.split('\\').pop().split('/').pop();
}
substringTest took 0.09508600000000023ms
replaceTest took 0.049203000000000004ms
execTest took 0.04859899999999939ms
splitTest took 0.02505500000000005ms
E o vencedor é a resposta ao estilo Split e Pop , Obrigado a Bobince !
path.split(/.*[\/|\\]/)[1];
No Node.js, você pode usar o módulo de análise do Path ...
var path = require('path');
var file = '/home/user/dir/file.txt';
var filename = path.parse(file).base;
//=> 'file.txt'
basename
função:path.basename(file)
De que plataforma vem o caminho? Os caminhos do Windows são diferentes dos POSIX e os caminhos do Mac OS 9 são diferentes dos caminhos do RISC OS são diferentes ...
Se for um aplicativo da Web em que o nome do arquivo possa vir de plataformas diferentes, não há uma solução. No entanto, uma facada razoável é usar '\' (Windows) e '/' (Linux / Unix / Mac e também uma alternativa no Windows) como separadores de caminho. Aqui está uma versão que não é RegExp para diversão extra:
var leafname= pathname.split('\\').pop().split('/').pop();
var path = '\\Dir2\\Sub1\\SubSub1'; //path = '/Dir2/Sub1/SubSub1'; path = path.split('\\').length > 1 ? path.split('\\').slice(0, -1).join('\\') : path; path = path.split('/').length > 1 ? path.split('/').slice(0, -1).join('/') : path; console.log(path);
Ates, sua solução não protege contra uma string vazia como entrada. Nesse caso, ele falha com TypeError: /([^(\\|\/|\:)]+)$/.exec(fullPath) has no properties
.
bobince, aqui está uma versão do nickf que lida com delimitadores de caminho DOS, POSIX e HFS (e cadeias de caracteres vazias):
return fullPath.replace(/^.*(\\|\/|\:)/, '');
Não é mais conciso do que a resposta de nickf , mas esta "extrai" diretamente a resposta em vez de substituir partes indesejadas por uma string vazia:
var filename = /([^\\]+)$/.exec(fullPath)[1];
Uma pergunta que faz "obter nome do arquivo sem extensão" se refere aqui, mas não há solução para isso. Aqui está a solução modificada da solução de Bobbie.
var name_without_ext = (file_name.split('\\').pop().split('/').pop().split('.'))[0];
Outro
var filename = fullPath.split(/[\\\/]/).pop();
Aqui, split tem uma expressão regular com uma classe de caracteres.
Os dois caracteres precisam ser escapados com '\'
Ou use a matriz para dividir
var filename = fullPath.split(['/','\\']).pop();
Seria o caminho para empurrar dinamicamente mais separadores em uma matriz, se necessário.
Se fullPath
for explicitamente definido por uma string no seu código, ele precisará escapar da barra invertida !
Gostar"C:\\Documents and Settings\\img\\recycled log.jpg"
<script type="text/javascript">
function test()
{
var path = "C:/es/h221.txt";
var pos =path.lastIndexOf( path.charAt( path.indexOf(":")+1) );
alert("pos=" + pos );
var filename = path.substring( pos+1);
alert( filename );
}
</script>
<form name="InputForm"
action="page2.asp"
method="post">
<P><input type="button" name="b1" value="test file button"
onClick="test()">
</form>
A resposta completa é:
<html>
<head>
<title>Testing File Upload Inputs</title>
<script type="text/javascript">
function replaceAll(txt, replace, with_this) {
return txt.replace(new RegExp(replace, 'g'),with_this);
}
function showSrc() {
document.getElementById("myframe").href = document.getElementById("myfile").value;
var theexa = document.getElementById("myframe").href.replace("file:///","");
var path = document.getElementById("myframe").href.replace("file:///","");
var correctPath = replaceAll(path,"%20"," ");
alert(correctPath);
}
</script>
</head>
<body>
<form method="get" action="#" >
<input type="file"
id="myfile"
onChange="javascript:showSrc();"
size="30">
<br>
<a href="#" id="myframe"></a>
</form>
</body>
</html>
Pouca função a ser incluída no seu projeto para determinar o nome do arquivo a partir de um caminho completo para Windows, bem como dos caminhos absolutos do GNU / Linux e UNIX.
/**
* @param {String} path Absolute path
* @return {String} File name
* @todo argument type checking during runtime
* @see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/includes
* @see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/slice
* @see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/lastIndexOf
* @example basename('/home/johndoe/github/my-package/webpack.config.js') // "webpack.config.js"
* @example basename('C:\\Users\\johndoe\\github\\my-package\\webpack.config.js') // "webpack.config.js"
*/
function basename(path) {
let separator = '/'
const windowsSeparator = '\\'
if (path.includes(windowsSeparator)) {
separator = windowsSeparator
}
return path.slice(path.lastIndexOf(separator) + 1)
}
<html>
<head>
<title>Testing File Upload Inputs</title>
<script type="text/javascript">
<!--
function showSrc() {
document.getElementById("myframe").href = document.getElementById("myfile").value;
var theexa = document.getElementById("myframe").href.replace("file:///","");
alert(document.getElementById("myframe").href.replace("file:///",""));
}
// -->
</script>
</head>
<body>
<form method="get" action="#" >
<input type="file"
id="myfile"
onChange="javascript:showSrc();"
size="30">
<br>
<a href="#" id="myframe"></a>
</form>
</body>
</html>
Script com êxito para sua pergunta, Teste completo
<script src="~/Scripts/jquery-1.10.2.min.js"></script>
<p title="text" id="FileNameShow" ></p>
<input type="file"
id="myfile"
onchange="javascript:showSrc();"
size="30">
<script type="text/javascript">
function replaceAll(txt, replace, with_this) {
return txt.replace(new RegExp(replace, 'g'), with_this);
}
function showSrc() {
document.getElementById("myframe").href = document.getElementById("myfile").value;
var theexa = document.getElementById("myframe").href.replace("file:///", "");
var path = document.getElementById("myframe").href.replace("file:///", "");
var correctPath = replaceAll(path, "%20", " ");
alert(correctPath);
var filename = correctPath.replace(/^.*[\\\/]/, '')
$("#FileNameShow").text(filename)
}
Essa solução é muito mais simples e genérica, tanto para 'nome do arquivo' quanto 'caminho'.
const str = 'C:\\Documents and Settings\\img\\recycled log.jpg';
// regex to split path to two groups '(.*[\\\/])' for path and '(.*)' for file name
const regexPath = /^(.*[\\\/])(.*)$/;
// execute the match on the string str
const match = regexPath.exec(str);
if (match !== null) {
// we ignore the match[0] because it's the match for the hole path string
const filePath = match[1];
const fileName = match[2];
}
function getFileName(path, isExtension){
var fullFileName, fileNameWithoutExtension;
// replace \ to /
while( path.indexOf("\\") !== -1 ){
path = path.replace("\\", "/");
}
fullFileName = path.split("/").pop();
return (isExtension) ? fullFileName : fullFileName.slice( 0, fullFileName.lastIndexOf(".") );
}