如何从这个类调用另一个类的方法

本文关键字:调用 另一个 方法 | 更新日期: 2023-09-27 18:31:20

我有一个带有文本框确定按钮的表单。我有另一个类(名为 OtherClass),它在 Form 类之前实例化。我正在 OtherClass 中创建 Form 类的新实例,向用户显示表单并在文本框中接受一些双精度值。单击"确定"按钮后,我想在 OtherClass 中调用一个方法,该方法使用文本框的文本作为参数。我应该怎么做?请帮忙。

如何从这个类调用另一个类的方法

如果我正确理解您的问题,那么您会遇到通知情况,并且您想访问另一个类中的文本框值或文本框。

如果是这样,那么,

public class AnotherClass
{
    public void YourMethodThatAccessTextBox(TextBox t)
    {
            // do something interesting with t;
    }
}
In your OK button
ok_click
{
   AnotherClass ac = new AnotherClass().YourMethodThatAccessTextBox(txtValue);
}

我看到两种解决此问题的方法

第一个:

在窗体类中:

public string txt { get; set; } //A so called property
private void OK_button_Click(object sender, EventArgs e)
{
    txt = textBox.Text;
    this.DialogResult = System.Windows.Forms.DialogResult.OK;
    this.Close();
}

在另一个类中:

private void openForm() //Method in AnotherClass where you create your object of your FormClass
{
   FormClass fc = new FormClass ();
   if (fc.ShowDialog() == System.Windows.Forms.DialogResult.OK)
   {
      YourMethodInAnotherClass(fc.txt);
   }
}

第二种解决方案(使用参数):

在窗体类中:

AnotherClass anotherClass = null;
public FormClass(AnotherClass a) //Constructor with parameter (object of your AnotherClass)
{
    InitializeComponent();
    anotherClass = a;
}
private void OK_button_Click(object sender, EventArgs e)
{
    anotherClass.YourMethodInAnotherClass(textBox.Text);
    this.Close();
}

在另一个类中:

private void openForm()
{
    FormClass fc = new FormClass(this);
    fc.ShowDialog();
}
public void YourMethodInAnotherClass(string txt)
{
    //Do you work
}