Respostas:
Se você, como eu, preferir usar algum código de biblioteca em que eles provavelmente tenham pensado em todos os casos especiais, como o que acontece se você passar nulo ou pontos no caminho, mas não no nome do arquivo, use o seguinte:
import org.apache.commons.io.FilenameUtils;
String fileNameWithOutExt = FilenameUtils.removeExtension(fileNameWithExt);
java.nio.file.Files
e Path
- como resolver diretórios base, copiar / mover arquivos de uma linha, obter apenas o nome do arquivo etc.
A maneira mais fácil é usar uma expressão regular.
fileNameWithOutExt = "test.xml".replaceFirst("[.][^.]+$", "");
A expressão acima removerá o último ponto seguido por um ou mais caracteres. Aqui está um teste de unidade básico.
public void testRegex() {
assertEquals("test", "test.xml".replaceFirst("[.][^.]+$", ""));
assertEquals("test.2", "test.2.xml".replaceFirst("[.][^.]+$", ""));
}
org.apache.commons
. Tanto quanto sei, esta é a única maneira de fazer isso no Android.
Veja o seguinte programa de teste:
public class javatemp {
static String stripExtension (String str) {
// Handle null case specially.
if (str == null) return null;
// Get position of last '.'.
int pos = str.lastIndexOf(".");
// If there wasn't any '.' just return the string as is.
if (pos == -1) return str;
// Otherwise return the string, up to the dot.
return str.substring(0, pos);
}
public static void main(String[] args) {
System.out.println ("test.xml -> " + stripExtension ("test.xml"));
System.out.println ("test.2.xml -> " + stripExtension ("test.2.xml"));
System.out.println ("test -> " + stripExtension ("test"));
System.out.println ("test. -> " + stripExtension ("test."));
}
}
quais saídas:
test.xml -> test
test.2.xml -> test.2
test -> test
test. -> test
foo.tar.gz
? Eu posso ver porque .tar.gz
seria o que você gostaria.
foo.tar.gz
é uma versão compactada em gzip foo.tar
para que você também possa argumentar que essa gz
era a extensão. Tudo se resume a como você define a extensão.
.gitignore
?
Aqui está a ordem da lista consolidada de acordo com minha preferência.
Usando apache commons
import org.apache.commons.io.FilenameUtils;
String fileNameWithoutExt = FilenameUtils.getBaseName(fileName);
OR
String fileNameWithOutExt = FilenameUtils.removeExtension(fileName);
Usando o Google Guava (se você já estiver usando)
import com.google.common.io.Files;
String fileNameWithOutExt = Files.getNameWithoutExtension(fileName);
Ou usando o Core Java
1)
String fileName = file.getName();
int pos = fileName.lastIndexOf(".");
if (pos > 0 && pos < (fileName.length() - 1)) { // If '.' is not the first or last character.
fileName = fileName.substring(0, pos);
}
2)
if (fileName.indexOf(".") > 0) {
return fileName.substring(0, fileName.lastIndexOf("."));
} else {
return fileName;
}
3)
private static final Pattern ext = Pattern.compile("(?<=.)\\.[^.]+$");
public static String getFileNameWithoutExtension(File file) {
return ext.matcher(file.getName()).replaceAll("");
}
API do Liferay
import com.liferay.portal.kernel.util.FileUtil;
String fileName = FileUtil.stripExtension(file.getName());
Se o seu projeto usa o Guava (14.0 ou mais recente), você pode prosseguir Files.getNameWithoutExtension()
.
(Essencialmente, o mesmo que FilenameUtils.removeExtension()
do Apache Commons IO, como sugere a resposta mais votada . Só queria salientar que o Goiaba também faz isso. Pessoalmente, não queria adicionar dependência ao Commons - o que considero uma relíquia - por causa disso.)
FilenameUtils.getBaseName()
Abaixo está a referência em https://android.googlesource.com/platform/tools/tradefederation/+/master/src/com/android/tradefed/util/FileUtil.java
/**
* Gets the base name, without extension, of given file name.
* <p/>
* e.g. getBaseName("file.txt") will return "file"
*
* @param fileName
* @return the base name
*/
public static String getBaseName(String fileName) {
int index = fileName.lastIndexOf('.');
if (index == -1) {
return fileName;
} else {
return fileName.substring(0, index);
}
}
Se você não gosta de importar os apache.commons completos, extraí a mesma funcionalidade:
public class StringUtils {
public static String getBaseName(String filename) {
return removeExtension(getName(filename));
}
public static int indexOfLastSeparator(String filename) {
if(filename == null) {
return -1;
} else {
int lastUnixPos = filename.lastIndexOf(47);
int lastWindowsPos = filename.lastIndexOf(92);
return Math.max(lastUnixPos, lastWindowsPos);
}
}
public static String getName(String filename) {
if(filename == null) {
return null;
} else {
int index = indexOfLastSeparator(filename);
return filename.substring(index + 1);
}
}
public static String removeExtension(String filename) {
if(filename == null) {
return null;
} else {
int index = indexOfExtension(filename);
return index == -1?filename:filename.substring(0, index);
}
}
public static int indexOfExtension(String filename) {
if(filename == null) {
return -1;
} else {
int extensionPos = filename.lastIndexOf(46);
int lastSeparator = indexOfLastSeparator(filename);
return lastSeparator > extensionPos?-1:extensionPos;
}
}
}
Embora eu acredite em reutilizar bibliotecas, o JAR do org.apache.commons.io tem 174 KB, o que é notavelmente grande para um aplicativo móvel.
Se você baixar o código-fonte e dar uma olhada na classe FilenameUtils, poderá ver muitos utilitários extras, e ele lida com os caminhos do Windows e do Unix, o que é adorável.
No entanto, se você quiser apenas alguns métodos de utilidade estática para uso com caminhos de estilo Unix (com um separador "/"), poderá achar o código abaixo útil.
O removeExtension
método preserva o restante do caminho junto com o nome do arquivo. Há também um semelhante getExtension
.
/**
* Remove the file extension from a filename, that may include a path.
*
* e.g. /path/to/myfile.jpg -> /path/to/myfile
*/
public static String removeExtension(String filename) {
if (filename == null) {
return null;
}
int index = indexOfExtension(filename);
if (index == -1) {
return filename;
} else {
return filename.substring(0, index);
}
}
/**
* Return the file extension from a filename, including the "."
*
* e.g. /path/to/myfile.jpg -> .jpg
*/
public static String getExtension(String filename) {
if (filename == null) {
return null;
}
int index = indexOfExtension(filename);
if (index == -1) {
return filename;
} else {
return filename.substring(index);
}
}
private static final char EXTENSION_SEPARATOR = '.';
private static final char DIRECTORY_SEPARATOR = '/';
public static int indexOfExtension(String filename) {
if (filename == null) {
return -1;
}
// Check that no directory separator appears after the
// EXTENSION_SEPARATOR
int extensionPos = filename.lastIndexOf(EXTENSION_SEPARATOR);
int lastDirSeparator = filename.lastIndexOf(DIRECTORY_SEPARATOR);
if (lastDirSeparator > extensionPos) {
LogIt.w(FileSystemUtil.class, "A directory separator appears after the file extension, assuming there is no file extension");
return -1;
}
return extensionPos;
}
public static String getFileExtension(String fileName) {
if (TextUtils.isEmpty(fileName) || !fileName.contains(".") || fileName.endsWith(".")) return null;
return fileName.substring(fileName.lastIndexOf(".") + 1);
}
public static String getBaseFileName(String fileName) {
if (TextUtils.isEmpty(fileName) || !fileName.contains(".") || fileName.endsWith(".")) return null;
return fileName.substring(0,fileName.lastIndexOf("."));
}
A maneira mais simples de obter o nome do caminho relativo ou do caminho completo é usando
import org.apache.commons.io.FilenameUtils;
FilenameUtils.getBaseName(definitionFilePath)
Você pode dividir por "." e no índice 0 é o nome do arquivo e em 1 é a extensão, mas eu gostaria da melhor solução com FileNameUtils do apache.commons-io, como foi mencionado no primeiro artigo. Não precisa ser removido, mas é suficiente:
String fileName = FilenameUtils.getBaseName("test.xml");
Use FilenameUtils.removeExtension
do Apache Commons IO
Exemplo:
Você pode fornecer o nome completo do caminho ou apenas o nome do arquivo .
String myString1 = FilenameUtils.removeExtension("helloworld.exe"); // returns "helloworld"
String myString2 = FilenameUtils.removeExtension("/home/abc/yey.xls"); // returns "yey"
Espero que isto ajude ..
Você pode usar a função java split para dividir o nome do arquivo da extensão, se tiver certeza de que existe apenas um ponto no nome do arquivo para a extensão.
File filename = new File('test.txt');
File.getName().split("[.]");
então o split[0]
retornará "test" e o split [1] retornará "txt"
Experimente o código abaixo. Usando funções básicas do Java. Ele cuida de String
s com extensão e sem extensão (sem o '.'
caractere). O caso de múltiplo '.'
também é coberto.
String str = "filename.xml";
if (!str.contains("."))
System.out.println("File Name=" + str);
else {
str = str.substring(0, str.lastIndexOf("."));
// Because extension is always after the last '.'
System.out.println("File Name=" + str);
}
Você pode adaptá-lo para trabalhar com null
strings.
.
nome no arquivo, ou arquivo é um backup e tem nome como document.docx.backup
, etc). É muito mais confiável usar uma biblioteca externa que lida com todas essas situações excepcionais para você.