0

接口如何知道调用哪个类方法?这是正确的代码吗?或不

namespace IntExample
{
    interface Iinterface
    {
       void add();
       void sub();
    }
    public partial class Form1 : Form,Iinterface
    {
        public Form1()
        {
            InitializeComponent();
        }


        public void add()
        {

            int a, b, c;
            a = Convert.ToInt32(txtnum1.Text);
            b = Convert.ToInt32(txtnum2.Text);
            c = a + b;
            txtresult.Text = c.ToString();



        }
        public void sub()
        {

            int a, b, c;
            a = Convert.ToInt32(txtnum1.Text);
            b = Convert.ToInt32(txtnum2.Text);
            c = a - b;
            txtresult.Text = c.ToString();

        }


        private void btnadd_Click(object sender, EventArgs e)
        {
            add();
        }

        private void button2_Click(object sender, EventArgs e)
        {
            sub();
        }



        class cl2 : Form1,Iinterface
        {

            public void add()
            {

                int a, b, c;
                a = Convert.ToInt32(txtnum1.Text);
                b = Convert.ToInt32(txtnum2.Text);
                c = a + b;
                txtresult.Text = c.ToString();



            }
        }

        private void Form1_Load(object sender, EventArgs e)
        {

        }
4

1 回答 1

0

接口不“知道”要调用哪个类方法。它只是定义了可用的方法。

您发布的代码不会编译,因为cl2没有实现sub方法,但无论如何它几乎没有意义。

我不知道您要做什么,因此我将举例说明界面的有效用法。

您可以有多个表单实现该接口,然后在您的主表单中,您可以根据索引或名称选择要显示的表单中的哪一个。

因此,要存储所有表单,您可以使用通用列表:

List<Iinterface> forms = new List<Iinterface>();

将实现接口的所有表单添加到列表中:

forms.Add(new Form1());
forms.Add(new Form2());
forms.Add(new Form3());
//...

然后您可以显示特定的表单并从界面调用方法:

//find by index:
forms[index].Show();
forms[index].add();

//find by name:
string name="form 2";
Iinterface form = forms.Find(f => f.Name == name);
if (form != null)
{
    form.Show();
    form.add();
}
于 2012-12-12T09:48:19.450 回答