65.9K
CodeProject is changing. Read more.
Home

Hosting Common Language Runtime in Unmanaged Codes without the Dependency on .NET Framework

starIconstarIcon
emptyStarIcon
starIcon
emptyStarIconemptyStarIcon

2.88/5 (9 votes)

Jan 24, 2006

CPOL

1 min read

viewsIcon

41073

Hosting Common Language Runtime in Unmanaged Codes without the Dependency on .NET Framework

Introduction

The Hosting APIs of Common Language Runtime (CLR) provide an easy way to dynamically launch an application written in managed code in the unmanaged world. The topic has been well discussed and is out of the scope of this article.

This article will talk about an issue that you will face when using CLRs Hosting APIs. Suppose you want to write an EXE launcher that can launch executables written in managed and unmanaged codes. It is expected that the launcher can run without the .NET Framework if it does not launch any managed codes; the .NET Framework is required only when trying to launch a managed application.

The commonly used method to host CLR in an unmanaged program is to call CorBindToRuntimeEx. However, in doing so, you will quickly find out the problem that your application cannot work without mscoree.dll, an unexpected dependency on the .NET Framework.

The cause of the issue is that CorBindToRuntimeEx is exported from mscoree.dll. It will link to mscoree.dll at runtime. To resolve the dependency issue, we must avoid any functions provided by mscoree.dll.

The purpose of calling CorBindToRuntimeEx is to create an instance of the ICorRuntimeHost interface pointer. So we use CoCreateInstance to create an ICorRuntimeHost instance instead of using CorBindToRuntimeEx.

The following code explains the details:

CComPtr<ICorRuntimeHost> spRuntimeHost;
CComPtr<_AppDomain> spAppDomain;
CComPtr<IUnknown> spUnk;
/* Code has the .NET dependency 
if ( FAILED( CorBindToRuntimeEx( NULL, // Latest Version by Default
    L"wks", // Workstation build
    STARTUP_LOADER_OPTIMIZATION_SINGLE_DOMAIN,
    CLSID_CorRuntimeHost ,
    IID_ICorRuntimeHost ,
    (void**)&spRuntimeHost) ) ) {
    return false;
}
……………
/* Code without .NET dependency 
HRESULT hr = spRuntimeHost.CoCreateInstance(__uuidof(CorRuntimeHost));
if (FAILED(hr)) {
    return false;
}
……………..

Additionally, CoInitialize() and CoUninitialize() must be called before and after the call to CoCreateInstance().

History

  • 24th January, 2006: Initial post