Introduction
The article Hiding the Taskbar and Start menu (Start Orb) in Windows Vista describes a method for hiding the Vista Start Globe. Unfortunately, it's pretty complex. I found an alternate solution for hiding the Start Globe on Vista and Windows 7 that I haven't found documented anywhere on the Internet. This article describes that simplified method.
Method
The general strategy is to use P/Invoke to call the Win32 functions FindWindowEx
and ShowWindow
. The trick is to declare the FindWindowEx
function in a slightly non-standard way and then pass it a special undocumented argument. This will allow us to hide that pesky Vista Start Globe.
The first step is to declare FindWindowEx
as follows. The important part of this declaration is in the third argument. Most P/Invoke declarations for this function use a string for this argument. We're going to us an IntPtr
.
[DllImport("user32.dll")]
private static extern IntPtr FindWindowEx(IntPtr parentHwnd,
IntPtr childAfterHwnd, IntPtr className, string windowText);
Once we've declared this function, we can access the window handle for the Start Orb by passing in the undocumented hexadecimal value 0xC017 and casting it to an IntPtr
. The final argument will likely change for languages other than English, though there might be a nice international way to retrieve this string.
IntPtr hwndOrb = FindWindowEx(IntPtr.Zero, IntPtr.Zero, (IntPtr)0xC017, null);
After we've got our window handle, we can hide the window with a simple call to the ShowWindow
function.
ShowWindow(hwndOrb, SW_HIDE);
The P/Invoke declaration for this function is straightforward and doesn't require any fancy modifications.
[DllImport("user32.dll")]
private static extern int ShowWindow(IntPtr hwnd, int command);
private const int SW_HIDE = 0;
private const int SW_SHOW = 1;
Conclusion
There are two keys to making this work. The first is the way in which we declare the FindWindowEx
function. We use an IntPtr
type instead of a string for the class name variable. The other key is found in the arguments we pass to this function. We pass in the hexadecimal code 0xC017 cast as an IntPtr
for the class name. This causes this function to treat this variable as an ATOM
rather than a class name, and this particular ATOM
appears to correspond to the Start Globe. Additionally, we also pass null for the window title for internationalization purposes.. These things together allow us to retrieve a window handle for the Start Globe. This solution was inspired by some rather cryptic posts at the end of this thread: Hide Vista Start Orb.
I hope this simplified method of hiding the Start Globe on Vista and Windows 7 makes your programming tasks easier and more enjoyable.