


This article mainly introduces the sample code of the best combination of reflection and dynamic in C#. Friends who need it can refer to it
Reflection technology is widely used in C#. As for what reflection is... ..If you don’t understand, please read the explanation in the next paragraph, otherwise please skip the next paragraph. Advertisement: Friends who like my articles, please pay attention to my blog, which will also help improve my motivation for writing.
Reflection: When you have your back to a beautiful woman or handsome guy but cannot turn around to observe and study it carefully (purely fictitious, any coincidence or similarity), a small mirror can meet your needs. In the process of C# programming, we often encounter a similar situation: there is a dll class library written by others that you want to use but there is no program documentation... At this time, through the functions provided by C# Runtime, you can use the dll class library Load the library into your program and study every part of the dll. This is reflection in C#.
Personally think that the most prominent advantage or rationality of reflection is: dynamic adjustment of program functions (Runtime dynamic object creation) without modifying the original code of the program.
Example:
interface IRun { void Run(); } class Person : IRun { public void Run() { Console.WriteLine("走,去LOL啊!"); } } class Car : IRun { public void Run() { Console.WriteLine("呜..........."); } } class Program { static void Main(string[] args) { IRun e = new Person(); e.Run(); Console.ReadLine(); } }
If the above Run function is not necessarily executed by Person, sometimes it needs to be Car and sometimes it needs Person. A common solution is to add a judgment structure such as if, as follows:
static void Main(string[] args) { Console.WriteLine("请输入:Car或Person"); string type = Console.ReadLine(); IRun e = null; if ("Car" == type) { e = new Car(); }else if("Person" == type) { e = new Person(); } if(null != e) e.Run(); Console.ReadLine(); }
This structure does solve the current needs, but it is not robust. With the increase in IRun interface implementation and inheritance of related classes, the above judgment structure will also grow rapidly. One of the major principles followed by object-oriented programming and design patterns is to encapsulate transformations, so the above program cannot cope with changes well. We do not involve the knowledge of "design patterns" here, so the sample code below is only to simplify the above program and does not deliberately apply the knowledge related to design patterns. As follows:
static void Main(string[] args) { Console.WriteLine("请输入:Car或Person"); string type = Console.ReadLine(); string classPath = String.Format("namespace.{0}", type); IRun e = Activator.CreateInstance(null, classPath).Unwrap() as IRun; if(null != e) e.Run(); Console.ReadLine(); }
After the above modification, the program can create an instance of IRun through Activator.CreateInstance based on the user's input. The program will no longer be implemented with IRun. Changes will occur as the impact of this problem increases. The above advantages are obtained through reflection, which is what I think is the "reasonableness of the existence of reflection".
Activator and Assembly implement reflection method to create objects
In C#, objects can be created through reflection method through Activator.CreateInstance (static) and Assembly.CreateInstance (non-static), in which Assembly.CreateInstance still calls Activator.CreateInstance internally.
Depending on whether the type object to be dynamically created is in the current assembly, reflection-created objects can be divided into: creating type objects within the assembly and creating type objects outside the assembly.
Create a type object within the assembly
private static void ReflectionIRun1(string className) { string classPath = String.Format("namespace.{0}", className); //参数 null ,指出所要创建类型对象位于当前程序集 var handler = Activator.CreateInstance(null, classPath); IRun e = (IRun)handler.Unwrap(); Console.WriteLine(e.Run()); } private static void ReflectionIRun2(string className) { string classPath = String.Format("namespace.{0}", className); //typeof(IRun).Assembly 获取 IRun 类型所在的程序集 object obj = typeof(IRun).Assembly.CreateInstance(null, classPath); IRun e = (IRun)obj; Console.WriteLine(e.Run()); }
Create a type object outside the assembly
Add a class library (another assembly) to the project, as shown below:
Add a Boss class, as shown below:
namespace Lib { public class Boss { private string name = "老大"; public string Name{ get {return name;} } public string Talk() { return "你们都被开除了......"; } //老板不会算账,总是多付钱,所以很有自知之明的将Payfor设为private,防止外部人员调用 private int Payfor(int total) { return total + 10; } } }
Before obtaining a Boss object, first add a reference to Lib. The acquisition example is as follows:
private static void ReflectionBoss1() { string classPath ="Lib.Boss"; //"Lib" 参数指明要加载的程序集(即要创建的对象类型在哪个程序集中定义) var handler = Activator.CreateInstance("Lib", classPath); Boss b = handler.Unwrap() as Boss; Console.WriteLine(b.Talk()); } private static void ReflectionBoss2() { string classPath ="Lib.Boss"; //Assembly.Load("Lib") 加载的程序集(即要创建的对象类型在哪个程序集中定义) var assembly = Assembly.Load("Lib"); Boss b = (Boss)assembly.CreateInstance(classPath); Console.WriteLine(b.Talk()); }
About how the CLR finds and locates objects during reflection For the loaded assembly, please refer to MSDN for knowledge about reflection.
Reflection access fields and call methods (properties)
In addition to helping us dynamically create objects, reflection can also help us dynamically access the object's methods (properties) or Field, the specific method will be changed or expanded due to different C# versions. Please refer to MSDN for more in-depth content. The following is just a simple example (standard usage).
Change the name of the boss, example:
private static void ReflectionBoss1() { string classPath = "Lib.Boss"; //"Lib" 参数指明要加载的程序集(即要创建的对象类型在哪个程序集中定义) var handler = Activator.CreateInstance("Lib", classPath); Boss b = handler.Unwrap() as Boss; //关键代码 FieldInfo f = b.GetType().GetField("name", BindingFlags.GetField | BindingFlags.NonPublic | BindingFlags.Instance); f.SetValue(b, "小二"); Console.WriteLine("{0}:{1}", b.Name, b.Talk()); }
Output:
Let the boss pay:
private static void ReflectionBoss1() { string classPath = "Lib.Boss"; //"Lib" 参数指明要加载的程序集(即要创建的对象类型在哪个程序集中定义) var handler = Activator.CreateInstance("Lib", classPath); Boss b = handler.Unwrap() as Boss; //关键代码 MethodInfo method = b.GetType().GetMethod("Payfor", BindingFlags.InvokeMethod | BindingFlags.NonPublic | BindingFlags.Instance); object money = method.Invoke(b, new object[] { 10 }); Console.WriteLine("DW039:老大给我报销10元钱车费......"); Console.WriteLine("{0}:.....,算不清了,给你这些吧。",b.Name); Console.WriteLine("DW039:......"); Console.WriteLine("{0}:{1}", b.Name,money); Console.WriteLine("DW039:老大你真棒!"); }
Output:
##The combination of dynamic and reflection
Because reflection is a runtime type operation, we face the problem of type uncertainty when programming. According to the previous article "C# Anonymous Object (Anonymous Type), Var, Dynamic Type Dynamic", the dynamic dynamic type combined with the reflection program we wrote can greatly optimize the program logic (access to code restricted by the protection level is not within this scope). Optimization of the above code:private static void ReflectionBoss1() { string classPath ="Lib.Boss"; var handler = Activator.CreateInstance("Lib", classPath); dynamic b = handler.Unwrap(); Console.WriteLine(b.Talk()); } private static void ReflectionBoss2() { string classPath ="Lib.Boss"; var assembly = Assembly.Load("Lib"); dynamic b = assembly.CreateInstance(classPath); Console.WriteLine(b.Talk()); }Call reflection through dynamic dynamic type object b to get the properties and methods of the object that can be called directly, thus eliminating the need for Frequent type conversion operations.
Common application scenarios of reflection
Application scenario What impressed me most was the MS Petshop example. When switching from SQL Server database to Oracle database, reflection obtains different data access layers. However, I have never encountered the situation of switching databases midway in actual projects. Other application scenarios are basically similar to the above examples. If you find more application scenarios, please add 3ks.
Advantages and disadvantages of reflection
Advantages: Reflection makes the program more flexible
Disadvantages: Reflection runs relatively slowly
As for Reflection is slower than ordinary programs. I have not tested it and do not plan to test it. The reality is: Ms advocates the use of dynamic, Mvc is popular, Ms continuously optimizes CLR, and improves machine performance, so you don’t need to consider too much reflection performance issues during development. If there is a bottleneck in the running speed of the program you write (you should first ensure that your program is written reasonably), I think it is more practical to study database optimization, data caching, web caching, load balancing and other technologies.
The above is the detailed content of Examples of the best combination of reflection and dynamic in C#. For more information, please follow other related articles on the PHP Chinese website!

The char array stores character sequences in C language and is declared as char array_name[size]. The access element is passed through the subscript operator, and the element ends with the null terminator '\0', which represents the end point of the string. The C language provides a variety of string manipulation functions, such as strlen(), strcpy(), strcat() and strcmp().

The usage methods of symbols in C language cover arithmetic, assignment, conditions, logic, bit operators, etc. Arithmetic operators are used for basic mathematical operations, assignment operators are used for assignment and addition, subtraction, multiplication and division assignment, condition operators are used for different operations according to conditions, logical operators are used for logical operations, bit operators are used for bit-level operations, and special constants are used to represent null pointers, end-of-file markers, and non-numeric values.

In C, the char type is used in strings: 1. Store a single character; 2. Use an array to represent a string and end with a null terminator; 3. Operate through a string operation function; 4. Read or output a string from the keyboard.

In C language, special characters are processed through escape sequences, such as: \n represents line breaks. \t means tab character. Use escape sequences or character constants to represent special characters, such as char c = '\n'. Note that the backslash needs to be escaped twice. Different platforms and compilers may have different escape sequences, please consult the documentation.

In C language, char type conversion can be directly converted to another type by: casting: using casting characters. Automatic type conversion: When one type of data can accommodate another type of value, the compiler automatically converts it.

A strategy to avoid errors caused by default in C switch statements: use enums instead of constants, limiting the value of the case statement to a valid member of the enum. Use fallthrough in the last case statement to let the program continue to execute the following code. For switch statements without fallthrough, always add a default statement for error handling or provide default behavior.

There is no built-in sum function in C language, so it needs to be written by yourself. Sum can be achieved by traversing the array and accumulating elements: Loop version: Sum is calculated using for loop and array length. Pointer version: Use pointers to point to array elements, and efficient summing is achieved through self-increment pointers. Dynamically allocate array version: Dynamically allocate arrays and manage memory yourself, ensuring that allocated memory is freed to prevent memory leaks.

The difference between multithreading and asynchronous is that multithreading executes multiple threads at the same time, while asynchronously performs operations without blocking the current thread. Multithreading is used for compute-intensive tasks, while asynchronously is used for user interaction. The advantage of multi-threading is to improve computing performance, while the advantage of asynchronous is to not block UI threads. Choosing multithreading or asynchronous depends on the nature of the task: Computation-intensive tasks use multithreading, tasks that interact with external resources and need to keep UI responsiveness use asynchronous.


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

ZendStudio 13.5.1 Mac
Powerful PHP integrated development environment

mPDF
mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

SecLists
SecLists is the ultimate security tester's companion. It is a collection of various types of lists that are frequently used during security assessments, all in one place. SecLists helps make security testing more efficient and productive by conveniently providing all the lists a security tester might need. List types include usernames, passwords, URLs, fuzzing payloads, sensitive data patterns, web shells, and more. The tester can simply pull this repository onto a new test machine and he will have access to every type of list he needs.

WebStorm Mac version
Useful JavaScript development tools

DVWA
Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software
