在visual studio中,我有一个文件,其构建操作设置为“嵌入式资源”。我想在运行时提取此文件,但我无法获取文件名:
// returns null
Assembly.GetExecutingAssembly().GetManifestResourceInfo(resourceName).FileName
答案 0 :(得分:3)
请注意,清单资源名称 do 包括原始文件名和项目相关子目录。
其他答案中缺少的关键信息(使得答案远不如有用)是项目名称和包含原始文件的任何文件夹/目录在资源名称中表示为组件。整个清单资源名称使用'.'
字符分隔到这些组件中。
掌握了这些知识,您应该能够正确处理您的资源。特别是,您将要删除名称的第一个组件(只是项目名称),然后将名称的最后一个组件作为目录名称处理。
这有点棘手,因为a)你的文件名可能有一个扩展名(因此已经有一个'.'
字符),以及b)编译器将逃脱(在一个基本的方式)在文件夹/子目录名称中找到的任何'.'
个字符。
以下是一个显示基本方法的代码示例:
class Program
{
static void Main(string[] args)
{
Console.WriteLine(string.Join(Environment.NewLine,
Assembly.GetEntryAssembly().GetManifestResourceNames()));
Assembly assembly = Assembly.GetEntryAssembly();
string exeDirectory = Path.GetDirectoryName(assembly.Location);
foreach (string resourceName in assembly.GetManifestResourceNames())
{
string fileName = _GetFileNameFromResourceName(resourceName),
directory = Path.GetDirectoryName(fileName);
if (!string.IsNullOrEmpty(directory))
{
Directory.CreateDirectory(directory);
}
using (Stream outputStream =
File.OpenWrite(Path.Combine(exeDirectory, fileName)))
{
assembly.GetManifestResourceStream(resourceName).CopyTo(outputStream);
}
}
}
private static string _GetFileNameFromResourceName(string resourceName)
{
// NOTE: this code assumes that all of the file names have exactly one
// extension separator (i.e. "dot"/"period" character). I.e. all file names
// do have an extension, and no file name has more than one extension.
// Directory names may have periods in them, as the compiler will escape these
// by putting an underscore character after them (a single character
// after any contiguous sequence of dots). IMPORTANT: the escaping
// is not very sophisticated; do not create folder names with leading
// underscores, otherwise the dot separating that folder from the previous
// one will appear to be just an escaped dot!
StringBuilder sb = new StringBuilder();
bool escapeDot = false, haveExtension = false;
for (int i = resourceName.Length - 1; i >= 0 ; i--)
{
if (resourceName[i] == '_')
{
escapeDot = true;
continue;
}
if (resourceName[i] == '.')
{
if (!escapeDot)
{
if (haveExtension)
{
sb.Append('\\');
continue;
}
haveExtension = true;
}
}
else
{
escapeDot = false;
}
sb.Append(resourceName[i]);
}
string fileName = Path.GetDirectoryName(sb.ToString());
fileName = new string(fileName.Reverse().ToArray());
return fileName;
}
}
使用上面的代码创建一个新项目,然后将嵌入的资源添加到项目中,或者根据需要添加到项目文件夹中,以查看结果。
注意:您可能会发现过滤资源名称列表很有用。例如,如果您的项目具有使用Designer添加的传统资源(即显示项目属性,然后单击“资源”选项卡并在其中添加资源),您将获得名为MyProjectName.Resources.resources
的资源。而不是明确地作为嵌入资源)。否则,您将获得每个清单资源。
注意:请记住,要写入运行可执行文件的目录,可能需要比当前进程更高级别的权限。例如。如果用户将EXE复制到“Program Files”目录中的目录作为admin,但然后尝试以受限用户身份运行该程序。正如评论者Luaan在你的问题上暗示的那样,看起来你最好只是实施某种安装程序。 (Visual Studio提供对基本Install Shield产品的免费访问,或者您可以使用例如WiX ......实际上不需要从头开始编写安装程序来实现安装程序。)