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

A Simple XPCOM Tutorial

Rate me:
Please Sign up or sign in to vote.
4.93/5 (30 votes)
30 Jun 2010CPOL5 min read 150.9K   4K   45   57
Step by step XPCOM creation and implementation in C++.

Purpose of this Article

I have written this tutorial for programmers who are just starting out in XPCOM. The article briefly covers writing your own XPCOM objects and how to reuse existing XPCOM components using VC8.0. This article does not cover XPCOM basics or concepts.

Project Settings and Development Setup was a big problem for me. Also, registering XPCOM is another troublesome issue because xpti.dat and compreg.dat must be deleted from the profile directory.

Introduction

XPCOM is a cross platform component object model, similar to Microsoft COM. It has multiple language bindings, letting XPCOM components be used and implemented in JavaScript, Java, and Python, in addition to C++. Interfaces in XPCOM are defined in a dialect of IDL called XPIDL.

For me, understanding XPCOM has been no less than an odyssey. I believe that every programmer who wishes to understand the basic principles behind XPCOM must write at least one simple XPCOM object using plain C++. In this article, I present the guidelines for creating simple XPCOM objects from first principles. The components should be usable by both VC++/ JavaScript clients.

As an exercise, we will attempt to design an XPCOM component that will implement a hypothetical super-fast addition algorithm. The component must take in two parameters of long data type, and return to the user another long parameter that will be an outcome of our addition algorithm.

How to write C++ XPCOM components

Step 1: Development Setup

  • Use the right XULRunner SDK for your XULRunner release, I use xulrunner-1.9.2.
  • Use a Microsoft compiler, I use Visual C++ 2005.

Here is what my folder structure looks like:

XPCOM
    - xulrunner-sdk
        bin
        lib
        idl
        include
       
    - sample_xpcom  (xpcom creation)
        Debug
        Release

Step 2: Create a VC++ Project

  • Start an empty Win32 project in Visual Studio, selecting the "Dynamic Linked Library (DLL)" option.
  • Create an IDL file describing the interface of your component.
  • Run xpidl twice on the IDL file, with:
    • "xpidl -I < xulrunner-sdk/idl path> -m header <youridl>", and
    • "xpidl -I < xulrunner-sdk/idl path> -m typelib < youridl>".
  • Make the following tweaks:
    • Add "..\xulrunner-sdk\include" to Additional Include Directories
    • Add "..\xulrunner-sdk\lib" to Additional Library Directories
    • Add "nspr4.lib xpcom.lib xpcomglue_s.lib" to Additional Dependencies
    • Add "XP_WIN;XP_WIN32" to Preprocessor Definitions
    • Turnoff precompiled headers (just to keep it simple)
    • Add "/Zc:wchar_t-" in the additional option of C++ Command Line to support wchar_t
    • Use a custom build step for the XPCOM IDL file (exclude from build by MIDL)

Step 3: Create an XPCOM Component

An XPCOM component is made up of three parts:

  • Component interface described using IDL. The interface defines the methods, including arguments and return types, of the component.
  • Component implementation using C++. The implementation is where the methods actually do the work.
  • Component factory module, also in C++. The factory is in charge of creating instances of the implementations.
  • Build your component.

Step 4: Register the XPCOM Component

  • Copy your XPT and DLL files to the Firefox components directory.
  • Normally, if this was installed as part of an extension, it would automatically search this directory and find these files. But now, we have to force a refresh. Delete the "xpti.dat" and "compreg.dat" files from your profile directory. Add "<yourxpcom>.dll" at the end of the "components.list" file.
  • Firefox will regenerate them on next restart, or we can use regxpcom.exe like this:
    "regxpcom -x < xulrunner-sdk >\bin \components\<yourxpcom>.dll"

    But I found some problems with this command. So, I used this way:

    "regxpcom -x < FireFoxDir >\bin \components\<yourxpcom>.dll"

Now Start the Example

Let's specify a simple interface:

C++
#include "nsISupports.idl"
                          
[scriptable, uuid(658ABC9E-29CC-43E9-8A97-9D3C0B67AE8B)]
interface ISample : nsISupports
{
  long    Add(in long a, in long b);
};

Remember to generate your own GUID.

The next step is to compile the IDL into a type-library (*.XPT) and a C++ header file (*.H), which we can use to define our implementation object. We have to use XPIDL.EXE twice, like this:

  • {path_to_ xulrunner-sdk }\bin\xpidl.exe -m header -I..\ xulrunner-sdk \idl {your_idl_file}
  • {path_to_ xulrunner-sdk }\bin\xpidl.exe -m typelib -I..\ xulrunner-sdk \idl {your_idl_file}

The generated H file actually has a skeleton implementation (commented out).

You can take the code and create the implementation H and CPP files. They could look like this:

Header file:
C++
#ifndef _SAMPLE_H_
#define _SAMPLE_H_

#include "ISample.h"

#define SAMPLE_COMPONENT_CONTRACTID "@cn.ibm.com/XPCOM/sample;1"
#define SAMPLE_COMPONENT_CLASSNAME "Sample XPCOM Interface Layer"
#define SAMPLE_COMPONENT_CID  {0x658abc9e, 0x29cc, 0x43e9, 
              { 0x8a, 0x97, 0x9d, 0x3c, 0x0b, 0x67, 0xae, 0x8b } }
                      
//658abc9e-29cc-43e9-8a97-9d3c0b67ae8b
class CSample : public ISample
{
public:
      NS_DECL_ISUPPORTS
      NS_DECL_ISAMPLE
      
      CSample();
      virtual ~CSample();
                      
      //additional member functions
      int Add();
};
#endif
CPP file:
C++
#include "Sample.h"
                          
NS_IMPL_ISUPPORTS1(CSample, ISample)
                      
CSample::CSample()
{
    /* constructor code */
}     

CSample::~CSample()
{
    /* destructor code */
}

/* long Add (in long a, in long b); */
NS_IMETHODIMP CSample::Add(PRInt32 a, PRInt32 b, PRInt32 *_retval)
{
      *_retval = a + b;
      return NS_OK;
}

Lastly, we need to create the module implementation.

C++
#include "nsIGenericFactory.h"
#include "Sample.h"

NS_GENERIC_FACTORY_CONSTRUCTOR(CSample)

static nsModuleComponentInfo components[] =
{
  {
      SAMPLE_COMPONENT_CLASSNAME,
      SAMPLE_COMPONENT_CID,
      SAMPLE_COMPONENT_CONTRACTID,
      CSampleConstructor,
  }
};
                  
NS_IMPL_NSGETMODULE("sample_module", components)

How to use XPCOM Components from C++ Code

Step 1: Development Setup

  • Use the right XULRunner SDK for your XULRunner release, I use xulrunner-1.9.2.
  • Use a Microsoft compiler, I use Visual C++ 2005.

Here is what my folder structure looks like:

XPCOM
    - xulrunner-sdk
        bin
        lib
        idl
        include
           
    - XULTesting (xpcom implementaion)
        Debug
        Release

Step 2: Create a VC++ Project

  • Start an empty Win32 project in Visual Studio, selecting the "Console Application" option.
  • Create a CPP file that includes the header file.
  • Make the following tweaks:
    • Add "..\xulrunner-sdk\include" to Additional Include Directories
    • Add "..\xulrunner-sdk\lib, ..\xulrunner-sdk\sdk\bin" to Additional Library Directories
    • Change the Output directory to < FireFoxDir >
    • Add "nspr4.lib xpcom.lib xpcomglue_s.lib" to Additional Dependencies
    • Add "XP_WIN;XP_WIN32" to Preprocessor Definitions
    • Add "/Zc:wchar_t-" in the additional option of C++ Command Line to support wchar_t
    • Turnoff precompiled headers (just to keep it simple)
  • Now, Build the application

Here is the CPP file:

C++
#include "stdafx.h"
#include "nsCOMPtr.h"
#include "nsServiceManagerUtils.h"

#include "../sample_xpcom/ISample.h"
#include "../sample_xpcom/Sample.h"
           
int _tmain(int argc, _TCHAR* argv[])
{
  nsresult rv;

  nsCOMPtr<nsiservicemanager> servMan;

  // You Can Get the service manager several ways
  // Get Service manager : WAY 1
  //---------------------------------------

  rv = NS_GetServiceManager(getter_AddRefs(servMan));
  if (NS_FAILED(rv))
  {
    printf("ERROR: XPCOM error [%x].\n", rv);
    return -1;
  }
  //-----------End of Getting Way 1 -----------------


  // Get Service manager : WAY 2
  //--------------------------------------------------
  /*
  // Initialize XPCOM and check for failure ...
  rv = NS_InitXPCOM2(getter_AddRefs(servMan), nsnull, nsnull); 
  if ( NS_FAILED(rv) )
  {
        printf("Calling NS_InitXPCOM returns [%x].\n", rv);
        return -1;
  }*/
  //-----------End of Getting Way 2 --------------------
        
  // Get the Component object;
  nsCOMPtr<isample> iSample;
  rv = servMan->GetServiceByContractID(SAMPLE_COMPONENT_CONTRACTID, 
                     NS_GET_IID(ISample),getter_AddRefs(iSample));

  if ( NS_FAILED(rv) )
  {
        printf("Calling GetServiceByContractID returns [%x].\n", rv);
        NS_ShutdownXPCOM(nsnull);
        return -1;
  }

  int nFirstVal, nSecondVal, nResult;
  nFirstVal= 5; 
  nSecondVal = 10;
  iSample->Add(nFirstVal, nSecondVal, &nResult);
                   
  _tprintf(_T("\nThe Result is : %d\n"), nResult);
  // Shutdown XPCOM
  // Here also several ways you can follow

  // Explicitly Releasing ISample
  //NS_RELEASE(iSample); 

  // Or Shutdown Service manager 
  // The nsIServiceManager instance that was returned by NS_InitXPCOM2 or nsnull.
  NS_ShutdownXPCOM(nsnull);

  return 0;
}

Next

My next article is about how to convert an MS COM component to an XPCOM component; i.e., step by step XPCOM creation from Microsoft COM.

References

For further details of XPCOM, the best reference is:

Note: An easy and simple way of learning this is to just use the projects and debug with break point. If there are any suggestions, requests, or problems, please inform me.

History

  • 28/06/2010: Initial release.

License

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


Written By
Software Developer (Senior) Eyeball Networks Inc, Dhaka
Bangladesh Bangladesh
I strongly believe, a person's strongest point is to know his/her weak point. I try to be simple.

I have completed BSc in Computer Science & Engineering from Shah Jalal University of Science & Technology, Sylhet, Bangladesh (SUST).


Watch out for my other CodeProject Articles.

Comments and Discussions

 
GeneralProblems compling in MSVS 2013 - Just FYI Pin
KEL34-Dec-14 3:58
KEL34-Dec-14 3:58 
GeneralRe: Problems compling in MSVS 2013 - Just FYI Pin
KEL34-Dec-14 4:41
KEL34-Dec-14 4:41 
QuestionXPCOM Video Tutorial Pin
Jack123sweet5-Apr-14 8:02
Jack123sweet5-Apr-14 8:02 
QuestionHelp with tutorial Pin
Klaus Lana1-Feb-13 0:21
Klaus Lana1-Feb-13 0:21 
GeneralXPI extension with XPCOM Pin
Ștefan-Mihai MOGA21-Feb-11 1:15
professionalȘtefan-Mihai MOGA21-Feb-11 1:15 
GeneralRe: XPI extension with XPCOM Pin
Md. Mazharul Islam Khan21-Feb-11 22:26
Md. Mazharul Islam Khan21-Feb-11 22:26 
GeneralA script from "http://IP" was denied UniversalXPConnect privileges Pin
vicky0000019-Oct-10 1:25
vicky0000019-Oct-10 1:25 
Generalerror C2146: syntax error : missing ',' before identifier 'NS_OUTPARAM' Pin
Ari Unikoski16-Sep-10 4:05
Ari Unikoski16-Sep-10 4:05 
GeneralRe: error C2146: syntax error : missing ',' before identifier 'NS_OUTPARAM' Pin
Ammarali16-Oct-11 18:28
Ammarali16-Oct-11 18:28 
GeneralMy vote of 5 Pin
Member 19161988-Aug-10 1:53
Member 19161988-Aug-10 1:53 
GeneralMy vote of 5 Pin
liusj20004-Aug-10 23:28
liusj20004-Aug-10 23:28 
GeneralRe: My vote of 5 Pin
Md. Mazharul Islam Khan17-Aug-10 18:01
Md. Mazharul Islam Khan17-Aug-10 18:01 
QuestionProblem when including MFC As Static Pin
Rahim Jamaluddin2-Aug-10 2:41
Rahim Jamaluddin2-Aug-10 2:41 
AnswerRe: Problem when including MFC As Static Pin
Md. Mazharul Islam Khan2-Aug-10 19:54
Md. Mazharul Islam Khan2-Aug-10 19:54 
GeneralRe: Problem when including MFC As Static Pin
Rahim Jamaluddin6-Aug-10 0:02
Rahim Jamaluddin6-Aug-10 0:02 
GeneralRe: Problem when including MFC As Static Pin
Rahim Jamaluddin6-Aug-10 20:14
Rahim Jamaluddin6-Aug-10 20:14 
GeneralRe: Problem when including MFC As Static [modified] Pin
Md. Mazharul Islam Khan8-Aug-10 0:01
Md. Mazharul Islam Khan8-Aug-10 0:01 
GeneralMy vote of 3 Pin
Priyank Bolia28-Jul-10 0:22
Priyank Bolia28-Jul-10 0:22 
GeneralRe: My vote of 3 Pin
Md. Mazharul Islam Khan28-Jul-10 18:30
Md. Mazharul Islam Khan28-Jul-10 18:30 
GeneralRe: My vote of 3 Pin
Anatoly Kirsanov28-Jul-10 21:45
Anatoly Kirsanov28-Jul-10 21:45 
GeneralRe: My vote of 3 Pin
Priyank Bolia28-Jul-10 21:53
Priyank Bolia28-Jul-10 21:53 
GeneralRe: My vote of 3 Pin
Anatoly Kirsanov28-Jul-10 22:45
Anatoly Kirsanov28-Jul-10 22:45 
GeneralRe: My vote of 3 Pin
Priyank Bolia28-Jul-10 22:59
Priyank Bolia28-Jul-10 22:59 
GeneralRe: My vote of 3 Pin
Md. Mazharul Islam Khan28-Jul-10 22:50
Md. Mazharul Islam Khan28-Jul-10 22:50 
GeneralRe: My vote of 3 Pin
Priyank Bolia28-Jul-10 23:03
Priyank Bolia28-Jul-10 23:03 

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.