Desenhando um botão transparente

Eu estou tentando criar um botão transparente em c # (.NET 3.5 SP1) para usar no meu aplicativo WinForms. Eu tentei de tudo para obter o botão para ser transparente (deve mostrar o fundo gradiente debaixo do botão), mas simplesmente não está funcionando.

Aqui está o código que estou usando:

public class ImageButton : ButtonBase, IButtonControl
{
    public ImageButton()
    {
        this.SetStyle(
            ControlStyles.SupportsTransparentBackColor | 
            ControlStyles.OptimizedDoubleBuffer | 
            ControlStyles.AllPaintingInWmPaint | 
            ControlStyles.ResizeRedraw | 
            ControlStyles.UserPaint, true);
        this.BackColor = Color.Transparent;
    }

    protected override void OnPaint(PaintEventArgs pevent)
    {
        Graphics g = pevent.Graphics;
        g.FillRectangle(Brushes.Transparent, this.ClientRectangle);
        g.DrawRectangle(Pens.Black, this.ClientRectangle);
    }


    // rest of class here...

}

O problema é que o botão parece estar pegando a memória aleatória da interface do usuário de algum lugar e preenchendo-se com algum buffer da interface do usuário do Visual Studio (quando no modo de design). Em tempo de execução, ele está pegando algum buffer zerado e é completamente preto.

Meu objetivo final é pintar uma imagem em um botão invisível em vez do retângulo. O conceito deve permanecer o mesmo no entanto. Quando o usuário passa o mouse sobre o botão, uma forma de botão é desenhada.

Alguma ideia?

EDIT: Obrigado a todos, o seguinte funcionou para mim:

public class ImageButton : Control, IButtonControl
{
    public ImageButton()
    {
        SetStyle(ControlStyles.SupportsTransparentBackColor, true);
        SetStyle(ControlStyles.Opaque, true);
        SetStyle(ControlStyles.ResizeRedraw, true);
        this.BackColor = Color.Transparent;

    }

    protected override void OnPaint(PaintEventArgs pevent)
    {
        Graphics g = pevent.Graphics;
        g.DrawRectangle(Pens.Black, this.ClientRectangle);
    }


    protected override void OnPaintBackground(PaintEventArgs pevent)
    {
        // don't call the base class
        //base.OnPaintBackground(pevent);
    }


    protected override CreateParams CreateParams
    {
        get
        {
            const int WS_EX_TRANSPARENT = 0x20;
            CreateParams cp = base.CreateParams;
            cp.ExStyle |= WS_EX_TRANSPARENT;
            return cp;
        }
    }

    // rest of class here...
}

questionAnswers(4)

yourAnswerToTheQuestion