Click here to Skip to main content
15,867,686 members
Articles / Programming Languages / C++/CLI
Article

A first look at C++/CLI

Rate me:
Please Sign up or sign in to vote.
4.83/5 (111 votes)
27 Apr 20045 min read 571.2K   130   102
A brief look at the new C++/CLI syntax and how it improves over the old MC++ syntax

Introduction

When Microsoft brought out the Managed Extensions to C++ with VS.NET 7, C++ programmers accepted it with mixed reactions. While most people were happy that they could continue using C++, nearly everyone was unhappy with the ugly and twisted syntax offered by Managed C++. Microsoft obviously took the feedback it got very seriously and they decided that the MC++ syntax wasn't going to be much of a success.

On October 6th 2003, the ECMA announced the creation of a new task group to oversee development of a standard set of language extensions to create a binding between the ISO standard C++ programming language and Common Language Infrastructure (CLI). It was also made known that this new set of language extensions will be known as the C++/CLI standard, which will be supported by the VC++ compiler starting with the Whidbey release (VS.NET 2005).

Problems with the old syntax

  • Ugly and twisted syntax and grammar - All those double underscores weren't exactly pleasing to the eye.
  • Second class CLI support - Compared to C# and VB.NET, MC++ used contorted workarounds to provide CLI support, for e.g. it didn't have a for-each construct to enumerate .NET collections.
  • Poor integration of C++ and .NET - You couldn’t use C++ features like templates on CLI types and you couldn’t use CLI features like garbage collection on C++ types.
  • Confusing pointer usage - Both unmanaged C++ pointers and managed reference pointers used the same * based syntax which was quite confusing because __gc pointers were totally different in nature and behavior from unmanaged pointers.
  • The MC++ compiler could not produce verifiable code

What C++/CLI gives us?

  • Elegant syntax and grammar -This gave a natural feel for C++ developers writing managed code and allowed a smooth transition from unmanaged coding to managed coding. All those ugly double underscores are gone now.
  • First class CLI support - CLI features like properties, garbage collection and generics are supported directly. And what's more, C++/CLI allows jus to use these features on native unmanaged classes too.
  • First class C++ support - C++ features like templates and deterministic destructors work on both managed and unmanaged classes. In fact C++/CLI is the only .NET language where you can *seemingly* declare a .NET type on the stack or on the native C++ heap.
  • Bridges the gap between .NET and C++ - C++ programmers won't feel like a fish out of water when they attack the BCL
  • The executable generated by the C++/CLI compiler is now fully verifiable.

Hello World

MC++
using namespace System;

void _tmain()
{
    Console::WriteLine("Hello World");
}

Well, that doesn't look a lot different from old syntax, except that now you don't need to add a reference to mscorlib.dll because the Whidbey compiler implicitly references it whenever you compile with /clr (which now defaults to /clr:newSyntax).

Handles

One major confusion in the old syntax was that we used the * punctuator with unmanaged pointers and with managed references. In C++/CLI Microsoft introduces the concept of handles.

MC++
void _tmain()
{
    //The ^ punctuator represents a handle
    String^ str = "Hello World";
    Console::WriteLine(str);
}

The ^ punctuator (pronounced as cap) represents a handle to a managed object. According to the CLI specification a handle is a managed object reference. Handles are the new-syntax equivalent of __gc pointers in the MC++ syntax. Handles are not to be confused with pointers and are totally different in nature from pointers.

How handles differ from pointers?

  • Pointers are denoted using the * punctuator while handles are denoted using the ^ punctuator.
  • Handles are managed references to objects on the managed heap, pointers just point to a memory address.
  • Pointers are stable and GC cycles do not affect them, handles might keep pointing to different memory locations based on GC and memory compactions.
  • For pointers, the programmer must delete explicitly or else suffer a leak. For handles delete is optional.
  • Handles are type-safe while pointers are most definitely not. You cannot cast a handle to a void^.
  • Just as a new returns a pointer, a gcnew returns a handle.

Instantiating CLR objects

MC++
void _tmain()
{
    String^ str = gcnew String("Hello World");
    Object^ o1 = gcnew Object();
    Console::WriteLine(str);
}

The gcnew keyword is used to instantiate CLR objects and it returns a handle to the object on the CLR heap. The good thing about gcnew is that it allows us to easily differentiate between managed and unmanaged instantiations.

Basically, the gcnew keyword and the ^ operator offer just about everything you need to access the BCL. But obviously you'd need to create and declare your own managed classes and interfaces.

Declaring types

CLR types are prefixed with an adjective that describes what sort of type it is. The following are examples of type declarations in C++/CLI :-

  • CLR types
    • Reference types
      • ref class RefClass{...};
      • ref struct RefClass{...};
    • Value types
      • value class ValClass{...};
      • value struct ValClass{...};
    • Interfaces
      • interface class IType{...};
      • interface struct IType{...};
    • Enumerations
      • enum class Color{...};
      • enum struct Color{...};
  • Native types
    • class Native{...};
    • struct Native{...};
MC++
using namespace System;

interface class IDog
{
    void Bark();
};

ref class Dog : IDog
{
public:
    void Bark()
    {
        Console::WriteLine("Bow wow wow");
    }
};

void _tmain()
{
    Dog^ d = gcnew Dog();
    d->Bark();
}

There, the syntax is now so much more neater to look at than the old-syntax where the above code would have been strewn with double-underscored keywords like __gc and __interface.

Boxing/Unboxing

Boxing is implicit (yaay!) and type-safe. A bit-wise copy is performed and an Object is created on the CLR heap. Unboxing is explicit - just do a reinterpret_cast and then dereference.

MC++
void _tmain()
{
    int z = 44;
    Object^ o = z; //implicit boxing

    int y = *reinterpret_cast<int^>(o); //unboxing

    Console::WriteLine("{0} {1} {2}",o,z,y);

    z = 66; 
    Console::WriteLine("{0} {1} {2}",o,z,y);
}

// Output
// 44 44 44
// 44 66 44

The Object o is a boxed copy and does not actually refer the int value-type which is obvious from the output of the second Console::WriteLine.

When you box a value-type, the returned object remembers the original value type.

MC++
void _tmain()
{
    int z = 44;
    float f = 33.567;

    Object^ o1 = z; 
    Object^ o2 = f; 

    Console::WriteLine(o1->GetType());
    Console::WriteLine(o2->GetType());    
}

// Output
// System.Int32
// System.Single

Thus you cannot try and unbox to a different type.

MC++
void _tmain()
{
    int z = 44;
    float f = 33.567;

    Object^ o1 = z; 
    Object^ o2 = f;

    int y = *reinterpret_cast<int^>(o2);//System.InvalidCastException
    float g = *reinterpret_cast<float^>(o1);//System.InvalidCastException
}

If you do attempt to do so, you'll get a System.InvalidCastException. Talk about perfect type-safety! If you look at the IL generated, you'll see the MSIL box instruction in action. For example :-

MC++
void Box2()
{
    float y=45;
    Object^ o1 = y;
}

gets compiled to :-

MSIL
.maxstack  1
.locals (float32 V_0, object V_1)

  ldnull
  stloc.1
  ldc.r4     45.
  stloc.0
  ldloc.0
  box   [mscorlib]System.Single
  stloc.1
  ret

According to the MSIL docs, "The box instruction converts the ‘raw’ valueType (an unboxed value type) into an instance of type Object (of type O). This is accomplished by creating a new object and copying the data from valueType into the newly allocated object."

Further reading

Conclusion

Alright, so why would anyone want to use C++/CLI when they can use C#, J# and that VB thingie for writing .NET code? Here are the four reasons I gave during my talk at DevCon 2003 in Trivandrum (Dec 2003).

  • Compile existing C++ code to IL (/clr magic)
  • Deterministic destruction
  • Native interop support that outmatches anything other CLI languages can offer
  • All those underscores in MC++ are gone ;-)

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
United States United States
Nish Nishant is a technology enthusiast from Columbus, Ohio. He has over 20 years of software industry experience in various roles including Chief Technology Officer, Senior Solution Architect, Lead Software Architect, Principal Software Engineer, and Engineering/Architecture Team Leader. Nish is a 14-time recipient of the Microsoft Visual C++ MVP Award.

Nish authored C++/CLI in Action for Manning Publications in 2005, and co-authored Extending MFC Applications with the .NET Framework for Addison Wesley in 2003. In addition, he has over 140 published technology articles on CodeProject.com and another 250+ blog articles on his WordPress blog. Nish is experienced in technology leadership, solution architecture, software architecture, cloud development (AWS and Azure), REST services, software engineering best practices, CI/CD, mentoring, and directing all stages of software development.

Nish's Technology Blog : voidnish.wordpress.com

Comments and Discussions

 
QuestionCan we have a Managed object of type value on the Managed heap ? Pin
Frank__Q18-Jan-12 14:23
Frank__Q18-Jan-12 14:23 
Question[My vote of 1] WOW NICE COPY AND PASTE ARTICLE Pin
a ahole26-Jun-11 10:59
a ahole26-Jun-11 10:59 
GeneralMy vote of 5 Pin
Sharan Basappa7-Sep-10 4:51
Sharan Basappa7-Sep-10 4:51 
GeneralC++ / CLI for a big project Pin
N a v a n e e t h9-Nov-08 21:23
N a v a n e e t h9-Nov-08 21:23 
GeneralCongratulations! Pin
Indivara10-Aug-08 21:53
professionalIndivara10-Aug-08 21:53 
GeneralUsing C# in Managed C++/CLI Pin
Allston9-Feb-08 11:16
Allston9-Feb-08 11:16 
AnswerRe: Using C# in Managed C++/CLI Pin
Ri Qen-Sin18-Feb-08 4:41
Ri Qen-Sin18-Feb-08 4:41 
Generalreturning CLI byte array Pin
mhelinx093-Jul-07 14:56
mhelinx093-Jul-07 14:56 
QuestionHow to convert a managed Handle to unmanaged HANDLE Pin
kosmas17-May-07 4:24
kosmas17-May-07 4:24 
Hello All,

I am writing a managed C++ wrapper to mix a unmanaged C++ class. I have a unmanaged method like InitEvents(HANDLE handle) but I do not know how to pass the managed handle to an unmanaged method. My code is as following:

typedef System::IntPtr HANDLE;
m_Event = new ManualResetEvent(false);
handle = m_Event->get_Handle();

InitEvent(handle); // This is a unmanaged method with HANDLE type parameter

My question is that how can I pass IntPtr type to be a unmanged HANDLE type?
Hope someone can help me. Thank you.
AnswerRe: How to convert a managed Handle to unmanaged HANDLE Pin
Portatofe2-Oct-08 8:31
Portatofe2-Oct-08 8:31 
GeneralSTL.NET Pin
Ed K30-Oct-06 9:49
Ed K30-Oct-06 9:49 
GeneralRe: STL.NET Pin
Nish Nishant9-Nov-06 15:14
sitebuilderNish Nishant9-Nov-06 15:14 
GeneralUsing Static cast instead of reinterpret cast Pin
Sarath C22-Sep-06 5:44
Sarath C22-Sep-06 5:44 
GeneralRe: Using Static cast instead of reinterpret cast Pin
Nish Nishant22-Sep-06 5:50
sitebuilderNish Nishant22-Sep-06 5:50 
GeneralDictionary Conversion Pin
PankajMishra10-Sep-06 21:59
PankajMishra10-Sep-06 21:59 
QuestionHow to handle the pointers Pin
Koundinya10-Aug-06 22:22
Koundinya10-Aug-06 22:22 
AnswerRe: How to handle the pointers Pin
Tata Taufik31-Aug-06 5:07
Tata Taufik31-Aug-06 5:07 
GeneralC# or C++/CLI Pin
kerbydude18-Mar-06 9:03
kerbydude18-Mar-06 9:03 
GeneralRe: C# or C++/CLI Pin
Nish Nishant18-Mar-06 9:29
sitebuilderNish Nishant18-Mar-06 9:29 
GeneralRe: C# or C++/CLI Pin
kerbydude18-Mar-06 11:08
kerbydude18-Mar-06 11:08 
GeneralCreating an managed class in an umanaged class Pin
anderslundsgard14-Mar-06 23:37
anderslundsgard14-Mar-06 23:37 
General... wrong compiler error message... Pin
anderslundsgard14-Mar-06 23:45
anderslundsgard14-Mar-06 23:45 
GeneralPorting checklist Pin
Tom Archer5-Nov-05 16:23
Tom Archer5-Nov-05 16:23 
GeneralManaged resources Pin
core.cure21-Sep-05 5:53
core.cure21-Sep-05 5:53 
Generaltrrui Pin
yaniv_s130-May-05 7:42
yaniv_s130-May-05 7:42 

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.