Microsoft Outlook Stuck on Loading Profile…

This may seem to be an unusual topic for Better Blogs but I fixed this a number of times. Normally, Outlook will load its data appropriately and load successfully. Sometimes, however, it gets stuck on the “Loading Profile…” step:

outlook_2013_hangs_loading_profile

Many different solutions can be found online. So why write a post about it? Because I have not found a fix for Outlook 16 (2016) on Windows 10. The internet will take you to Add/Remove Programs, opening Outlook in safe mode, or to the PC’s registry! The fix is more straightforward:

Step 1

Go to: C:\Users\<user name>\AppData\Local\Microsoft\Outlook

Step 2

Delete the Outlook Data Files (.nst).

Skype for Business may be using these as well. Don’t worry if this causes issues. Simply close all Skype instances (Task Manager helps) and continue to delete these files. The files will be created again the next time Outlook opens.

I’ve used these steps for a couple of previous versions of Outlook as well. It tends to fix it for me so I thought I’d store the steps before I forget again. I hope this helps you as well!

If the above solution doesn’t work for you, perhaps the wonderful collection of solutions here: https://www.pallareviews.com/3466/outlook-hangs-on-loading-profile/ may help?

The Dispose Pattern in C++

This article will describe the Dispose pattern, and how to employ it in C++. Please note: this is not an introduction to C++. The topics and code presented here are done so with the assumption that the reader knows how to write basic data structures in C++. Also, with most of my background in .NET, C++ best practices are followed to the extent of my abilities.

Why not just use the destructor?

It is written [MSDN: Implementing a Dispose Method], “the pattern for disposing an object, referred to as a dispose pattern, imposes order on the lifetime of an object.” Using the Dispose pattern, the developer can determine when an object is destroyed. In .Net, it is generally only used for objects that access unmanaged resources. Since C++ is unmanaged, memory management is our priority and responsibility. One of the points this gets to is properly destroying objects. Memory leaks can occur when improperly destroying objects (or when failing to destroy them). I, along with many other developers, cannot prevent 100% of memory leaks. We can take measures to get as close to that point as possible but, odds are there will be at least one somewhere in the vastness of the code. One measure that can be taken is implementing the Dispose pattern and using it appropriately. It makes managing memory more explicit and allows for a higher-level mechanism for managing an object’s lifetime.

How is it done in .NET?

Implementing the Dispose pattern in .NET requires deriving from System.IDisposable:

public interface IDisposable
{
  void Dispose();
}

public sealed class DisposableObject : IDisposable
{
  private bool _disposing;
  public override Dispose()
  {
    this.Dispose(!this._disposing);
    GC.SuppressFinalize(this);
  }

  private void Dispose(bool disposing)
  {
    if(disposing)
    {
      this._disposing = true;
      //… release resources here …
    }
  }
}

Implementing the dispose pattern in this way basically marks the object as “dead”. By doing this, it allows the Garbage Collector to free the memory used by the object without the need to perform costly finalization. It is best practice to create a protected (or private if the class is not inheritable) dispose method accepting a boolean value indicating if the object is disposing. Doing this allows further control of object disposal.

Proper OOD (Object-Oriented Design) is employed here by separating the interface from its implementation (please see the Separation PDF). Microsoft did well with this one. With the IDisposable interface, multiple objects can be “Disposable” and mechanisms can be created to track these kinds of objects.

How is it done in C++?

In C++ the Dispose pattern is used to explicitly release resources used by the internals of the object. To properly implement this, an interface must be created:

public class IDisposable
{
  void dispose() = 0;
};

This looks much like the interface in .NET but with a few C++ semantics to enforce what we are intending. By making the dispose() method virtual, we force the user of this interface to implement it in their subclass:

public class DisposableObject : public IDisposable
{
  private bool _disposing;
  public override dispose()
  {
    if(this.dispose(!this->_disposing))
    {
      //… more disposing-dependent logic here …
    }
  }
  protected bool dispose(bool disposing)
  {
    if(disposing)
    {
      this->_disposing = true;
      //… release resources here …
    }
    return this->_disposing;
  }
};

Again, this looks a lot like the .NET version but with a few changes for C++ compliance. The code also includes a variation of the protected dispose method to demonstrate the ability for even further disposal control.

How is it used in C++?

Generally the dispose method is called within the object’s destructor. By tracking whether the object is disposed or not, other tracking mechanisms can be used to explicitly dispose the object. Below is a basic custom auto_ptr implementation created based on various sources (A Sample auto_ptr implementation, Scott Meyers Update on auto_ptr):

template<typename TObject, typename R, R (TObject::*Dispose)()>
 class AutoPtr
 {
  public:
  explicit AutoPtr(TObject* pointerToWrap = NULL)
    : wrapper(pointerToWrap)
  {
  }
  AutoPtr(AutoPtr& Other)
    : wrapper(Other.Release())
  {
  }
  AutoPtr& operator=(AutoPtr& Other)
  {
    Reset(Other.Release());
    return (*this);
  }
  ~AutoPtr()
  {
    if(wrapper)
    {
      (wrapper->*Dispose)();
      wrapper = NULL;
    }
  }
  TObject& operator() const { return (wrapper); }
  TObject** operator&()
  {
    Reset();
    return &wrapper;
  }
  TObject* operator->() const
  {
    return GetPointer();
  }
  operator bool() const
  {
    return wrapper != NULL;
  }
  TObject* GetPointer() const
  {
    return wrapper;
  }
  TObject* Release()
  {
    TObject* tempPtr = wrapper;
    wrapper = NULL;
    return tempPtr;
  }
  void Reset(TObject* p = NULL)
  {
    if(p != wrapper)
    {
      if(wrapper)
      {
        (wrapper->*Dispose)();
      }
    }
    wrapper = p;
  }

  private:
  TObject* wrapper; //the wrapped pointer
};

With this code we can do something like:

typedef AutoPtr<DisposableObject,
                void,
                &DisposableObject::Dispose> DisposablePtr;

And use it like this (note that “work” is assumed to be an instance method of DisposableObject):

DisposablePtr obj(new DisposableObject());
obj->work();

Above is an AutoPtr implementation that automatically disposes objects when the AutoPtr instance goes out of scope. This is an example of a high-level mechanism of memory management making good use of the Dispose pattern.

Conclusion

This was an exhaustive look at how the Dispose pattern can be implemented in C++ to encourage easier memory management. First, the .NET version of the pattern was examined. Then, moving on to C++, the Dispose pattern was implemented and then used in a custom auto_ptr implementation. Memory management is a very important aspect of C++. This article describes one way to make it a little easier.