9

我有一个带有几个按钮的用户控件,它们需要根据使用它的类采取不同的操作。

问题是我不知道如何实现这些处理程序,因为在最终应用程序中使用我的用户控件时,我无法直接访问按钮来指定哪个处理程序处理哪些事件。

你会怎么做?

4

2 回答 2

20

另一种方法是通过 UserControl 中的事件公开事件:

public partial class UserControl1 : UserControl
{
    public UserControl1()
    {
        InitializeComponent();
    }


    public event RoutedEventHandler Button1Click;

    private void button1_Click(object sender, RoutedEventArgs e)
    {
        if (Button1Click != null) Button1Click(sender, e);     
    }
}

This gives your usercontrol a Button1Click event that hooks up to that button within your control.

于 2012-06-26T11:12:06.337 回答
4

我将为每个按钮创建一个命令并为每个“处理程序”委托。比您可以向用户(最终应用程序)公开委托并Execute()在命令上的方法内部调用它们。像这样的东西:

public class MyControl : UserControl {
        public ICommand FirstButtonCommand {
            get;
            set;
        }
        public ICommand SecondButtonCommand {
            get;
            set;
        }
        public Action OnExecuteFirst {
            get;
            set;
        }
        public Action OnExecuteSecond {
            get;
            set;
        }

        public MyControl() {
            FirstButtonCommand = new MyCommand(OnExecuteFirst);
            FirstButtonCommand = new MyCommand(OnExecuteSecond);
        }
    }

当然,“MyCommand”需要实现 ICommand。您还需要将命令绑定到相应的按钮。希望这可以帮助。

于 2012-06-26T11:05:45.003 回答