예를 들어 Activator.CreateInstance의 목적?
누군가가 Activator.CreateInstance()
목적을 자세하게 설명 할 수 있습니까 ?
MyFancyObject
아래와 같은 클래스가 있다고 가정 해보 십시오.
class MyFancyObject
{
public int A { get;set;}
}
그것은 당신이 돌 수 있습니다 :
String ClassName = "MyFancyObject";
으로
MyFancyObject obj;
사용
obj = (MyFancyObject)Activator.CreateInstance("MyAssembly", ClassName))
그런 다음 다음과 같은 작업을 수행 할 수 있습니다.
obj.A = 100;
그 목적입니다. 또한 Type
클래스 이름 대신 문자열 로 제공하는 것과 같은 다른 많은 과부하가 있습니다. 그와 같은 문제가 발생하는 이유는 다른 이야기입니다. 여기에 필요한 사람들이 있습니다.
글쎄, 왜 그런 것을 사용 해야하는지 예를들 수 있습니다. 레벨과 적을 XML 파일로 저장하려는 게임을 생각해보십시오. 이 파일을 구문 분석 할 때 이와 같은 요소가있을 수 있습니다.
<Enemy X="10" Y="100" Type="MyGame.OrcGuard"/>
이제 할 수있는 것은 레벨 파일에서 찾은 객체를 동적으로 만드는 것입니다.
foreach(XmlNode node in doc)
var enemy = Activator.CreateInstance(null, node.Attributes["Type"]);
이는 동적 환경을 구축하는 데 매우 유용합니다. 물론 플러그인 또는 addin 시나리오에 이것을 사용하고 더 많이 사용할 수도 있습니다.
좋은 친구 인 MSDN 이 예를 들어 설명해 줄 수 있습니다.
다음에 링크 나 내용이 변경 될 경우를 대비 한 코드는 다음과 같습니다.
using System;
class DynamicInstanceList
{
private static string instanceSpec = "System.EventArgs;System.Random;" +
"System.Exception;System.Object;System.Version";
public static void Main()
{
string[] instances = instanceSpec.Split(';');
Array instlist = Array.CreateInstance(typeof(object), instances.Length);
object item;
for (int i = 0; i < instances.Length; i++)
{
// create the object from the specification string
Console.WriteLine("Creating instance of: {0}", instances[i]);
item = Activator.CreateInstance(Type.GetType(instances[i]));
instlist.SetValue(item, i);
}
Console.WriteLine("\nObjects and their default values:\n");
foreach (object o in instlist)
{
Console.WriteLine("Type: {0}\nValue: {1}\nHashCode: {2}\n",
o.GetType().FullName, o.ToString(), o.GetHashCode());
}
}
}
// This program will display output similar to the following:
//
// Creating instance of: System.EventArgs
// Creating instance of: System.Random
// Creating instance of: System.Exception
// Creating instance of: System.Object
// Creating instance of: System.Version
//
// Objects and their default values:
//
// Type: System.EventArgs
// Value: System.EventArgs
// HashCode: 46104728
//
// Type: System.Random
// Value: System.Random
// HashCode: 12289376
//
// Type: System.Exception
// Value: System.Exception: Exception of type 'System.Exception' was thrown.
// HashCode: 55530882
//
// Type: System.Object
// Value: System.Object
// HashCode: 30015890
//
// Type: System.Version
// Value: 0.0
// HashCode: 1048575
당신은 또한 이것을 할 수 있습니다-
var handle = Activator.CreateInstance("AssemblyName",
"Full name of the class including the namespace and class name");
var obj = handle.Unwrap();
다음은 좋은 예입니다. 예를 들어 로거 세트가 있고 사용자가 구성 파일을 통해 런타임에 사용할 유형을 지정할 수 있습니다.
그때:
string rawLoggerType = configurationService.GetLoggerType();
Type loggerType = Type.GetType(rawLoggerType);
ILogger logger = Activator.CreateInstance(loggerType.GetType()) as ILogger;
또는 또 다른 경우는 엔티티를 생성하는 공통 엔티티 팩토리가 있고 DB에서 수신 한 데이터로 엔티티를 초기화해야하는 경우입니다.
(의사 코드)
public TEntity CreateEntityFromDataRow<TEntity>(DataRow row)
where TEntity : IDbEntity, class
{
MethodInfo methodInfo = typeof(T).GetMethod("BuildFromDataRow");
TEntity instance = Activator.CreateInstance(typeof(TEntity)) as TEntity;
return methodInfo.Invoke(instance, new object[] { row } ) as TEntity;
}
이 Activator.CreateInstance
메소드는 지정된 매개 변수와 가장 일치하는 생성자를 사용하여 지정된 유형의 인스턴스를 작성합니다.
For example, let's say that you have the type name as a string, and you want to use the string to create an instance of that type. You could use Activator.CreateInstance
for this:
string objTypeName = "Foo";
Foo foo = (Foo)Activator.CreateInstance(Type.GetType(objTypeName));
Here's an MSDN article that explains it's application in more detail:
http://msdn.microsoft.com/en-us/library/wccyzw83.aspx
Building off of deepee1 and this, here's how to accept a class name in a string, and then use it to read and write to a database with LINQ. I use "dynamic" instead of deepee1's casting because it allows me to assign properties, which allows us to dynamically select and operate on any table we want.
Type tableType = Assembly.GetExecutingAssembly().GetType("NameSpace.TableName");
ITable itable = dbcontext.GetTable(tableType);
//prints contents of the table
foreach (object y in itable) {
string value = (string)y.GetType().GetProperty("ColumnName").GetValue(y, null);
Console.WriteLine(value);
}
//inserting into a table
dynamic tableClass = Activator.CreateInstance(tableType);
//Alternative to using tableType, using Tony's tips
dynamic tableClass = Activator.CreateInstance(null, "NameSpace.TableName").Unwrap();
tableClass.Word = userParameter;
itable.InsertOnSubmit(tableClass);
dbcontext.SubmitChanges();
//sql equivalent
dbcontext.ExecuteCommand("INSERT INTO [TableNme]([ColumnName]) VALUES ({0})", userParameter);
Why would you use it if you already knew the class and were going to cast it? Why not just do it the old fashioned way and make the class like you always make it? There's no advantage to this over the way it's done normally. Is there a way to take the text and operate on it thusly:
label1.txt = "Pizza"
Magic(label1.txt) p = new Magic(lablel1.txt)(arg1, arg2, arg3);
p.method1();
p.method2();
If I already know its a Pizza there's no advantage to:
p = (Pizza)somefancyjunk("Pizza"); over
Pizza p = new Pizza();
but I see a huge advantage to the Magic method if it exists.
Coupled with reflection, I found Activator.CreateInstance to be very helpful in mapping stored procedure result to a custom class as described in the following answer.
참고URL : https://stackoverflow.com/questions/7598088/purpose-of-activator-createinstance-with-example
'IT story' 카테고리의 다른 글
자동 레이아웃을 사용하여 총 너비의 백분율을 만드는 방법은 무엇입니까? (0) | 2020.08.03 |
---|---|
Django의 {% url %} 템플릿 태그를 통해 쿼리 매개 변수를 전달할 수 있습니까? (0) | 2020.08.03 |
인형을위한 ApartmentState (0) | 2020.08.03 |
webpack-dev-server가 반응 라우터의 진입 점을 허용하도록 허용하는 방법 (0) | 2020.08.03 |
모 놀리 식 커널과 마이크로 커널의 차이점은 무엇입니까? (0) | 2020.08.03 |