2

次のコマンドを使用して、PNG ファイルでリソース ファイルを作成しました。

resgen.exe Test3.resx Test3.resources

リソースを反復処理して、それらが含まれていることを確認できます。また、各要素のデータ型が System.Drawing.Bitmap であることも確認できますが、バイト配列をビットマップに戻すことはできません。

PNG には別の取得と変換が必要か、それとも気が狂ってしまうかのどちらかです

誰かが私が欠けているものを知っていますか?

   Public Function GetImageResources() As Dictionary(Of String, Bitmap)

    Dim resourceReader As New ResourceReader(".\Test3.resources")
    Dim resourcesEnumerator As IDictionaryEnumerator = resourceReader.GetEnumerator()
    Dim resourcesFound As New Dictionary(Of String, Bitmap)

    Do While resourcesEnumerator.MoveNext()

        Dim dataType As String = Nothing
        Dim data() As Byte = Nothing
        resourceReader.GetResourceData(resourcesEnumerator.Key, dataType, data)

        Dim finalImage As New Bitmap(New MemoryStream(data))
        'RUNTIME ERROR: Parameter is not valid
        'dataType value = System.Drawing.Bitmap, System.Drawing, ...

        resourcesFound.Add(resourcesEnumerator.Key.ToString(), finalImage)

    Loop
    resourceReader.Close()


    Return resourcesFound
End Function
4

3 に答える 3

2

私はちょうど同じ問題を抱えていました。DataType: ResourceTypeCode.Stream のオフセットが常に 4 であるため、リソース ストリームの読み取りに苦労しました。MSDN の Microsoft コードでそのオフセットを確認できます(コードはビットマップに非常に適しています)。

GitHubでリソースの読み取りと uri に関する小さなプロジェクトを実行しました。

ビルドアクションが「リソース」として定義された画像 (フォルダー「[YourProject]/Icons/About.png」内) の場合:

        System.IO.Stream stream = HQ.Util.General.ResourceHelper.LoadResourceFromUri(
            HQ.Util.General.ResourceHelper.GetLocationUri("Icons/About.png"));

        Image image = new Bitmap(stream);

これは私の ResourceHelper ファイルです (役立つ場合) ...

using System;
using System.Collections;
using System.Collections.Generic;
using System.Diagnostics;
using System.Drawing;
using System.IO;
using System.Linq;
using System.Reflection;
using System.Resources;
using System.Runtime.Serialization.Formatters.Binary;
using System.Text;
using System.Threading.Tasks;
using System.Windows.Resources;

namespace HQ.Util.General
{
    public static class ResourceHelper
    {
        // ******************************************************************
        /// <summary>
        /// The resource should be defined as 'Resource' not as 'Embedded resource'.
        /// </summary>
        /// <param name="resourcePath">The resource path</param>
        /// <param name="assembly">If null, then use calling assembly to find the resource</param>
        /// <returns></returns>
        public static Uri GetLocationUri(string resourcePath, Assembly assembly = null)
        {
            if (assembly == null)
            {
                assembly = Assembly.GetCallingAssembly();
            }

            resourcePath = resourcePath.Replace('\\', '/');

            return new Uri(@"pack://application:,,,/" + assembly.GetName().Name + ";component" +
                (resourcePath[0] == '/' ? resourcePath : "/" + resourcePath), UriKind.Absolute);
        }

        // ******************************************************************
        /// <summary>
        /// Will load resource from any assembly that is part of the application.
        /// It does not rely on Application which is specific to a (UI) frameowrk.
        /// </summary>
        /// <param name="uri"></param>
        /// <param name="asm"></param>
        /// <returns></returns>
        public static Stream LoadResourceFromUri(Uri uri, Assembly asm = null)
        {
            Stream stream = null;

            if (uri.Authority.StartsWith("application") && uri.Scheme == "pack")
            {
                string localPath = uri.GetComponents(UriComponents.Path, UriFormat.UriEscaped);

                int indexLocalPathWithoutAssembly = localPath.IndexOf(";component/");
                if (indexLocalPathWithoutAssembly == -1)
                {
                    indexLocalPathWithoutAssembly = 0;
                }
                else
                {
                    indexLocalPathWithoutAssembly += 11;
                }

                if (asm != null) // Take the provided assembly, do not check for the asm in the uri.
                {
                    stream = GetAssemblyResourceStream(asm, localPath.Substring(indexLocalPathWithoutAssembly));
                }
                else
                {
                    if (uri.Segments.Length > 1)
                    {
                        if (uri.Segments[0] == "/" && uri.Segments[1].EndsWith(";component/"))
                        {
                            int index = uri.Segments[1].IndexOf(";");
                            if (index > 0)
                            {
                                string assemblyName = uri.Segments[1].Substring(0, index);

                                foreach (Assembly asmIter in AppDomain.CurrentDomain.GetAssemblies())
                                {
                                    if (asmIter.GetName().Name == assemblyName)
                                    {
                                        stream = GetAssemblyResourceStream(asmIter, localPath.Substring(indexLocalPathWithoutAssembly));
                                        break;
                                    }
                                }
                            }
                        }
                    }

                    if (stream == null)
                    {
                        asm = Assembly.GetCallingAssembly();
                        stream = GetAssemblyResourceStream(asm, localPath.Substring(indexLocalPathWithoutAssembly));
                    }
                }
            }
            return stream;
        }

        // ******************************************************************
        /// <summary>
        /// The path separator is '/'.  The path should not start with '/'.
        /// </summary>
        /// <param name="asm"></param>
        /// <param name="path"></param>
        /// <returns></returns>
        public static Stream GetAssemblyResourceStream(Assembly asm, string path)
        {
            // Just to be sure
            if (path[0] == '/')
            {
                path = path.Substring(1);
            }

            // Just to be sure
            if (path.IndexOf('\\') == -1)
            {
                path = path.Replace('\\', '/');
            }

            Stream resStream = null;

            string resName = asm.GetName().Name + ".g.resources"; // Ref: Thomas Levesque Answer at:
            // http://stackoverflow.com/questions/2517407/enumerating-net-assembly-resources-at-runtime

            using (var stream = asm.GetManifestResourceStream(resName))
            {
                using (var resReader = new System.Resources.ResourceReader(stream))
                {
                    string dataType = null;
                    byte[] data = null;
                    try
                    {
                        resReader.GetResourceData(path.ToLower(), out dataType, out data);
                    }
                    catch (Exception ex)
                    {
                        DebugPrintResources(resReader);
                    }

                    if (data != null)
                    {
                        switch (dataType) // COde from 
                        {
                            // Handle internally serialized string data (ResourceTypeCode members).
                            case "ResourceTypeCode.String":
                                BinaryReader reader = new BinaryReader(new MemoryStream(data));
                                string binData = reader.ReadString();
                                Console.WriteLine("   Recreated Value: {0}", binData);
                                break;
                            case "ResourceTypeCode.Int32":
                                Console.WriteLine("   Recreated Value: {0}", BitConverter.ToInt32(data, 0));
                                break;
                            case "ResourceTypeCode.Boolean":
                                Console.WriteLine("   Recreated Value: {0}", BitConverter.ToBoolean(data, 0));
                                break;
                            // .jpeg image stored as a stream.
                            case "ResourceTypeCode.Stream":
                                ////const int OFFSET = 4;
                                ////int size = BitConverter.ToInt32(data, 0);
                                ////Bitmap value1 = new Bitmap(new MemoryStream(data, OFFSET, size));
                                ////Console.WriteLine("   Recreated Value: {0}", value1);

                                const int OFFSET = 4;
                                resStream = new MemoryStream(data, OFFSET, data.Length - OFFSET);

                                break;
                            // Our only other type is DateTimeTZI.
                            default:
                                ////// No point in deserializing data if the type is unavailable.
                                ////if (dataType.Contains("DateTimeTZI") && loaded)
                                ////{
                                ////    BinaryFormatter binFmt = new BinaryFormatter();
                                ////    object value2 = binFmt.Deserialize(new MemoryStream(data));
                                ////    Console.WriteLine("   Recreated Value: {0}", value2);
                                ////}
                                ////break;
                                break;
                        }

                        // resStream = new MemoryStream(resData);
                    }
                }
            }

            return resStream;
        }

        // ******************************************************************
        private static void DebugPrintResources(System.Resources.ResourceReader reader)
        {
            Debug.Print("Begin dump resources: ---------------------");
            foreach (DictionaryEntry item in reader)
            {
                Debug.Print(item.Key.ToString());
            }
            Debug.Print("End   dump resources: ---------------------");
        }

        // ******************************************************************        // ******************************************************************
    }
}
于 2015-09-30T20:36:43.913 に答える
1

私はまったく同じ問題に苦労しました。私が発見したのは、リソース ファイルに保存すると、バイト配列の先頭に 4 バイトが追加されることです。理由がわかりませんし、そのドキュメントも見つかりませんでした。それにもかかわらず、以下は画像データを正しく変換するのに役立ちます:

public Image FixImageDataFromResourceFile(byte[] byteArrayFromResourceFile)
{
    byte[] fixedImageData = new byte[byteArrayFromResourceFile.Length - 4];
    Array.Copy(byteArrayFromResourceFile, 4, fixedImageData, 0, fixedImageData.Length);
    MemoryStream ms = new MemoryStream(fixedImageData);
    Image retval = Bitmap.FromStream(ms);
    ms.Close();
    return retval;
}

誰かが 4 バイトの目的を知っている場合、またはそれに関するドキュメントを見つけられる場合は、ぜひお知らせください。私の唯一の推測では、リソース ファイル内のデータ型を識別するために 4 バイトが使用されますが、適切な通知がなければ、ほぼすべての情報が役に立たなくなることは確かです。

于 2013-12-14T18:08:54.880 に答える
1

GetResourceData の使用方法はまだわかりませんが、少なくともこのコードは同じ望ましい効果をもたらします。

Public Function GetImageResources() As Dictionary(Of String, Bitmap)

    Dim resourcesFound As New Dictionary(Of String, Bitmap)

    Dim resourceReader As New ResourceReader(".\Test3.resources")
    Dim resourcesEnumerator As IDictionaryEnumerator = resourceReader.GetEnumerator()
    Dim resourceSet As New ResourceSet(".\Test3.resources")

    Do While resourcesEnumerator.MoveNext()

        Dim retrievedObject As Object = resourceSet.GetObject(resourcesEnumerator.Key.ToString())

        Dim convertedBitmap As Bitmap = DirectCast(retrievedObject, Bitmap)
        resourcesFound.Add(resourcesEnumerator.Key.ToString(), convertedBitmap)

    Loop
    resourceReader.Close()
    resourceSet.Close()

    Return resourcesFound
End Function
于 2013-02-25T15:33:57.490 に答える