Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Invoke method using Reflection on COM Object

Tags:

c#

reflection

com

I have an instance of a COM object... which is created like this:

Type type = TypeDelegator.GetTypeFromProgID("Broker.Application");
Object application = Activator.CreateInstance(type);

When I try to invoke a method:

type.GetMethod("RefreshAll").Invoke(application, null);

-> type.GetMethod("RefreshAll") returns null. When I try to get all the methods with type.GetMethods(), there is only these methods:

  1. GetLifetimeService
  2. InitializeLifetimeService
  3. CreateObjRef
  4. ToString
  5. Equals
  6. GetHashCode
  7. GetType

Where is the RefreshAll Method? And how can I invoke it?

like image 865
Prabu Avatar asked May 05 '10 12:05

Prabu


2 Answers

You can't use GetMethod on COM objects, you have to use a different way:

this.application.GetType().InvokeMember("RefreshAll", BindingFlags.InvokeMethod, null, this.application, null);

I am using this way in a old project that uses COM so it should work ok for you.

like image 83
Nathan W Avatar answered Oct 26 '22 06:10

Nathan W


I realise this is a late answer but c# 4 changes things a bit with the introduction of the dynamic keyword which was designed with COM-interop in mind.

MSDN:

The COM interop scenario that the C# team specifically targeted in the C# 4 release was programming against Microsoft Office applications, such as Word and Excel. The intent was to make this task as easy and natural in C# as it always was in Visual Basic. [1]

Your code now becomes:

Type type = TypeDelegator.GetTypeFromProgID("Broker.Application");
dynamic application = Activator.CreateInstance(type);
application.RefreshAll(); // <---- new in c# 4

Now you won't see RefreshAll() in Visual Studio statement completion so don't be alarmed. It will compile.

[1] Understanding the Dynamic Keyword in C# 4

like image 20
MickyD Avatar answered Oct 26 '22 04:10

MickyD