3

我已从 扩展Control,如下所示:

public class Ctrl : Control
{
     public Boolean HasBorder { get; set; }
     public Boolean ShouldDrawBorder { get; set; }

     protected override void OnPaint(PaintEventArgs e)
     {
          if(CertainConditionIsMet)
          {
               // Then draw the border(s).
               if(this.BorderType == BorderTypes.LeftRight)
               {
                   // Draw left and right borders around this Ctrl.

               }
           }

           base.OnPaint(e);
     }
}

但是,当我添加 anew TextBox();时,Form它仍然继承自 Control 而不是Ctrl. 如何使所有新控件继承自Ctrl

4

2 回答 2

4

您必须手动重新创建要从Ctrl. 例如

public class TextBoxCtrl : Ctrl
{
  /* implementation */
}

编辑:

为了避免重新发明轮子,我可能会通过以下方式解决它:

首先,使添加的属性成为界面的一部分,使其更像是您可以移交的控件:

public interface ICtrl
{
    Boolean HasBorder { get; set; }
    Boolean ShouldDrawBorder { get; set; }
}

接下来,制定一个辅助方法(在一个单独的类中)来处理 UI 增强:

public static class CtrlHelper
{
    public static void HandleUI(Control control, PaintEventArgs e)
    {
        // gain access to new properties
        ICtrl ctrl = control as ICtrl;
        if (ctrl != null)
        {
            // perform the checks necessary and add the new UI changes
        }
    }
}

接下来,将此实现应用于您要自定义的每个控件:

public class TextBoxCtrl : ICtrl, TextBox
{
    #region ICtrl

    public Boolean HasBorder { get; set; }
    public Boolean ShouldDrawBorder { get; set; }

    #endregion

    protected override void OnPaint(PaintEventArgs e)
    {
        CtrlHelper.HandleUI(this, e);

        base.OnPaint(e);
    }
}
/* other controls */

现在您可以保留每个控件的大部分原始功能,保留其继承性,并在一个位置以最小的努力扩展功能(或更改原始控件)。

于 2013-07-23T12:38:50.317 回答
1

你不能这样做,除非你重做所有你需要的类,例如:

public class ExtendedTextBox : Ctrl
{
    //implement the thing here
}
于 2013-07-23T12:39:51.243 回答