2

我有一个基于单选按钮的自定义控件(不是组件),该按钮有一个花哨的标签,当标签被选中时会发出绿色,当它不是为了提供更好的视觉反馈时会发出黑色,因为为什么不。

为了证实我的恐惧,我在表格上放了一堆并运行它,果然,它们不被认为是“组合在一起”,因为我可以激活所有它们,而其他任何一个都不会被停用。

我如何才能使这些控件中的每一个都成为“特殊单选按钮组”的一部分并像普通单选按钮一样工作?

4

1 回答 1

0

好的,所以我找到了“A”解决方案。我不知道这是否是一个理想的解决方案,但它有效。

我已经关闭了寻找“CheckedChanged”事件的对象功能。问题是无论是手动完成还是以编程方式完成都会触发。解决方案?使用“点击”事件。但不仅仅是在按钮上,在整个事情上。

所以我们得到的是:

namespace Pieces{
public partial class ucGraphicLabelRadioButton : UserControl{
    private event EventHandler _CheckedChanged;

    /// <summary>
    /// Gets or sets the controls text.
    /// </summary>
    public override string Text{
        get{return this.lblTitle.Text;}
        set{lblTitle.Text = value;}
    }
    /// <summary>
    /// Gets or sets the checked state of the button.
    /// </summary>
    public bool Checked{
        get{return this.rbtnButton.Checked;}
        set{this.rbtnButton.Checked = value;}
    }

    public event EventHandler CheckedChanged{
        add{this._CheckedChanged += value;}
        remove{this._CheckedChanged -= value;}
    }

    public ucGraphicLabelRadioButton(){
        InitializeComponent();
    }

    //This is where the fancy stuff happens...
    private void ToggleCheck(object sender, EventArgs e){
        this.lblTitle.GlowColor = Color.Green;
        bool FoundOtherChecked = false;
        this.Parent.Controls.OfType<ucGraphicLabelRadioButton>().Where(x => x.Checked && x != this).ToList().ForEach(x => {
            x.Checked = false;
            x.lblTitle.GlowColor = Color.Black;
            FoundOtherChecked = true;
        });

        if ((FoundOtherChecked && !this.Checked) || !this.Checked){
            this.Checked = !this.Checked;            
            this.lblTitle.GlowColor = this.rbtnButton.Checked ? Color.Green : Color.Black;
        }

        if (this._CheckedChanged != null)
            this._CheckedChanged(this, new EventArgs());
    }
}

}

“ToggleCheck”事件与 RadioButton 对象“Click”事件以及标签“Click”事件和整个自定义控件“Click”事件相关联,因此理想情况下,单击标签上的任何位置都会触发事件。

当对象被切换时,它会运行 linq 搜索在父控件中与自身相似的任何对象,并且仅在选中时才抓取它。然后,它取消选中它并将发光状态设置为黑色。

该控件还有一个事件,该事件将您想要绑定到单选按钮“CheckedChanged”事件的任何类型的事件转发,然后触发它。

我知道做整个

.ToList().ForEach(x => ...)

完全是矫枉过正,因为搜索只会返回一个对象(或者在它自行关闭的情况下不会返回),但它确实有效。有一个更好的方法吗?

编辑:我必须进行一些更改,因为显然当您直接单击单选按钮时,它首先被选中,然后单击事件触发。此外,为了确保它们的行为更像单选按钮,而不像具有单选按钮行为的复选框,IE:用户现在不能单击它们。它会在自行关闭之前检查是否已打开。

于 2013-09-24T22:56:19.267 回答