Click here to Skip to main content
15,867,594 members
Articles / Programming Languages / C#
Article

.NET Object Spy and InvokeRemote

Rate me:
Please Sign up or sign in to vote.
4.79/5 (62 votes)
5 Mar 2007CPOL8 min read 259.2K   13.4K   164   76
A tool for browsing public and private members in any running .NET application (and a generic InvokeRemote method that wraps the code injection).

Contents

Introduction

During software development, a good debugger is invaluable. Likewise, when a runtime exception occurs, .NET's exception information (in particular, the call stack) provides invaluable help. However, sometimes you run into problems where something is not right, and to narrow down the problem, you need to investigate some internal state and data in the application. This is not always easy using the debugger, because there is seldom a natural place to put a breakpoint. It becomes even harder when the application is deployed; the only option is usually if you have left some code in the application to dump the internal state and data in question.

The tool Managed Spy and the article about Windows Forms Spy (wfspy) got me hooked on the idea, that it ought to be possible to use reflection to read out public and private members in any running .NET application. The solution presented here does - unlike the others - not stop at the selected control (window); it presents a browsable hierarchy of fields and properties. And unlike Managed Spy, the objects do not have to be serializable; the entire object browser is injected into the address space of the spied application. On the other hand, this solution does not offer any trace features.

The Solution

The solution to the problem described above is implemented as a tool named .NET Object Spy. The main window is small and simple, but easy to use:

Main Window

Drag the crosshair to another window, and it will be framed, and the main properties are displayed in the main window. Once released, you get this menu:

Menu

Select the first option, and the browser is displayed (running in the address space of the selected application):

Browser Window

You may right-click on a node to bring up a context menu. This allows you to refresh the node (including children).

The top line in the window shows the "path" to the currently selected object, e.g. Controls[0].Size.Width. You can also type this in and go directly to the corresponding node. You can even call parameterless methods using this, e.g. Controls[0].GetHashCode() or FindForm().Location.X. The Copy button copies the "path" to the clipboard. The is intended as a help to ObjectSpyEvaluator, which is explained later.

The Implementation

The solution contains three assemblies, which are described in detail in the following paragraphs:

  • InjectLib - A C++ library that wraps the code injection as a generic method, Injector.InvokeRemote
  • ObjectSpy - A C# executable that contains the main window
  • ObjectSpyLib - A C# library that contains the browser, which is injected into the spied application

InjectLib (InvokeRemote)

A spinoff from this solution is a generic method with this signature (C# syntax):

C#
object Injector.InvokeRemote(IntPtr hWnd, string assemblyFile,
            string typeName, string methodName, object[] args)

This wraps the injection process in a generic way that can be used for other purposes. The hWnd parameter identifies the window (and thus the process) in which your code should be injected. The assemblyFile specifies the code that should be injected, typeName specifies a class in this assembly, and methodName specifies a static method on this class. The method is called with the supplied arguments, and may optionally have a return value.

There are different methods to inject code into another process (see the CodeProject article Three Ways to Inject Your Code into Another Process). This solution is based on the same approach that most other tools use, Windows hooks (see Using Hooks for details on Windows Hooks). The steps performed by InvokeRemote are:

  1. Create a Windows message hook, using the Win32 API function SetWindowsHookEx
  2. Serialize the parameters to shared memory
  3. Send a custom message to the hook, to request its service
  4. The hook (i.e., code injected in the target process) now:
    1. Deserializes the parameters from shared memory
    2. Loads the requested assembly
    3. Invokes the requested method with the specified parameters
    4. Serializes any return value to shared memory
  5. Remove the hook
  6. Deserialize the return value from shared memory and return it to the caller

SetWindowsHookEx requires the address of the hook function. This must be exported from the library, which cannot be done from C#. Therefore, this library is made as a mixed-mode C++ library, using Visual Studio 2005's C++/CLI support. I.e., the library contains both native and managed code.

The memory shared between the two processes is simply a data segment created in the library, i.e., it has a fixed size. For this library, it means that the serialized version of the parameters to InvokeRemote must fit within 2000 bytes (obviously, they must also be serializable). The same limitations apply to the return value. An alternative approach could be memory mapped files (see this article on the MSDN Library).

The hook function caused a couple of interesting problems:

Problem #1: To make a nice wrapping of the serialization/deserialization, the parameters to the message hook are wrapped in a serializable RequestMessage class, declared in the InjectLib library itself. Despite this, the deserialization in step 4a above failed, complaining that it was unable to find the InjectLib library - obviously ignoring that it was running it in this exact moment! Searching the Internet indicated that this situation may occur if the library is loaded using LoadFrom. Although it is Windows itself that loads the library when it is injected, the suggested solution solved the problem: subscribe to the event AppDomain.CurrentDomain.AssemblyResolve. This event occurs when the CLR cannot find an assembly, and lets you return the assembly yourself.

Problem #2: When the message hook tries to load the assembly specified in the InvokeRemote call (step 4b above), it cannot find it. This is solved by using Assembly.LoadFrom instead of Assembly.Load. The message hook appends the path of InjectLib, assuming that the requested assembly is located in the same place. Otherwise, the requested assembly would have to be placed in the GAC or in the spied application's folder. A solution similar to problem #1 could probably also be used.

ObjectSpy

ObjectSpy is the executable that contains the main window. It is written in C#, and makes several Win32 API calls to find window handles and extract information etc. (for declaring API calls in C#, pinvoke.net is very useful). The implementation of the crosshair approach is highly inspired by the WinSpy demo project in Robert Kuster's article about three ways to inject code into another process. Apart from these API calls, the code is very straightforward, and ends calling InjectLib's InvokeRemote method:

C#
Injector.InvokeRemote(hWnd, "ObjectSpyLib.dll",
    "Bds.ObjectSpy.ObjectSpyForm", "ShowBrowser", new object[] { hWnd });

ObjectSpyLib

This C# library contains the browser form which is injected in the spied application. The entry point is the static method specified by ObjectSpy's parameters to InvokeRemote:

C#
public static void ShowBrowser(IntPtr hWnd)

This method creates an instance of the form and calls its Show method. The window handle is "converted" into a Control, using Control.FromHandle. The control forms the root of the object hierarchy. From there, the rest is exercising the reflection namespace.

Below each node in the tree that represents a non-null object, public and private fields, and properties of that object are added the first time the node is expanded (indexers excluded, since they require parameters). Furthermore, if an object implements IEnumerable, the enumerated objects are added. Whenever a node is selected in the tree, the corresponding object is used as the SelectedObject for the PropertyGrid control in the right side of the window.

One thing worth noting is that generic type names are mangled. For example, the typename returned from the reflection classes for the generic List class is "List`1". The number after the backtick indicates the number of type parameters. ObjectSpyLib unmangles this in a recursive manner, and presents it in C# syntax (i.e., using less-than and greater-than characters).

ObjectSpyEvaluator

In addition to the browser form, ObjectSpyLib also includes the class ObjectSpyEvaluator with this static method:

C#
public static string Evaluate(IntPtr hWnd, string expression)
The expression parameter is identical to the object "path" that can be entered in the browser. The result of the expression is returned. When performing automated GUI testing, this makes it very easy to write validation code. The validation code might e.g. make a call like this to check the Text property of the root node in a TreeView:
C#
string result = (string)Injector.InvokeRemote(hWnd, "ObjectSpyLib.dll",
    "Bds.ObjectSpy.ObjectSpyEvaluator", "Evaluate", 
    new object[] { hWnd, "treeView.Nodes[0].Text" });
A sample application using the Evaluate method - ObjectSpyEE - is included in the downloads:

Expression Evaluator

Future Enhancements

I hope this tool is useful as it is (at least it was fun making it!). However, there are several improvements that I would like to do when I have time:

  • Include static members
  • Find and include "root objects" from the application, if possible (i.e., not just objects referred to by the selected control)
  • Stop expansion when "simple types" (Int32 etc.) are encountered
  • Display private properties + public and private fields in PropertyGrid (by implementing ICustomTypeDescriptor)
  • Display additional type information about objects (FullName of declared type, FullName (+Name?) of actual type), possibly in PropertyGrid
  • Allow changing the value of "simple types" (Int32 etc.), also when not public properties, and thus in parent's PropertyGrid
  • Abort fetching enumerated objects if huge number of objects (when it takes too long)
  • Show information about from which base class a property or field is inherited, possibly in PropertyGrid
  • Option to only show fields, not properties, by default (to avoid possible side effects from calling a get accessor)

History

  • 2007-02-23 (ObjectSpy 1.2.0)
    • Added ObjectSpyEvaluator, ObjectSpyEE and related functionality in the browser form.
  • 2006-12-05 (ObjectSpy 1.1.0)
    • Members are no longer sorted using SortedList (by key), but by Sort method on ordinary List (and implementation of IComparable on ObjectInfo). This solves the problem with handling obfuscated names (like in .NET Reflector). Due to culture issues, keys for different members were considered equal. See Microsft Forums and MSDN for details.
    • Tree in browser window no longer hides selection when there is no focus.
    • Refresh option added in the browser context menu.
    • ObjectInfo has been split up into base and derived classes.
    • Slightly modified icon for browser window (to distinguish it from main window).
  • 2006-11-21 (ObjectSpy 1.0.0)

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer
Denmark Denmark
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionProblems with Visual Studio 2017 Pin
Yordy Corrales10-Jul-19 9:43
Yordy Corrales10-Jul-19 9:43 
QuestionCan I get 64bit InjectLib.DLL Pin
Member 1187401330-Jul-15 23:41
Member 1187401330-Jul-15 23:41 
QuestionMay I have your latest version for Win7 X64 ? Pin
LiuyuganZ18-May-15 17:07
LiuyuganZ18-May-15 17:07 
GeneralMy vote of 5 Pin
codetherapy27-Apr-14 5:49
codetherapy27-Apr-14 5:49 
GeneralRe: My vote of 5 Pin
bjarneds28-Apr-14 8:39
bjarneds28-Apr-14 8:39 
QuestionObjectSpyEvaluator - get object instead of string? Pin
dem62614-Oct-13 2:17
dem62614-Oct-13 2:17 
AnswerRe: ObjectSpyEvaluator - get object instead of string? Pin
bjarneds14-Oct-13 8:04
bjarneds14-Oct-13 8:04 
QuestionWin 7 64 bit Pin
Shishir Shukla10-Apr-13 18:24
Shishir Shukla10-Apr-13 18:24 
AnswerRe: Win 7 64 bit Pin
bjarneds11-Apr-13 9:30
bjarneds11-Apr-13 9:30 
GeneralRe: Win 7 64 bit Pin
Shishir Shukla13-Apr-13 0:21
Shishir Shukla13-Apr-13 0:21 
GeneralRe: Win 7 64 bit Pin
CodeRed00715-Sep-13 23:25
CodeRed00715-Sep-13 23:25 
GeneralRe: Win 7 64 bit Pin
Mark Babayev8-Mar-14 2:36
professionalMark Babayev8-Mar-14 2:36 
GeneralRe: Win 7 64 bit Pin
Member 45574259-Mar-14 16:51
Member 45574259-Mar-14 16:51 
GeneralRe: Win 7 64 bit Pin
Member 196597813-May-14 8:12
Member 196597813-May-14 8:12 
GeneralRe: Win 7 64 bit Pin
KingBill2-Sep-14 23:48
KingBill2-Sep-14 23:48 
AnswerTrivial changes to make it works on 64 bit Pin
ZhaoRuFei17-Oct-15 18:33
ZhaoRuFei17-Oct-15 18:33 
QuestionUsing object spy for web application Pin
Karthik Adidam14-Mar-13 20:51
Karthik Adidam14-Mar-13 20:51 
AnswerRe: Using object spy for web application Pin
bjarneds17-Mar-13 5:25
bjarneds17-Mar-13 5:25 
GeneralRe: Using object spy for web application Pin
Karthik Adidam24-Mar-13 19:45
Karthik Adidam24-Mar-13 19:45 
GeneralRe: Using object spy for web application Pin
bjarneds27-Mar-13 3:04
bjarneds27-Mar-13 3:04 
GeneralMy vote of 2 Pin
cellurl20-Dec-12 6:35
cellurl20-Dec-12 6:35 
GeneralRe: My vote of 2 Pin
bjarneds11-Apr-13 9:34
bjarneds11-Apr-13 9:34 
GeneralRe: My vote of 2 Pin
cellurl11-Apr-13 9:50
cellurl11-Apr-13 9:50 
GeneralRe: My vote of 2 Pin
bjarneds11-Apr-13 10:13
bjarneds11-Apr-13 10:13 
GeneralMy vote of 4 Pin
cellurl20-Dec-12 6:14
cellurl20-Dec-12 6:14 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.