我最近遇到了一些在c#中正确发现应用程序根路径的问题。我希望我的应用程序在以下实例中使用正确的文件夹:
即我需要这个日志程序集,它在所有类型的应用程序中共享。它使用log4net,它需要在内部正确解析物理路径 - 内部日志程序集。
因为log4net需要调用BasicConfiguration.Configure才能从web.config / app.config加载它。问题是它没有设置文件监视器,因此不会监视更改。解决方案是单独使用log4net.config文件。
现在,我不喜欢将内容放在bin,bin / debug或bin / release文件夹中,因为它从不包含在源代码管理中。相反,我在应用程序根目录中有一个Config文件夹。这样你最终得到〜\ Application \ Config \ log4net.config。
在静态记录器中有两种方法:
public static string GetRootPath()
{
var debugPath = string.Empty;
#if (DEBUG)
debugPath = "..\\..\\";
#endif
return Path.Combine(AppDomain.CurrentDomain.BaseDirectory, debugPath);
}
public static void Init(string loggerName)
{
LoggerName = loggerName;
XmlConfigurator.Configure(new FileInfo(Path.Combine(GetRootPath(), "Config\\log4net.config")));
}
因此,您可以在Application_Start中调用Logger.Init()或在控制台应用程序内调用Main()内部。这适用于控制台应用程序,但不适用于Web应用程序,因为AppDomain.CurrentDomain.BaseDirectory指向Web应用程序root,而不是它的bin文件夹(也没有调试或发布)。
有没有人有可靠的方法来解决所有上述要求的根路径?那么 - GetRootPath应该做什么?
PS:我知道我可以检查是否(HttpContext.Current!= null)然后不合并调试路径但是必须有更优雅的方式?
答案 0 :(得分:1)
您可以使用CodeBase
类的Assembly
属性来确定执行程序集的路径:
public static string GetRootPath()
{
var debugPath = string.Empty;
#if (DEBUG)
debugPath = "..\\..\\";
#endif
return Path.Combine(Path.GetDirectoryName(new Uri(Assembly.GetExecutingAssembly().GetName().CodeBase).LocalPath), debugPath);
}
注意,对于Web应用程序和Windows服务,文件路径采用文件URI方案格式。因此,我使用Uri
类将路径转换为标准的Windows路径格式。
希望,这有帮助。