记录平时发现并解决的相关问题。
问题场景当前编写的应用程序在启动时,需要加载配置文件,并在程序打开时加载配置文件中的url,加载失败时抛出加载失败的异常信息。
在bin目录下双击可执行问题,能够正常加载配置文件并打开对应的url。但是在将可执行文件的快捷方式固定在任务栏上,直接点击任务栏图标打开对应应用程序则提示加载配置文件异常。
报错提示找不到相关的配置文件:
问题分析通过异常堆栈信息确认是配置文件加载失败,相关代码获取配置文件代码如下:
/// <summary>
/// 默认页面URL配置文件
/// </summary>
public static string indexUrlFile = "Resource/Config/station.xml";
/// <summary>
/// 获取默认界面URL
/// </summary>
/// <returns></returns>
public static string GetIndexUrl()
{
XmlDocument XmlDoc = new XmlDocument();
if (!File.Exists(indexUrlFile))
{
throw new Exception("配置文件不存在");
}
XmlDoc.Load(urlPath);
if(XmlDoc == null)
{
throw new Exception("配置文件读取失败");
}
XmlNodeList indexList = XmlDoc.GetElementsByTagName("index");
if(indexList.Count == 0 || indexList[0].Attributes.Count == 0 )
{
throw new Exception("配置文件格式不正确");
}
url = indexList[0].Attributes[0].Value;
if (string.IsNullOrEmpty(url))
{
throw new Exception("配置文件格式不正确");
}
return url;
}
通过查看代码确认配置文件的路径为相对路径:"Resource/Config/station.xml",同时通过问题场景确认,在任务栏点击快捷图标时,程序启动时获取到的路径为桌面路径,在桌面路径下去查找文件"Resource/Config/station.xml",而桌面路径下当然不可能存在对应的文件。
解决方案问题是由于程序启动时根据当前程序的默认目录下再去查找配置文件"Resource/Config/station.xml",这时由于快捷方式启动时指向的默认目录不同就可能会导致配置文件加载失败的情况。
为了解决这个问题,程序启动时加载配置文件需要使用绝对路径获取配置文件信息,这时不管程序启动时默认指向的是哪个目录,只要能够定位到程序的安装目录就能够获取到配置文件信息。
修改代码如下:
/// <summary>
/// 默认页面URL配置文件
/// </summary>
public static string indexUrlFile = "Resource/Config/station.xml";
/// <summary>
/// 获取默认界面URL
/// </summary>
/// <returns></returns>
public static string GetIndexUrl()
{
string url = "";
string urlPath = Path.Combine(System.Windows.Forms.Application.StartupPath, indexUrlFile);
XmlDocument XmlDoc = new XmlDocument();
if (!File.Exists(urlPath))
{
throw new Exception("配置文件不存在");
}
XmlDoc.Load(urlPath);
if(XmlDoc == null)
{
throw new Exception("配置文件读取失败");
}
XmlNodeList indexList = XmlDoc.GetElementsByTagName("index");
if(indexList.Count == 0 || indexList[0].Attributes.Count == 0 )
{
throw new Exception("配置文件格式不正确");
}
url = indexList[0].Attributes[0].Value;
if (string.IsNullOrEmpty(url))
{
throw new Exception("配置文件格式不正确");
}
return url;
}
这里通过System.Windows.Forms.Application.StartupPath获取启动了应用程序的可执行文件的路径,不包括可执行文件的名称,然后再拼接配置文件信息,这时就可以通过绝对路径获取到配置文件信息。
这样在任务栏通过快捷方式也能够正常打开程序了。
获取程序运行路径的常用方法方法 | 获取路径 |
System.Windows.Forms.Application.StartupPath | 获取启动了应用程序的可执行文件的路径,不包括可执行文件的名称 |
System.Windows.Forms.Application.ExecutablePath | 获取启动了应用程序的可执行文件的路径,包括可执行文件的名称 |
System.AppDomain.CurrentDomain.SetupInformation.ApplicationBase | 获取包含该应用程序的目录的名称 |