Free VC++ Tutorial

Web based School

Previous Page Main Page Next Page


36 — OLE Control Development

Constructing an OLE custom control used to be a mysterious task best left to gurus who write even their love letters in C++. Version 4 of Visual C++ changes that by adding advanced AppWizard support for OLE control development.

It is now possible to create simple OLE controls with relatively little work. AppWizard provides the OLE custom control framework that consists of control registration and initialization code, and skeleton code for the control's class and property pages.

An OLE control is defined in terms of its appearance, properties, methods, and events. Control properties, methods, and events can be defined through the ClassWizard.

To demonstrate the capabilities of an OLE custom control, I developed a simple control. This control, OCTL, consists of a single button that can have three different shapes (ellipse, rectangle, triangle). When the control is clicked on, it changes its state from deselected to selected or vice versa. When the control is selected, it appears red; otherwise, its color is green. The control generates events whenever its state changes.

Figure 36.1 demonstrates the OCTL custom control in action.


Figure 36.1. The OCTL control in action.

This control, like any other control, can be embedded in dialogs or used otherwise by OLE control container applications. The Developer Studio fully supports the construction of dialogs that contain OLE custom controls and the use of OLE custom controls in applications through wrapper classes.

The steps of creating a custom control are as follows:

  1. Create the custom control skeleton through AppWizard.

  2. Add the control's properties, methods, and events through ClassWizard.

  3. Update the control's representative bitmap using the Developer Studio bitmap editor.

  4. Add drawing code to your control.

  5. Develop code for methods and events.

  6. Create the control's property page.

  7. Add code handling the property page.

In the remainder of this chapter, we review each of these steps in detail. As we proceed, the OCTL control will serve as an example of putting the principles into practice.

Creating a Skeleton Control with AppWizard

The first step in constructing an OLE custom control is creating a custom control skeleton through AppWizard—or, to be more precise, through ControlWizard, which is a custom AppWizard developed specifically for the purposes of creating OLE custom controls.

Creating the Skeleton Control

To begin, select New from the Developer Studio File menu, then select Project Workspace in the New dialog. In the New Project Workspace dialog select OLE ControlWizard as the project type, type in a name for the new project (for example, OCTL), and select a suitable directory (Figure 36.2).


Figure 36.2. Creating the OCTL control.

After you click Create, the first page of the two-page OLE ControlWizard appears (Figure 36.3). On this page, you can specify the number of controls in your project (a single OLE control project can contain multiple controls), whether you want licensing support, and whether you want source comments and support for a help file. (Specifying help file support is generally a good idea; it is much easier to throw out code later than trying to add it to your project.)


Figure 36.3. ControlWizard Page One.

If you decide to add licensing support, the ControlWizard will create a default LIC file for your control. It will also add functions to your control class that support verification of licensing information. Without a valid license (LIC) file, it will not be possible to use the control in design mode. This is how users of your control should redistribute your control to end users (that is, without the license file); you, on the other hand, provide the control to your users with a valid license file that enables them to do development work with your control.

In the second page of ControlWizard (Figure 36.4), you can review and modify the class names that AppWizard generated for your controls. For every control in your project, AppWizard creates two classes: a control class and a class for the control's property page.


Figure 36.4. ControlWizard Page Two.

If your control requires more than one property page, don't worry; you will have an opportunity to create additional property pages. Use the ControlWizard to specify the parameters for the first property page.

On this ControlWizard page, several additional properties can also be defined. I would like to bring your attention to two of these. The Invisible at runtime option enables you to create controls (such as the Microsoft Comm control) that do not have a visible interface at runtime. The Available in "Insert Object" dialog option enables you to create a control that can be inserted into OLE container documents. This option should typically remain unchecked; after all, when you create a new button meant to be used in dialogs, you may not want someone include it in a Word for Windows document!

You can also specify a control class that the new custom control will subclass. For example, you can specify the BUTTON class to create a custom control that inherits some of the behavior of the standard Button control.

The OCTL control was created with all ControlWizard settings left at their default values.

Custom Control Code Overview

Before proceeding, we need to take a look at the code generated by ControlWizard and familiarize ourselves with the new custom control's classes and resources. As always, it is a good idea to develop a basic understanding of these components before proceeding with custom modifications.

If you look at your project in ClassView (Figure 36.5), you can see that the ControlWizard generated three classes for you. One represents the custom control library object; the other two represent the control object and the control's property page. (If you elected to create a project with more than one control, additional pairs of classes were also created by ControlWizard to represent additional control objects and their property pages.)


Figure 36.5. Classes generated by ControlWizard.

Of the three classes in the OCTL project, the COCTLApp class is perhaps the simplest. Derived from COleControlModule, this class represents the OCX object, that is, the library that contains your OLE custom controls. Only two member functions are declared (Listing 36.1).

    Listing 36.1. COCTLApp class declaration.
class COCTLApp : public COleControlModule

{

public:

    BOOL InitInstance();

    int ExitInstance();

};

These functions have a trivial implementation (Listing 36.2). In the same file, OCTL.cpp, there is also a pair of additional functions, DllRegisterServer and DllUnregisterServer. These two functions store and remove OLE registration information for your new controls in the Registry. The redistributable program regsvr32.exe calls these functions to register or unregister OLE custom controls.

    Listing 36.2. COCTLApp class implementation and control registration functions.
///////////////////////////////////////////////////////////////////

// COCTLApp::InitInstance - DLL initialization

BOOL COCTLApp::InitInstance()

{

    BOOL bInit = COleControlModule::InitInstance();

    if (bInit)

    {

        // TODO: Add your own module initialization code here.

    }

    return bInit;

}

///////////////////////////////////////////////////////////////////

// COCTLApp::ExitInstance - DLL termination

int COCTLApp::ExitInstance()

{

    // TODO: Add your own module termination code here.

    return COleControlModule::ExitInstance();

}

///////////////////////////////////////////////////////////////////

// DllRegisterServer - Adds entries to the system registry

STDAPI DllRegisterServer(void)

{

    AFX_MANAGE_STATE(_afxModuleAddrThis);

    if (!AfxOleRegisterTypeLib(AfxGetInstanceHandle(), _tlid))

        return ResultFromScode(SELFREG_E_TYPELIB);

    if (!COleObjectFactoryEx::UpdateRegistryAll(TRUE))

        return ResultFromScode(SELFREG_E_CLASS);

    return NOERROR;

}

///////////////////////////////////////////////////////////////////

// DllUnregisterServer - Removes entries from the system registry

STDAPI DllUnregisterServer(void)

{

    AFX_MANAGE_STATE(_afxModuleAddrThis);

    if (!AfxOleUnregisterTypeLib(_tlid))

        return ResultFromScode(SELFREG_E_TYPELIB);

    if (!COleObjectFactoryEx::UpdateRegistryAll(FALSE))

        return ResultFromScode(SELFREG_E_CLASS);

    return NOERROR;

}

In terms of simplicity, the COCTRLPropPage class follows. This class implements the property page of the control that design applications (such as the dialog template editor in Developer Studio) can display in a property sheet interface.

The ControlWizard generates a blank property page for you (Figure 36.6). It is up to you to add controls to this property page as they fit the requirements of your control.


Figure 36.6. The default ControlWizard-generated property page.

Correspondingly, the default version of the COCTLPropPage is equally simple. The class declaration (Listing 36.3) only contains declarations for a constructor and a DoDataExchange member function. Notice the use of the DECLARE_DYNCREATE and DECLARE_OLECREATE_EX macros; the latter makes the run-time creation of the OLE custom control property page possible.

    Listing 36.3. COCTLPropPage class declaration.
class COCTLPropPage : public COlePropertyPage

{

    DECLARE_DYNCREATE(COCTLPropPage)

    DECLARE_OLECREATE_EX(COCTLPropPage)

// Constructor

public:

    COCTLPropPage();

// Dialog Data

    //{{AFX_DATA(COCTLPropPage)

    enum { IDD = IDD_PROPPAGE_OCTL };

        // NOTE - ClassWizard will add data members here.

 //    DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_DATA

// Implementation

protected:

    virtual void DoDataExchange(CDataExchange* pDX);

// Message maps

protected:

    //{{AFX_MSG(COCTLPropPage)

        // NOTE - ClassWizard will add and remove member functions

        //  here.  DO NOT EDIT what you see in these blocks of

        //  generated code !

    //}}AFX_MSG

    DECLARE_MESSAGE_MAP()

};

Although this class is derived from COlePropertyPage, for all practical intents and purposes it works the same way as any CPropertyPage-derived class. In particular, you can use the ClassWizard to add member variables that correspond to controls in the property page. However, it is sometimes necessary to use additional data exchange functions and macros (for example, when specifying a persistent custom control property). But more about that later.

The implementation file of COCTLPropPage contains, in addition to trivial skeletal definitions of the constructor and the DoDataExchange member function, additional OLE-related elements (Listing 36.4). Fortunately, it is rarely necessary to modify these elements manually; where necessary, the ClassWizard will insert items as applicable.

    Listing 36.4. COCTLPropPage class implementation.
IMPLEMENT_DYNCREATE(COCTLPropPage, COlePropertyPage)

///////////////////////////////////////////////////////////////////

// Message map

BEGIN_MESSAGE_MAP(COCTLPropPage, COlePropertyPage)

    //{{AFX_MSG_MAP(COCTLPropPage)

    // NOTE - ClassWizard will add and remove message map entries

    // DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_MSG_MAP

END_MESSAGE_MAP()

///////////////////////////////////////////////////////////////////

// Initialize class factory and guid

IMPLEMENT_OLECREATE_EX(COCTLPropPage, "OCTL.OCTLPropPage.1",

                       0xabe328d7, 0xf792, 0x11ce, 0x87, 0xc3, 0,

                       0x40, 0x33, 0x21, 0xbf, 0xac)

///////////////////////////////////////////////////////////////////

// COCTLPropPage::COCTLPropPageFactory::UpdateRegistry -

// Adds or removes system registry entries for COCTLPropPage

BOOL

COCTLPropPage::COCTLPropPageFactory::UpdateRegistry(BOOL bRegister)

{

    if (bRegister)

     return AfxOleRegisterPropertyPageClass(AfxGetInstanceHandle(),

            m_clsid, IDS_OCTL_PPG);

    else

        return AfxOleUnregisterClass(m_clsid, NULL);

}

///////////////////////////////////////////////////////////////////

// COCTLPropPage::COCTLPropPage - Constructor

COCTLPropPage::COCTLPropPage() :

    COlePropertyPage(IDD, IDS_OCTL_PPG_CAPTION)

{

    //{{AFX_DATA_INIT(COCTLPropPage)

    // NOTE: ClassWizard will add member initialization here

    // DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_DATA_INIT

}

///////////////////////////////////////////////////////////////////

// COCTLPropPage::DoDataExchange -

// Moves data between page and properties

void COCTLPropPage::DoDataExchange(CDataExchange* pDX)

{

    //{{AFX_DATA_MAP(COCTLPropPage)

    // NOTE: ClassWizard will add DDP, DDX, and DDV calls here

    // DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_DATA_MAP

    DDP_PostProcessing(pDX);

}

In fact, under normal circumstances, you will rarely need to edit this code manually at all; code supporting member variables that correspond to controls in the property page will be inserted automatically by ClassWizard. Instances involving the need for manual modification include the case when nonstandard control behavior is desired; but even in those cases, changes are often confined to the DoDataExchange member function.

The last of the three ControlWizard-generated classes for the OCTL control is the class COCTLCtrl. As its name implies, this class encapsulates the overall behavior of the custom control, and as such, can be considered perhaps the central element of the custom control project.

The declaration of the COCTLCtrl class is shown in Listing 36.5. I would like to call your attention to several elements in this declaration.

    Listing 36.5. COCTLCtrl class declaration.
class COCTLCtrl : public COleControl

{

    DECLARE_DYNCREATE(COCTLCtrl)

// Constructor

public:

    COCTLCtrl();

// Overrides

    // Drawing function

    virtual void OnDraw(

          CDC* pdc, const CRect& rcBounds, const CRect& rcInvalid);

    // Persistence

    virtual void DoPropExchange(CPropExchange* pPX);

    // Reset control state

    virtual void OnResetState();

// Implementation

protected:

    ~COCTLCtrl();

    DECLARE_OLECREATE_EX(COCTLCtrl)    // Class factory and guid

    DECLARE_OLETYPELIB(COCTLCtrl)      // GetTypeInfo

    DECLARE_PROPPAGEIDS(COCTLCtrl)     // Property page IDs

    DECLARE_OLECTLTYPE(COCTLCtrl)      // Type name and misc status

// Message maps

    //{{AFX_MSG(COCTLCtrl)

   // NOTE - ClassWizard will add and remove member functions here.

   //  DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_MSG

    DECLARE_MESSAGE_MAP()

// Dispatch maps

    //{{AFX_DISPATCH(COCTLCtrl)

   // NOTE - ClassWizard will add and remove member functions here.

   //  DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_DISPATCH

    DECLARE_DISPATCH_MAP()

    afx_msg void AboutBox();

// Event maps

    //{{AFX_EVENT(COCTLCtrl)

   // NOTE - ClassWizard will add and remove member functions here.

   //  DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_EVENT

    DECLARE_EVENT_MAP()

// Dispatch and event IDs

public:

    enum {

    //{{AFX_DISP_ID(COCTLCtrl)

        // NOTE: ClassWizard will add and remove enumeration

        //  elements here.  DO NOT EDIT what you see in these

        //  blocks of generated code !

    //}}AFX_DISP_ID

    };

};

The Implementation section of this declaration begins with a series of four macro calls that declare various OLE-related elements. There are corresponding macro calls implementing these elements in the implementation file. Of particular interest is the call to DECLARE_OLECREATE_EX; this macro call is different in the case of an OLE custom control that supports licensing. (It is replaced by a block of function declarations enclosed between a BEGIN_OLEFACTORY and an END_OLEFACTORY macro call.)

In the remainder of the class declaration, the OLE control's message map, dispatch map, event map, and dispatch/event identifiers are declared. These maps are used to route messages and to define the control's OLE interface of properties, methods, and events. The ClassWizard adds items automatically to these sections of code; you rarely need to modify them directly.

The implementation file of class COCTLCtrl (Listing 36.6) contains several elements that you may need to be familiar with.

    Listing 36.6. COCTLCtrl class implementation.
IMPLEMENT_DYNCREATE(COCTLCtrl, COleControl)

///////////////////////////////////////////////////////////////////

// Message map

BEGIN_MESSAGE_MAP(COCTLCtrl, COleControl)

    //{{AFX_MSG_MAP(COCTLCtrl)

    // NOTE - ClassWizard will add and remove message map entries

    // DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_MSG_MAP

    ON_OLEVERB(AFX_IDS_VERB_PROPERTIES, OnProperties)

END_MESSAGE_MAP()

///////////////////////////////////////////////////////////////////

// Dispatch map

BEGIN_DISPATCH_MAP(COCTLCtrl, COleControl)

    //{{AFX_DISPATCH_MAP(COCTLCtrl)

    // NOTE - ClassWizard will add and remove dispatch map entries

    // DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_DISPATCH_MAP

    DISP_FUNCTION_ID(COCTLCtrl, "AboutBox", DISPID_ABOUTBOX,

                     AboutBox, VT_EMPTY, VTS_NONE)

END_DISPATCH_MAP()

///////////////////////////////////////////////////////////////////

// Event map

BEGIN_EVENT_MAP(COCTLCtrl, COleControl)

    //{{AFX_EVENT_MAP(COCTLCtrl)

    // NOTE - ClassWizard will add and remove event map entries

    // DO NOT EDIT what you see in these blocks of generated code !

    //}}AFX_EVENT_MAP

END_EVENT_MAP()

///////////////////////////////////////////////////////////////////

// Property pages

// TODO: Add more property pages as needed.

//  Remember to increase the count!

BEGIN_PROPPAGEIDS(COCTLCtrl, 1)

    PROPPAGEID(COCTLPropPage::guid)

END_PROPPAGEIDS(COCTLCtrl)

///////////////////////////////////////////////////////////////////

// Initialize class factory and guid

IMPLEMENT_OLECREATE_EX(COCTLCtrl, "OCTL.OCTLCtrl.1",

                       0x677600e7, 0xf6c5, 0x11ce, 0x87, 0xc3, 0,

                       0x40, 0x33, 0x21, 0xbf, 0xac)

///////////////////////////////////////////////////////////////////

// Type library ID and version

IMPLEMENT_OLETYPELIB(COCTLCtrl, _tlid, _wVerMajor, _wVerMinor)

///////////////////////////////////////////////////////////////////

// Interface IDs

const IID BASED_CODE IID_DOCTL =

               { 0xabe328d5, 0xf792, 0x11ce,

                 { 0x87, 0xc3, 0, 0x40, 0x33, 0x21, 0xbf, 0xac } };

const IID BASED_CODE IID_DOCTLEvents =

               { 0xabe328d6, 0xf792, 0x11ce,

                 { 0x87, 0xc3, 0, 0x40, 0x33, 0x21, 0xbf, 0xac } };

///////////////////////////////////////////////////////////////////

// Control type information

static const DWORD BASED_CODE _dwOCTLOleMisc =

    OLEMISC_ACTIVATEWHENVISIBLE |

    OLEMISC_SETCLIENTSITEFIRST |

    OLEMISC_INSIDEOUT |

    OLEMISC_CANTLINKINSIDE |

    OLEMISC_RECOMPOSEONRESIZE;

IMPLEMENT_OLECTLTYPE(COCTLCtrl, IDS_OCTL, _dwOCTLOleMisc)

///////////////////////////////////////////////////////////////////

// COCTLCtrl::COCTLCtrlFactory::UpdateRegistry -

// Adds or removes system registry entries for COCTLCtrl

BOOL COCTLCtrl::COCTLCtrlFactory::UpdateRegistry(BOOL bRegister)

{

    if (bRegister)

        return AfxOleRegisterControlClass(

            AfxGetInstanceHandle(),

            m_clsid,

            m_lpszProgID,

            IDS_OCTL,

            IDB_OCTL,

            FALSE,                      //  Not insertable

            _dwOCTLOleMisc,

            _tlid,

            _wVerMajor,

            _wVerMinor);

    else

        return AfxOleUnregisterClass(m_clsid, m_lpszProgID);

}

///////////////////////////////////////////////////////////////////

// COCTLCtrl::COCTLCtrl - Constructor

COCTLCtrl::COCTLCtrl()

{

    InitializeIIDs(&IID_DOCTL, &IID_DOCTLEvents);

    // TODO: Initialize your control's instance data here.

}

///////////////////////////////////////////////////////////////////

// COCTLCtrl::~COCTLCtrl - Destructor

COCTLCtrl::~COCTLCtrl()

{

    // TODO: Cleanup your control's instance data here.

}

///////////////////////////////////////////////////////////////////

// COCTLCtrl::OnDraw - Drawing function

void COCTLCtrl::OnDraw(

           CDC* pdc, const CRect& rcBounds, const CRect& rcInvalid)

{

    // TODO: Replace the following code with your own drawing code.

    pdc->FillRect(rcBounds,

          CBrush::FromHandle((HBRUSH)GetStockObject(WHITE_BRUSH)));

    pdc->Ellipse(rcBounds);

}

///////////////////////////////////////////////////////////////////

// COCTLCtrl::DoPropExchange - Persistence support

void COCTLCtrl::DoPropExchange(CPropExchange* pPX)

{

    ExchangeVersion(pPX, MAKELONG(_wVerMinor, _wVerMajor));

    COleControl::DoPropExchange(pPX);

   // TODO: Call PX_ functions for each persistent custom property.

}

///////////////////////////////////////////////////////////////////

// COCTLCtrl::OnResetState - Reset control to default state

void COCTLCtrl::OnResetState()

{

    COleControl::OnResetState();

    // TODO: Reset any other control state here.

}

///////////////////////////////////////////////////////////////////

// COCTLCtrl::AboutBox - Display an "About" box to the user

void COCTLCtrl::AboutBox()

{

    CDialog dlgAbout(IDD_ABOUTBOX_OCTL);

    dlgAbout.DoModal();

}

The Message Map, Dispatch Map, and Event Map sections of this implementation are usually maintained by the ClassWizard. However, should you need to create additional property pages as part of your control's property page interface, you must manually modify the Property Pages section. For example, in a control that has three property pages, this section may contain the following code:

BEGIN_PROPPAGEIDS(COCTLCtrl, 3)

    PROPPAGEID(COCTLPropPage1::guid)

    PROPPAGEID(COCTLPropPage2::guid)

    PROPPAGEID(COCTLPropPage3::guid)

END_PROPPAGEIDS(COCTLCtrl)

Of the functions defined in this file, three are of importance to the control programmer. The member function OnDraw is used to actually draw the control. The ControlWizard generates this member function with some default drawing instructions in it (either drawing a circle or, in the case of a subclassed control, calling the superclass's drawing function). The member function DoPropExchange implements property persistency; that is, the capability of saving properties at design time and reloading them when the control is displayed at runtime. More about this later. The function OnResetState is used to reset property values to their defaults. Although the call to the base class implementation COleControl::OnResetState resets all persistent properties, it may be necessary to reset other properties manually in OnResetState.

Customizing the Control

Control properties, methods, and events can be added through the ClassWizard.

A property is analogous to a data member of a C++ class, even though control properties are often implemented using get/set methods as opposed to member variables.

A method is analogous to a member function (and is, in fact, implemented as a member function of the control class).

Events are messages that the control can send to its parent window. When you add an event through the ClassWizard, the ClassWizard creates a member function in the control class that fires the event. You can call this member function from your own code as required.

The OCTL control has two properties and one event.

The first of the two properties is the Selected property; this Boolean property reflects the selected/deselected state of the control. Whenever the left mouse button is clicked on the control, the control's state will change from selected to deselected or vice versa. The Selected property will be implemented using get/set methods; this form of implementation enables us to create a read-only control by simply omitting the set method.

The second property, Shape, is an integer property determining the control's shape. Its value can be 0 (elliptical shape), 1 (rectangular shape), or 2 (triangular shape). Although this is a read/write property, we will make it writeable only in design mode. For this reason, this property will also be implemented using get/set methods, with a check for design mode as part of the set method member function.

The single control event, the Select event, indicates to the parent window that the control's state changes. We will fire this event whenever the control receives a left mouse button click. (Needless to say, we must add a handler function for that event first.)

Changing the Control's Bitmap

Before we charge ahead adding code to the control, we must focus on the mundane task of updating the control bitmap. As mundane a task as it is, it should not be neglected; for it is the control bitmap that users of your control will most often see in tool palettes. Figure 36.7 shows the bitmap I drew for the OCTL control. (Okay, okay... I know I am not a graphic artist!)


Figure 36.7. OCTL control bitmap.

Adding Properties

Now to add the Selected and Shape properties to our control. To do so, invoke the ClassWizard and select the OLE Automation tab. Select the COCTLCtrl class (Figure 36.8).


Figure 36.8. Adding control properties.

To add the Selected property, click on the Add Property button. In the Add Property dialog, type the name Selected in the External name field; select BOOL as the property type; and select the get/set methods radio button under Implementation. At this point, the dialog automatically generates names for the property's get and set functions. To render this property read-only, simply erase the name of the set function before dismissing the dialog with the OK button (Figure 36.9).


Figure 36.9. Adding the Selected property.

Adding the Shape property is an almost identical process. There are two differences. First, the property's type should be short; second, as this property is a read/write property, you should not erase the name of the set function this time.

At this point, the ClassWizard generates a total of three new member functions in the control class.

To reflect the control's selection state and shape, we must now manually add member variables to the control class declaration. Add the following two declarations to the declaration of the class COCTLCtrl in the header file OCTLctl.h:

BOOL m_fSelected;

short m_nShape;

It is also necessary to initialize these member variables to reasonable defaults in the constructor of the control class. Add the following lines to COCTLCtrl::COCTLCtrl:

m_fSelected = FALSE;

m_nShape = 0;

With these member variables at hand, we can proceed with the implementation of the new get/set functions for which ClassWizard created skeletons. The completed functions are shown in Listing 36.7.

    Listing 36.7. COCTLCtrl property get/set methods.
short COCTLCtrl::GetShape()

{

    // TODO: Add your property handler here

    return m_nShape;

}

void COCTLCtrl::SetShape(short nNewValue)

{

    // TODO: Add your property handler here

    if (AmbientUserMode())

        ThrowError(CTL_E_SETNOTSUPPORTEDATRUNTIME);

    else if (nNewValue < 0 || nNewValue > 2)

        ThrowError(CTL_E_INVALIDPROPERTYVALUE);

    else

    {

        m_nShape = nNewValue;

        SetModifiedFlag();

        InvalidateControl();

    }

}

BOOL COCTLCtrl::GetSelected()

{

    // TODO: Add your property handler here

    return m_fSelected;

}

The functions GetSelected and GetShape are trivially simple; they just return the value of the m_fSelected and m_nShape member variables, respectively. The function SetSelected is somewhat more complicated; it uses the AmbientUserMode function to check whether the control container is in user mode or design mode and disallows changing the control's shape in user mode. Note the use of the ThrowError function; this member function of COleControl is specifically intended to indicate an error while accessing a property via a get/set method.

The framework provides an implementation for several stock properties. Stock properties include, among other things, properties relating to font and color. When adding a stock property, you can elect to use the stock implementation in COleControl instead of implementing the property yourself.

Making a Property Persistent

Having added a property is one thing; however, this does not automatically ensure that the property's value is retained when it is set during a design session, for example. To make it happen, we must add a call to a PX_ function in the DoPropExchange member function of the control class.

What does DoPropExchange do? Quite simply, this function is used to serialize property values into a property exchange object. The property achieves persistence by having its value stored in, and reloaded from, such an object. For example, the Developer Studio dialog editor writes the content of the property exchange object into the application's resource file, from which it is reloaded at runtime.

For every persistent property, a function call of the appropriate PX_ function must be inserted in DoPropExchange. There is a large variety of PX_ functions corresponding to properties of various types. These are summarized in Table 36.1.

    Table 36.1. PX_ functions.
Function Name


Property Type


PX_Blob

Binary Large Object (BLOB) data

PX_Bool

Boolean value (type BOOL)

PX_Color

Color value (type OLE_COLOR)

PX_Currency

Currency value

PX_Double

Value of type double

PX_Float

Value of type float

PX_Font

A font (pointer to a FONTDESC structure)

PX_IUnknown

An object with an OLE IUnknown-derived interface

PX_Long

Value of type long

PX_Picture

A picture (CPictureHolder reference)

PX_Short

Value of type short

PX_String

A character pointer (type LPCSTR)

PX_ULong

Value of type unsigned long (ULONG)

PX_UShort

Value of type unsigned short

PX_VBXFontConvert

Font-related properties of a VBX control

In the case of OCTL, the one property that we wish to make persistent is the Shape property, which is of type short. Correspondingly, the following line must be added to the COCTLCtrl::DoPropExchange function:

PX_Short(pPX, _T("Shape"), m_nShape, 0);

Adding Methods

Adding methods to an OLE custom control is similar to adding properties. Methods are also added through the ClassWizard, using the OLE Automation tab.

Although we have not explicitly added any methods to the OCTL control, we have, in fact, added three methods nevertheless; these are the get/set methods that we used for our two properties.

A method can also have a list of parameters. These parameters are also defined through the ClassWizard.

The COleControl class supports two stock events: DoClick (fires a Click event) and Refresh (updates the control's appearance).

Adding Events

Events are also added to an OLE custom control through the ClassWizard. To add an event, use the ClassWizard's OLE Events tab (Figure 36.10).


Figure 36.10. Adding OLE events.

To add the Select event, click on the Add Event button. In the Add Event dialog, type Select as the event's External name. As you do that, ClassWizard automatically sets the internal name (the name of the function that causes the event to be fired) to FireSelect. Make sure to also add the IsSelected parameter to this event (this parameter will tell the recipient of the event whether the control has been selected or deselected) and specify this parameter's type as BOOL (Figure 36.11).


Figure 36.11. Adding the Select event.

As I mentioned before, this event will be fired when the control's state changes; that is, when the user clicks on the control with the left mouse button. To implement this behavior, use the ClassWizard to add a handler for the WM_LBUTTONDOWN message to the COCTLCtrl class. In the handler function, shown in Listing 36.8, we change negate the value of the m_fSelected Boolean variable and fire a Select event with this variable's new value. We also ensure that the control is redrawn with the color properly indicating its selection state by calling the InvalidateControl function.

    Listing 36.8. Handling a mouse event in OCTL.
void COCTLCtrl::OnLButtonDown(UINT nFlags, CPoint point)

{

    // TODO: Add your message handler code here and/or call default

    COleControl::OnLButtonDown(nFlags, point);

    m_fSelected = !m_fSelected;

    InvalidateControl();

    FireSelect(m_fSelected);

}

Drawing the Control

There is nothing mysterious about actually drawing a control. When the control class member function OnDraw is called, it receives a pointer to a device context object and a rectangle identifying the control's bounds. With this information at hand, drawing the control is easy.

Naturally, the control's appearance may depend on the values of various member variables representing the control's state. This is certainly the case with the OCTL control, where the m_nShape member variable determines the control's shape, and the m_fSelected member variable determines its color. Listing 36.9 shows my implementation of the OCTL control's drawing function.

    Listing 36.9. COCTLCtrl::OnDraw member function.
void COCTLCtrl::OnDraw(

           CDC* pdc, const CRect& rcBounds, const CRect& rcInvalid)

{

    // TODO: Replace the following code with your own drawing code.

//  pdc->FillRect(rcBounds,

//      CBrush::FromHandle((HBRUSH)GetStockObject(WHITE_BRUSH)));

//  pdc->Ellipse(rcBounds);

    CPen pen;

    CBrush foreBrush, backBrush;

    CPoint points[3];

    pdc->SaveDC();

    pen.CreatePen(PS_SOLID, 1, RGB(0, 0, 0));

    backBrush.CreateSolidBrush(TranslateColor(AmbientBackColor()));

    foreBrush.CreateSolidBrush(GetSelected() ? RGB(255, 0, 0) :

                                               RGB(0, 255, 0));

    pdc->FillRect(rcBounds, &backBrush);

    pdc->SelectObject(&pen);

    pdc->SelectObject(&foreBrush);

    switch (m_nShape)

    {

        case 0:

            pdc->Ellipse(rcBounds);

            break;

        case 1:

            pdc->Rectangle(rcBounds);

            break;

        case 2:

            points[0].x = rcBounds.left;

            points[0].y = rcBounds.bottom - 1;

            points[1].x = (rcBounds.left + rcBounds.right - 1) / 2;

            points[1].y = rcBounds.top;

            points[2].x = rcBounds.right - 1;

            points[2].y = rcBounds.bottom - 1;

            pdc->Polygon(points, 3);

            break;

    }

    pdc->RestoreDC(-1);

}

Note the use of the function AmbientBackColor. This is just one of several functions that can be used to retrieve the control container's ambient properties. In this case, we use this function to ensure that the control's background color matches the background color of the control container. Note also that we use the TranslateColor function to translate an OLE color into an RGB value. This translation is necessary because the OLE color may occasionally represent a palette index as opposed to an RGB value.

Adding a Property Page Interface

Although implementation of our new control's behavior is complete, our task is not yet done. We must also implement one or more property pages through which our control's property settings can be controlled. These property pages will be used typically by applications in design mode (such as the Developer Studio dialog editor).

The steps are no different from the steps used implementing an ordinary dialog. We must design the visual appearance of the property page and add the necessary code that connects the controls in the property page to the properties of the control. (As funny as the last sentence sounds, this is indeed the correct terminology. Controls in the property page refer to controls in a dialog; properties of the control refer to properties of the OLE control object. Unfortunately, the terminology of Windows, OLE, C++, and object-oriented programming do conflict at times.)

Editing the Property Page

To change the visual appearance of an OLE custom control's property page, just open the property page's dialog template. Editing it is no different from editing any other dialog resource.

In the case of OCTL's single property page, there are only two controls to be added: a static label and a combo box. The combo box should be of type Drop List, with the identifier IDC_CBSHAPE; the Developer Studio dialog editor can also be used to set its list box values (Figure 36.12). Note that in order to enter multiple values in the area reserved for list box initializers, you must use the Ctrl+Enter key combination to generate a line break, as pressing Enter alone would close the property sheet altogether.


Figure 36.12. Editing the OCTL property page.

Connecting the Property Page with Control Properties

A member variable for the new property page can be added using regular ClassWizard procedures. What is not regular is how this member variable (that will be a member of the class COCTLPropPage) connects with the appropriate property of the OCTL control. To create this connection, you must also specify the name of the OLE property in ClassWizard's Add Member Variable dialog (Figure 36.13).


Figure 36.13. Connecting a control with an OLE property through ClassWizard.

As a result of this, the ClassWizard inserts, in addition to any DDX_ and DDV_ function calls, a set of DDP_ function calls in the DoDataExchange member function of the property page class. This is the line that is inserted for OCTL:

DDP_CBIndex(pDX, IDC_CBSHAPE, m_nShape, _T("Shape") );

There are several DDP_ functions corresponding to the various control types. These are summarized in Table 36.2.

    Table 36.2. DDP_ functions.
Function name


Description


DDP_CBIndex

Combo box int transfer

DDP_CBString

Combo box string transfer

DDP_CBStringExact

Combo box string transfer

DDP_Check

Check box

DDP_LBIndex

List box int transfer

DDP_LBString

List box string transfer

DDP_LBStringExact

List box string transfer

DDP_Radio

Radio button int transfer

DDP_Text

Edit control transfer (string, numeric, and so on)

Additionally, the function DDP_PostProcessing should be called after the transfer of control properties through DDP_ functions has been completed.

Take a look at the result. Figure 36.14 illustrates the OCTL control property page as it appears as part of a property sheet displayed by the Developer Studio dialog editor when an OCTL control is being added to a dialog template.


Figure 36.14. OCTL control property sheet in Developer Studio.

At this point, implementation of the OCTL control is complete. If you have not yet done so, you can recompile the project to create the OCX file. Compiling the project also automatically registers the control.

Additional Property Pages

If your OLE custom control requires additional property pages, those can be created by using the ControlWizard-generated property page as a model. To actually create the class, use the ClassWizard and create a new class derived from COlePropertyPage.

In case you are using the stock implementation of the color, font, or picture properties, you can use stock properties pages to provide an interface to them. To use a stock property page, just specify its class identifier when adding property pages in the implementation file of the control class. You do not need to create a class yourself for a stock property page.

Testing, Distributing and Using a Custom Control

Testing an OLE custom control is an important part of the development process. Not all real-life control projects are as simple as my tiny OCTL control.

As reusable components, OLE custom controls are often created by one programmer but used by others. For this reason, it is important to know how a control can be distributed to its users.

These issues and a brief reminder of how OLE custom controls are used in other applications are described in the remainder of this chapter.

Testing an OLE Custom Control

In order to test an OLE custom control, you do not need to write your own control container application. Instead, you can use the OLE Control Test Container application that is supplied with Visual C++. You can use the Settings command under the Build menu in Developer Studio to specify tstcon32.exe as the debug executable; this way, you can exercise your control, set breakpoints, and control its execution through the Visual C++ debugger.

You can also test your OLE custom control by attempting to use it within the Developer Studio dialog editor.

Custom Control Distribution

Distributing a custom control raises two questions. First, which files need to be distributed to control users and, in turn, by control users to end users of their applications? Second, what actions need to be taken during control installation to ensure that the control is correctly registered?

The end user needs only the file with the .ocx extension. This file is the actual DLL containing the control's code. Control users (developers), on the other hand, may also need the TLB (type library) file, the EXP file, and the LIB file, all of which are generated when your control project is built.

To register the control, run the server registration program supplied by Microsoft:

\msdev\bin\regsvr32.exe /s <controlname>.ocx

The regsvr32.exe file is freely redistributable. If you are writing a setup program that includes installation of OLE custom controls, you may want to use this file for control installation. However, you could also load the OCX file directly as a DLL, and call its DllRegisterServer function.

If you decided to use licensing for your control, remember to include the license (LIC) file with the files supplied to control users. This file should not be redistributed to end users.

Using a Custom Control in Applications

Here is a brief summary of the steps that are required in order to use an OLE custom control in an application:

  1. Add OLE control container support by calling AfxEnableControlContainer during application initialization.

  2. Add the custom control to dialog templates as appropriate.

  3. Set the control's initial properties using the control's property page interface.

  4. Add member variables to represent the control or its properties as appropriate.

  5. Add message handlers to handle messages from the control as appropriate.

Summary

Construction of an OLE custom control has been greatly simplified in Visual C++ 4 thanks to the ControlWizard.

Constructing a custom control involves the following steps:

  1. Create the custom control skeleton through ControlWizard.

  2. Add the control's properties, methods, and events through ClassWizard.

  3. Update the control's bitmap.

  4. Add drawing code to your control.

  5. Develop code for methods and events.

  6. Create the control's property page.

  7. Add code handling the property page.

Custom controls can be tested using the OLE Control Test Container that is supplied with Visual C++.

Distributing a control to end users requires distributing the OCX file. Distributing the control to developers also requires distributing the LIB, TLB, and EXP files. Additionally, if the control is a licensed control, developers also need the license (LIC) file.

Before use, the control must be registered. Registration can be accomplished by using the freely distributable regsvr32.exe utility. Alternatively, you can call the control's DllRegisterServer function from within your own setup program.

Previous Page Main Page Next Page