BadImageFormatException Classe
Définition
Important
Certaines informations portent sur la préversion du produit qui est susceptible d’être en grande partie modifiée avant sa publication. Microsoft exclut toute garantie, expresse ou implicite, concernant les informations fournies ici.
Exception levée quand l'image fichier d'une bibliothèque de liens dynamiques (DLL) ou d'un programme exécutable n'est pas valide.
public ref class BadImageFormatException : Exception
public ref class BadImageFormatException : SystemException
public class BadImageFormatException : Exception
public class BadImageFormatException : SystemException
[System.Serializable]
public class BadImageFormatException : SystemException
[System.Serializable]
[System.Runtime.InteropServices.ComVisible(true)]
public class BadImageFormatException : SystemException
type BadImageFormatException = class
inherit Exception
type BadImageFormatException = class
inherit SystemException
[<System.Serializable>]
type BadImageFormatException = class
inherit SystemException
[<System.Serializable>]
[<System.Runtime.InteropServices.ComVisible(true)>]
type BadImageFormatException = class
inherit SystemException
Public Class BadImageFormatException
Inherits Exception
Public Class BadImageFormatException
Inherits SystemException
- Héritage
- Héritage
- Attributs
Remarques
Cette exception est levée lorsque le format de fichier d’une bibliothèque de liens dynamiques (.dll fichier) ou d’un fichier exécutable (fichier .exe) n’est pas conforme au format attendu par le Common Language Runtime. En particulier, l’exception est levée dans les conditions suivantes :
Une version antérieure d’un utilitaire .NET, comme ILDasm.exe ou installutil.exe, est utilisée avec un assembly qui a été développé avec une version ultérieure de .NET.
Pour résoudre cette exception, utilisez la version de l’outil qui correspond à la version de .NET utilisée pour développer l’assembly. Cela peut nécessiter la modification de la
Path
variable d’environnement ou la fourniture d’un chemin d’accès complet au fichier exécutable correct.Vous essayez de charger une bibliothèque de liens dynamiques non managée ou un exécutable (tel qu’une DLL système Windows) comme s’il s’agissait d’un assembly .NET. L’exemple suivant illustre cela en utilisant la Assembly.LoadFile méthode pour charger Kernel32.dll.
// Windows DLL (non-.NET assembly) string filePath = Environment.ExpandEnvironmentVariables("%windir%"); if (! filePath.Trim().EndsWith(@"\")) filePath += @"\"; filePath += @"System32\Kernel32.dll"; try { Assembly assem = Assembly.LoadFile(filePath); } catch (BadImageFormatException e) { Console.WriteLine("Unable to load {0}.", filePath); Console.WriteLine(e.Message.Substring(0, e.Message.IndexOf(".") + 1)); } // The example displays an error message like the following: // Unable to load C:\WINDOWS\System32\Kernel32.dll. // The module was expected to contain an assembly manifest.
open System open System.Reflection // Windows DLL (non-.NET assembly) let filePath = let filePath = Environment.ExpandEnvironmentVariables "%windir%" let filePath = if not (filePath.Trim().EndsWith @"\") then filePath + @"\" else filePath filePath + @"System32\Kernel32.dll" try Assembly.LoadFile filePath |> ignore with :? BadImageFormatException as e -> printfn $"Unable to load {filePath}." printfn $"{e.Message[0 .. e.Message.IndexOf '.']}" // The example displays an error message like the following: // Unable to load C:\WINDOWS\System32\Kernel32.dll. // Bad IL format.
' Windows DLL (non-.NET assembly) Dim filePath As String = Environment.ExpandEnvironmentVariables("%windir%") If Not filePath.Trim().EndsWith("\") Then filepath += "\" filePath += "System32\Kernel32.dll" Try Dim assem As Assembly = Assembly.LoadFile(filePath) Catch e As BadImageFormatException Console.WriteLine("Unable to load {0}.", filePath) Console.WriteLine(e.Message.Substring(0, _ e.Message.IndexOf(".") + 1)) End Try ' The example displays an error message like the following: ' Unable to load C:\WINDOWS\System32\Kernel32.dll. ' The module was expected to contain an assembly manifest.
Pour résoudre cette exception, accédez aux méthodes définies dans la DLL à l’aide des fonctionnalités fournies par votre langage de développement, telles que l’instruction
Declare
en Visual Basic ou l’attribut DllImportAttribute avec leextern
mot clé en C# et F#.Vous essayez de charger un assembly de référence dans un contexte autre que le contexte de réflexion uniquement. Vous pouvez résoudre ce problème de deux manières :
- Vous pouvez charger l’assembly d’implémentation plutôt que l’assembly de référence.
- Vous pouvez charger l’assembly de référence dans le contexte de réflexion uniquement en appelant la Assembly.ReflectionOnlyLoad méthode .
Une DLL ou un exécutable est chargé en tant qu’assembly 64 bits, mais il contient des fonctionnalités ou des ressources 32 bits. Par exemple, il s’appuie sur l’interopérabilité COM ou appelle des méthodes dans une bibliothèque de liens dynamiques 32 bits.
Pour résoudre cette exception, définissez la propriété cible de plateforme du projet sur x86 (au lieu de x64 ou AnyCPU) et recompilez.
Les composants de votre application ont été créés à l’aide de différentes versions de .NET. En règle générale, cette exception se produit lorsqu’une application ou un composant qui a été développé à l’aide de .NET Framework 1.0 ou .NET Framework 1.1 tente de charger un assembly qui a été développé à l’aide de .NET Framework 2.0 SP1 ou version ultérieure, ou lorsqu’une application qui a été développée à l’aide de .NET Framework 2.0 SP1 ou .NET Framework 3.5 tente de charger un assembly qui a été développé à l’aide du .NET Framework 4 ou ultérieur. Le BadImageFormatException peut être signalé comme une erreur au moment de la compilation, ou l’exception peut être levée au moment de l’exécution. L’exemple suivant définit une
StringLib
classe qui a un seul membre,ToProperCase
et qui réside dans un assembly nommé StringLib.dll.using System; public class StringLib { private string[] exceptionList = { "a", "an", "the", "in", "on", "of" }; private char[] separators = { ' ' }; public string ToProperCase(string title) { bool isException = false; string[] words = title.Split( separators, StringSplitOptions.RemoveEmptyEntries); string[] newWords = new string[words.Length]; for (int ctr = 0; ctr <= words.Length - 1; ctr++) { isException = false; foreach (string exception in exceptionList) { if (words[ctr].Equals(exception) && ctr > 0) { isException = true; break; } } if (! isException) newWords[ctr] = words[ctr].Substring(0, 1).ToUpper() + words[ctr].Substring(1); else newWords[ctr] = words[ctr]; } return string.Join(" ", newWords); } } // Attempting to load the StringLib.dll assembly produces the following output: // Unhandled Exception: System.BadImageFormatException: // The format of the file 'StringLib.dll' is invalid.
open System module StringLib = let private exceptionList = [ "a"; "an"; "the"; "in"; "on"; "of" ] let private separators = [| ' ' |] [<CompiledName "ToProperCase">] let toProperCase (title: string) = title.Split(separators, StringSplitOptions.RemoveEmptyEntries) |> Array.mapi (fun i word -> if i <> 0 && List.contains word exceptionList then word else word[0..0].ToUpper() + word[1..]) |> String.concat " " // Attempting to load the StringLib.dll assembly produces the following output: // Unhandled Exception: System.BadImageFormatException: // The format of the file 'StringLib.dll' is invalid.
Public Module StringLib Private exceptionList() As String = { "a", "an", "the", "in", "on", "of" } Private separators() As Char = { " "c } Public Function ToProperCase(title As String) As String Dim isException As Boolean = False Dim words() As String = title.Split( separators, StringSplitOptions.RemoveEmptyEntries) Dim newWords(words.Length) As String For ctr As Integer = 0 To words.Length - 1 isException = False For Each exception As String In exceptionList If words(ctr).Equals(exception) And ctr > 0 Then isException = True Exit For End If Next If Not isException Then newWords(ctr) = words(ctr).Substring(0, 1).ToUpper() + words(ctr).Substring(1) Else newWords(ctr) = words(ctr) End If Next Return String.Join(" ", newWords) End Function End Module
L’exemple suivant utilise la réflexion pour charger un assembly nommé StringLib.dll. Si le code source est compilé avec un compilateur .NET Framework 1.1, un BadImageFormatException est levée par la Assembly.LoadFrom méthode .
using System; using System.Reflection; public class Example { public static void Main() { string title = "a tale of two cities"; // object[] args = { title} // Load assembly containing StateInfo type. Assembly assem = Assembly.LoadFrom(@".\StringLib.dll"); // Get type representing StateInfo class. Type stateInfoType = assem.GetType("StringLib"); // Get Display method. MethodInfo mi = stateInfoType.GetMethod("ToProperCase"); // Call the Display method. string properTitle = (string) mi.Invoke(null, new object[] { title } ); Console.WriteLine(properTitle); } }
open System.Reflection let title = "a tale of two cities" // Load assembly containing StateInfo type. let assem = Assembly.LoadFrom @".\StringLib.dll" // Get type representing StateInfo class. let stateInfoType = assem.GetType "StringLib" // Get Display method. let mi = stateInfoType.GetMethod "ToProperCase" // Call the Display method. let properTitle = mi.Invoke(null, [| box title |]) :?> string printfn $"{properTitle}"
Imports System.Reflection Module Example Public Sub Main() Dim title As String = "a tale of two cities" ' Load assembly containing StateInfo type. Dim assem As Assembly = Assembly.LoadFrom(".\StringLib.dll") ' Get type representing StateInfo class. Dim stateInfoType As Type = assem.GetType("StringLib") ' Get Display method. Dim mi As MethodInfo = stateInfoType.GetMethod("ToProperCase") ' Call the Display method. Dim properTitle As String = CStr(mi.Invoke(Nothing, New Object() { title } )) Console.WriteLine(properTitle) End Sub End Module ' Attempting to load the StringLib.dll assembly produces the following output: ' Unhandled Exception: System.BadImageFormatException: ' The format of the file 'StringLib.dll' is invalid.
Pour résoudre cette exception, assurez-vous que l’assembly dont le code est en cours d’exécution et qui lève l’exception et l’assembly à charger ciblent toutes deux des versions compatibles de .NET.
Les composants de votre application ciblent différentes plateformes. Par exemple, vous essayez de charger des assemblys ARM dans une application x86. Vous pouvez utiliser l’utilitaire de ligne de commande suivant pour déterminer les plateformes cibles des assemblys .NET individuels. La liste des fichiers doit être fournie sous la forme d’une liste délimitée par un espace au niveau de la ligne de commande.
using System; using System.IO; using System.Reflection; public class Example { public static void Main() { String[] args = Environment.GetCommandLineArgs(); if (args.Length == 1) { Console.WriteLine("\nSyntax: PlatformInfo <filename>\n"); return; } Console.WriteLine(); // Loop through files and display information about their platform. for (int ctr = 1; ctr < args.Length; ctr++) { string fn = args[ctr]; if (! File.Exists(fn)) { Console.WriteLine("File: {0}", fn); Console.WriteLine("The file does not exist.\n"); } else { try { AssemblyName an = AssemblyName.GetAssemblyName(fn); Console.WriteLine("Assembly: {0}", an.Name); if (an.ProcessorArchitecture == ProcessorArchitecture.MSIL) Console.WriteLine("Architecture: AnyCPU"); else Console.WriteLine("Architecture: {0}", an.ProcessorArchitecture); Console.WriteLine(); } catch (BadImageFormatException) { Console.WriteLine("File: {0}", fn); Console.WriteLine("Not a valid assembly.\n"); } } } } }
open System open System.IO open System.Reflection let args = Environment.GetCommandLineArgs() if args.Length = 1 then printfn "\nSyntax: PlatformInfo <filename>\n" else printfn "" // Loop through files and display information about their platform. for i = 1 to args.Length - 1 do let fn = args[i] if not (File.Exists fn) then printfn $"File: {fn}" printfn "The file does not exist.\n" else try let an = AssemblyName.GetAssemblyName fn printfn $"Assembly: {an.Name}" if an.ProcessorArchitecture = ProcessorArchitecture.MSIL then printfn "Architecture: AnyCPU" else printfn $"Architecture: {an.ProcessorArchitecture}" printfn "" with :? BadImageFormatException -> printfn $"File: {fn}" printfn "Not a valid assembly.\n"
Imports System.IO Imports System.Reflection Module Example Public Sub Main() Dim args() As String = Environment.GetCommandLineArgs() If args.Length = 1 Then Console.WriteLine() Console.WriteLine("Syntax: PlatformInfo <filename> ") Console.WriteLine() Exit Sub End If Console.WriteLine() ' Loop through files and display information about their platform. For ctr As Integer = 1 To args.Length - 1 Dim fn As String = args(ctr) If Not File.Exists(fn) Then Console.WriteLine("File: {0}", fn) Console.WriteLine("The file does not exist.") Console.WriteLine() Else Try Dim an As AssemblyName = AssemblyName.GetAssemblyName(fn) Console.WriteLine("Assembly: {0}", an.Name) If an.ProcessorArchitecture = ProcessorArchitecture.MSIL Then Console.WriteLine("Architecture: AnyCPU") Else Console.WriteLine("Architecture: {0}", an.ProcessorArchitecture) End If Catch e As BadImageFormatException Console.WriteLine("File: {0}", fn) Console.WriteLine("Not a valid assembly.\n") End Try Console.WriteLine() End If Next End Sub End Module
La réflexion sur des fichiers exécutables C++ peut lever cette exception. Cela provient généralement de la suppression des adresses de réadressage ou de la section .Reloc du fichier exécutable par le compilateur C++. Pour conserver l'adresse de réadressage dans un fichier exécutable C++, spécifiez /fixed:no lors de la liaison.
BadImageFormatException utilise le HRESULT COR_E_BADIMAGEFORMAT
, qui a la valeur 0x8007000B.
Pour obtenir la liste des valeurs initiales des propriétés d’une instance de BadImageFormatException, consultez le BadImageFormatException constructeurs.
Constructeurs
BadImageFormatException() |
Initialise une nouvelle instance de la classe BadImageFormatException. |
BadImageFormatException(SerializationInfo, StreamingContext) |
Initialise une nouvelle instance de la classe BadImageFormatException avec des données sérialisées. |
BadImageFormatException(String) |
Initialise une nouvelle instance de la classe BadImageFormatException avec un message d'erreur spécifié. |
BadImageFormatException(String, Exception) |
Initialise une nouvelle instance de la classe BadImageFormatException avec un message d'erreur spécifié et une référence à l'exception interne ayant provoqué cette exception. |
BadImageFormatException(String, String) |
Initialise une nouvelle instance de la classe BadImageFormatException avec un message d'erreur et un nom de fichier spécifiés. |
BadImageFormatException(String, String, Exception) |
Initialise une nouvelle instance de la classe BadImageFormatException avec un message d'erreur spécifié et une référence à l'exception interne ayant provoqué cette exception. |
Propriétés
Data |
Obtient une collection de paires clé/valeur qui fournissent des informations définies par l'utilisateur supplémentaires sur l'exception. (Hérité de Exception) |
FileName |
Obtient le nom du fichier ayant provoqué cette exception. |
FusionLog |
Obtient le fichier journal qui décrit la raison de l'échec du chargement d'un assembly. |
HelpLink |
Obtient ou définit un lien vers le fichier d'aide associé à cette exception. (Hérité de Exception) |
HResult |
Obtient ou définit HRESULT, valeur numérique codée qui est assignée à une exception spécifique. (Hérité de Exception) |
InnerException |
Obtient l'instance Exception qui a provoqué l'exception actuelle. (Hérité de Exception) |
Message |
Obtient le message d'erreur et le nom du fichier ayant provoqué cette exception. |
Source |
Obtient ou définit le nom de l'application ou de l'objet qui est à l'origine de l'erreur. (Hérité de Exception) |
StackTrace |
Obtient une représentation sous forme de chaîne des frames immédiats sur la pile des appels. (Hérité de Exception) |
TargetSite |
Obtient la méthode qui lève l'exception actuelle. (Hérité de Exception) |
Méthodes
Equals(Object) |
Détermine si l'objet spécifié est égal à l'objet actuel. (Hérité de Object) |
GetBaseException() |
En cas de substitution dans une classe dérivée, retourne la Exception qui est à l'origine d'une ou de plusieurs exceptions ultérieures. (Hérité de Exception) |
GetHashCode() |
Fait office de fonction de hachage par défaut. (Hérité de Object) |
GetObjectData(SerializationInfo, StreamingContext) |
Définit l'objet SerializationInfo avec le nom du fichier, le journal du cache de l'assembly et d'autres informations se rapportant à l'exception. |
GetObjectData(SerializationInfo, StreamingContext) |
En cas de substitution dans une classe dérivée, définit SerializationInfo avec des informations sur l'exception. (Hérité de Exception) |
GetType() |
Obtient le type au moment de l'exécution de l'instance actuelle. (Hérité de Exception) |
MemberwiseClone() |
Crée une copie superficielle du Object actuel. (Hérité de Object) |
ToString() |
Retourne le nom qualifié complet de cette exception et éventuellement le message d'erreur, le nom de l'exception interne et la trace de la pile. |
Événements
SerializeObjectState |
Obsolète.
Se produit quand une exception est sérialisée pour créer un objet d'état d'exception qui contient des données sérialisées concernant l'exception. (Hérité de Exception) |