Click here to Skip to main content
Click here to Skip to main content

.NET MSIE OnBeforeNavigate2 fix

By , 29 Oct 2002
 

The remainder of this article provides a fix to receive otherwise hidden events such as the famous OnBeforeNavigate2 from MS Internet Explorer.

Reusing the code

Namely, if you wish to use the Internet Explorer control in a .NET app, what you usually do is go in the Toolbox Window, Customize, search for the Microsoft Web Browser Control (shdocvw.dll), drop it on a form, and start exploring the object model.

That is simple, but does not work as expected. You never get notified of several events.

If you are not interesting in the programming details, just reuse the source code. Don't be afraid of the size (54kb), it is somewhat big because there are two interop assemblies, but the real addition is just 10 lines of code. The project was obtained by doing the following:

  • dropped the Web Browser control on a form named Form1
  • added the code snippet to fix the Web Browser control (see below)
  • added a text box to manage URL typing
  • added an event handler on the TextBox to catch keyboard returns and ask IE to do a simple Navigate(url) on it.

Explanations

There is a problem when you IE in a .NET environment. Due to a .NET 1.0 limitation, marshaling cannot handle complex variant types, which are at the core of most events triggered by the DWebBrowserEvents2 dispatch interface.

Unfortunately, the OnBeforeNavigate2 event is triggered through this interface. This event is often used by programmers to be notified any time the user clicked on a link or submitted a form, providing them with very valuable information including URL, posted data, headers, and even the ability to cancel the navigation depending on the application logic.

Now we know that we can't use this event, as is.

But, by carefully watching the core Internet Explorer interfaces (by using OLEView on shdocvw.dll, or by looking at the redistributed IDL interface located in Platform SDK\Include\ExDisp.idl) we can see the DWebBrowserEvents interface (older but backward supported) provides events such as OnBeforeNavigate (note the missing 2).

Here is a extract of these interfaces in IDL:

[
  uuid(8856F961-340A-11D0-A96B-00C04FD705A2),
  helpstring("WebBrowser Control"),
  control
]
coclass WebBrowser 
{
    [default] interface IWebBrowser2; // default COM interface
    interface IWebBrowser;

    // default event source
    [default, source] dispinterface DWebBrowserEvents2; 
    [source] dispinterface DWebBrowserEvents;
};


[
  uuid(34A715A0-6587-11D0-924A-0020AFC7AC4D),
  helpstring("Web Browser Control events interface"),
  hidden
]
dispinterface DWebBrowserEvents2 
{
    properties:
    methods:

  // note the VARIANT* everywhere
  // (the VARIANT* is the heart of the issue we have)
  [id(0x000000fa)]
  void BeforeNavigate2(
                        [in] IDispatch* pDisp, 
                        [in] VARIANT* URL, 
                        [in] VARIANT* Flags, 
                        [in] VARIANT* TargetFrameName, 
                        [in] VARIANT* PostData, 
                        [in] VARIANT* Headers, 
                        [in, out] VARIANT_BOOL* Cancel);

   ...
}


[
  uuid(EAB22AC2-30C1-11CF-A7EB-0000C05BAE0B),
  helpstring("Web Browser Control Events (old)"),
  hidden
]
dispinterface DWebBrowserEvents {
    properties:
    methods:

  [id(0x00000064)]
  void BeforeNavigate(
                        [in] BSTR URL, 
                        long Flags, 
                        BSTR TargetFrameName, 
                        VARIANT* PostData, 
                        BSTR Headers, 
                        [in, out] VARIANT_BOOL* Cancel);
  ...
}

The important thing to note is that the IDL defines DWebBrowserEvents2 as the default event source, not DWebBrowserEvents. Because of that, the interop wrapper generator (tlbimp.exe) will provide us with marshaling code reflecting just that, namely AxInterop.SHDocVw.dll (ActiveX layer) and Interop.SHDocVw.dll (shdocvw.dll wrapper). As a result, if you type axWebBrowser1. (notice the dot), then intellisense will show you methods from this interface, not from DWebBrowserEvents. Casting is of no help here : the compiler would be ok, but it would fail at run-time. Looks like we are a bit stuck here.

To go on, we are actually going to ask the interop marshaler to produce at run-time a wrapper for the DWebBrowserEvents interface. Let's show some code now:

/// <summary>
/// Summary description for Form1.
/// </summary>
public class Form1 : System.Windows.Forms.Form
{
    private AxSHDocVw.AxWebBrowser axWebBrowser1;
    private SHDocVw.WebBrowserClass ie_events;
    private System.Windows.Forms.TextBox textBox1;

    public Form1()
    {
        //
        // Required for Windows Form Designer support
        //
        InitializeComponent();

        // -- begin code snippet --

        ie_events = (SHDocVw.WebBrowserClass) 
                    Marshal.CreateWrapperOfType(
                        axWebBrowser1.GetOcx(),
                        typeof(SHDocVw.WebBrowserClass)
                    );

        // -- end code snippet --

        ...
    }
}

The CreateWrapperOfType call performs the magic of creating an RCW (layer to execute COM interfaces and methods) for us. Instead of passing the SHDocVw.DWebBrowserEvents interface type we want, we pass the SHDocVw.WebBrowserClass instead. Why ? That's a trick again, the marshaler expects a coclass type to build the RCW, instead of a simple interface. WebBrowserClass is the .NET name of coclass WebBrowser declared in the IDL.

The resulting RCW is stored in a member of our Form. Now we have the right interface to play with. By virtue of the IDL COM declaration, if we use intellisense on ie_events, we are going to see both interface's methods and events. And there we have BeforeNavigate.

We are done, let's show how we use this event to get the actual notification. In .NET, we just create a delegate, and attach an event handler to it:

public Form1()
{
    //
    // Required for Windows Form Designer support
    //
    InitializeComponent();

    // -- begin code snippet --

    ie_events = (SHDocVw.WebBrowserClass) Marshal.CreateWrapperOfType(
        axWebBrowser1.GetOcx(),
        typeof(SHDocVw.WebBrowserClass)
    );

    SHDocVw.DWebBrowserEvents_BeforeNavigateEventHandler BeforeNavigateE = 
        new SHDocVw.DWebBrowserEvents_BeforeNavigateEventHandler( 
            OnBeforeNavigate 
        );

    ie_events.BeforeNavigate += BeforeNavigateE;

    // -- end code snippet --

    ...
}

public void OnBeforeNavigate(string url, 
                             int flags, 
                             string targetFrame, 
                             ref object postData, 
                             string headers, 
                             ref bool Cancel)
{
    int c = 0; // PUT A BREAKPOINT HERE
}

A demo app

Just to see something happen on screen, we immediately ask the web browser to show CodeProject (face of relief...):

textBox1.Text = "http://www.codeproject.com";
OnNewUrl(null,null);

// KeyUp handler (used to trap VK_RETURN from the text box)
private void OnNewUrl(object sender, KeyEventArgs e)
{
    object o = null;

    if (e==null || e.KeyCode==Keys.Enter)
        axWebBrowser1.Navigate(textBox1.Text, ref o, ref o, 
            ref o, ref o);
}

Eh voilà.

Stephane Rodriguez - Oct 28 2002.

History

  • October 28, 2002 - Initial Posting

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

About the Author

Stephane Rodriguez.
France France
Member
Addicted to reverse engineering. At work, I am developing business intelligence software in a team of smart people (independent software vendor).
 
Need a fast Excel generation component? Try xlsgen.
 

Sign Up to vote   Poor Excellent
Add a reason or comment to your vote: x
Votes of 3 or less require a comment

Comments and Discussions

 
Hint: For improved responsiveness ensure Javascript is enabled and choose 'Normal' from the Layout dropdown and hit 'Update'.
You must Sign In to use this message board.
Search this forum  
    Spacing  Noise  Layout  Per page   
Generalusing DocumentCompletememberdakkeh20 Jan '08 - 2:36 
GeneralPerfectmemberabensicsu26 Jan '06 - 10:30 
GeneralWindowSetLeft and dual monitorsmembergeblack8 Dec '04 - 5:08 
GeneralEvent handlers are lost when opening more than one form with a web browser in it. [modified]membersimonclark3 Aug '04 - 4:20 
GeneralRe: Event handlers are lost when opening more than one form with a web browser in it.sussAnonymous21 Nov '04 - 6:15 
QuestionHow to get rid of the Beep when pressing enter?memberhenchook14 Jul '04 - 5:19 
AnswerRe: How to get rid of the Beep when pressing enter?memberjbredeche14 Mar '06 - 12:53 
GeneralWindowSetLeft problemsussMichael Z...25 Jun '04 - 11:59 
GeneralRe: WindowSetLeft problemsussAnonymous10 Aug '04 - 12:52 
GeneralRe: WindowSetLeft problemmembermikezat10 Aug '04 - 13:30 
GeneralNewWindow2 problemmemberMichael Cleary8 Jun '04 - 5:49 
GeneralRe: NewWindow2 problemmemberNetCoder200518 Apr '05 - 11:49 
GeneralRe: NewWindow2 problemmemberCarlos Eugênio X. Torres4 Sep '05 - 23:57 
GeneralRe: NewWindow2 problemmembermvdeveloper20 Sep '07 - 9:19 
GeneralCustom HTTP headersmembergerdavax7 May '04 - 0:37 
GeneralRe: Custom HTTP headersmemberStephane Rodriguez.7 May '04 - 9:40 
GeneralRe: Custom HTTP headersmembergerdavax9 May '04 - 21:57 
GeneralRe: Custom HTTP headersmemberdarXstar11 May '04 - 23:43 
GeneralRe: Custom HTTP headersmembergerdavax12 May '04 - 0:47 
GeneralRe: Custom HTTP headersmemberdarXstar14 May '04 - 5:45 
GeneralRe: Custom HTTP headerssussAnonymous13 Dec '04 - 2:56 
GeneralRe: Custom HTTP headersmemberspecter7928 Sep '06 - 11:34 
GeneralCFileFindsussAlicya12 Feb '04 - 22:17 
GeneralRe: CFileFindmemberStephane Rodriguez.12 Feb '04 - 23:30 
GeneralWBC in MDImembersheeba Gandhi7 Nov '03 - 23:49 
GeneralRe: WBC in MDImemberStephane Rodriguez.9 Nov '03 - 5:48 
GeneralNice!memberJamie Nordmeyer13 Oct '03 - 6:37 
GeneralWindowClosing problemmemberPawel Bublewicz4 Sep '03 - 6:41 
GeneralRe: WindowClosing problemmemberneocrazydvx17 Dec '03 - 9:19 
GeneralRe: WindowClosing problemmemberRandy Charles Morin1 May '04 - 11:59 
GeneralOnDocumentComplete fixsussGarryMoore5 Feb '03 - 2:12 
GeneralRe: OnDocumentComplete fixmemberKev Keenoy31 Aug '03 - 5:39 
GeneralRe: OnDocumentComplete fixmemberStephane Rodriguez.31 Aug '03 - 5:50 
GeneralRe: OnDocumentComplete fixmemberKev Keenoy31 Aug '03 - 22:36 
GeneralRe: OnDocumentComplete fixsussAnonymous17 Aug '04 - 7:39 
GeneralMore concise code:memberJohn Crim8 Jan '03 - 18:29 
GeneralFrame Informationmembermoxen5 Dec '02 - 11:01 
GeneralRe: Frame Informationmember.S.Rod.5 Dec '02 - 21:18 
GeneralRe: Frame Informationmembermoxen8 Dec '02 - 11:37 
Generalthanks for this ...sussBill Woodruff4 Nov '02 - 21:44 
GeneralFYIeditorJames T. Johnson29 Oct '02 - 19:08 
GeneralRe: FYImember.S.Rod.29 Oct '02 - 19:13 
GeneralRe: FYImemberSijin8 Nov '02 - 4:48 
GeneralRe: FYIeditorJames T. Johnson8 Nov '02 - 4:54 
GeneralMS support for this bugmember.S.Rod.28 Oct '02 - 18:13 
GeneralGood explanationmemberGriffonRL28 Oct '02 - 10:25 

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

Permalink | Advertise | Privacy | Mobile
Web01 | 2.6.130513.1 | Last Updated 30 Oct 2002
Article Copyright 2002 by Stephane Rodriguez.
Everything else Copyright © CodeProject, 1999-2013
Terms of Use
Layout: fixed | fluid