Answers:
该Path.GetFileNameWithoutExtension
方法为您提供作为参数传递的文件名,不带扩展名,这从名称中可以明显看出。
框架中有一个用于此目的的方法,除了扩展之外,它将保留完整路径。
System.IO.Path.ChangeExtension(path, null);
如果仅需要文件名,请使用
System.IO.Path.GetFileNameWithoutExtension(path);
null
这里具有神奇的价值。如果使用String.Empty
aka ""
,则将留下尾随的[ .
]点。
GetFileNameWithoutExtension
更明确。尽管很高兴知道其潜在的不良副作用以及避免该副作用的替代方法的存在。
您可以使用
string extension = System.IO.Path.GetExtension(filename);
然后手动删除扩展名:
string result = filename.Substring(0, filename.Length - extension.Length);
String.LastIndexOf将起作用。
string fileName= "abc.123.txt";
int fileExtPos = fileName.LastIndexOf(".");
if (fileExtPos >= 0 )
fileName= fileName.Substring(0, fileExtPos);
foo/bar.cat/cheese
!
String.LastIndexOf
完成这样的事情很危险。对于没有扩展名的文件(如@Cameron所述),您的结果可能不是您想要的。最安全的方法是使用上面@Logman的答案。
我知道这是一个古老的问题,Path.GetFileNameWithoutExtension
是一个更好甚至更清洁的选择。但是我个人已将这两种方法添加到我的项目中,并希望共享它们。由于使用范围和索引,因此需要C#8.0。
public static string RemoveExtension(this string file) => ReplaceExtension(file, null);
public static string ReplaceExtension(this string file, string extension)
{
var split = file.Split('.');
if (string.IsNullOrEmpty(extension))
return string.Join(".", split[..^1]);
split[^1] = extension;
return string.Join(".", split);
}
/// <summary>
/// Get the extension from the given filename
/// </summary>
/// <param name="fileName">the given filename ie:abc.123.txt</param>
/// <returns>the extension ie:txt</returns>
public static string GetFileExtension(this string fileName)
{
string ext = string.Empty;
int fileExtPos = fileName.LastIndexOf(".", StringComparison.Ordinal);
if (fileExtPos >= 0)
ext = fileName.Substring(fileExtPos, fileName.Length - fileExtPos);
return ext;
}
private void btnfilebrowse_Click(object sender, EventArgs e)
{
OpenFileDialog dlg = new OpenFileDialog();
//dlg.ShowDialog();
dlg.Filter = "CSV files (*.csv)|*.csv|XML files (*.xml)|*.xml";
if (dlg.ShowDialog() == DialogResult.OK)
{
string fileName;
fileName = dlg.FileName;
string filecopy;
filecopy = dlg.FileName;
filecopy = Path.GetFileName(filecopy);
string strFilename;
strFilename = filecopy;
strFilename = strFilename.Substring(0, strFilename.LastIndexOf('.'));
//fileName = Path.GetFileName(fileName);
txtfilepath.Text = strFilename;
string filedest = System.IO.Path.GetFullPath(".\\Excels_Read\\'"+txtfilepath.Text+"'.csv");
// filedest = "C:\\Users\\adm\\Documents\\Visual Studio 2010\\Projects\\ConvertFile\\ConvertFile\\Excels_Read";
FileInfo file = new FileInfo(fileName);
file.CopyTo(filedest);
// File.Copy(fileName, filedest,true);
MessageBox.Show("Import Done!!!");
}
}
此实现应起作用。
string file = "abc.txt";
string fileNoExtension = file.Replace(".txt", "");
abc.txt.pdf
呢 :-)