我在表单 (Form1) 中有一个 ListBoxControl,在它下面有一个按钮,我想向我展示另一个表单 (Form2)。
在 Form2 中,我有一个 TextBox 和一个按钮,当我单击此按钮时,我希望将 TextBox 中的当前文本添加到另一个 Form1 中的 ListBoxControl 中。
我怎样才能做到这一点 ?
表格 1:
表格 2:
在其他表单上使用此代码:
Form1 frm;
if ((frm= (Form1 )IsFormAlreadyOpen(typeof(Form1))) != null)
{
//get the value of the form
//frm.listboxcontrol.text
}
public static Form IsFormAlreadyOpen(Type FormType)
{
return Application.OpenForms.Cast<Form>().FirstOrDefault(OpenForm => OpenForm.GetType() == FormType);
}
您可以在 form1 中创建一个公共方法:
public SampleMethodName(string Value)
{
// Write your code to add it the list.
ListBox1.Add(Value);
}
现在,当用户打开 form2,在文本框中添加一些文本,然后按验证器,您可以创建 form1 的实例。
protected void valider_click(object sender, eventargs e)
{
Form1 frm = new Form1();
frm.SampleMethodName(TextBox.Value);
}
有一个使用对话框的标准模式。
在 Form2 上,提供一个用于读取控件的属性:
public string KeyWord
{
get { return Textbox1.Text; }
}
在 Form1 上,单击按钮时:
using (Form2 dialog = new Form2())
{
// init Form2
var result = dialog.ShowDialog();
if (result == DialogResult.OK)
{
sting newKeyWord = dialog.KeyWord;
// add to listbox
}
}
如果您不想使用对话结果(如 Henk 建议的那样),但如果您想让第二个表单保持打开状态,请尝试以下操作。即,如果您想在添加 ListBox 项目时让第二个表单保持打开状态。
表格一:
using System;
using System.Windows.Forms;
namespace FormComm
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
private void button1_Click(object sender, EventArgs e)
{
var form2 = new Form2(this);
form2.Show();
}
delegate void AddListBoxItemCallback(string text);
public void AddListBoxItem(object item)
{
if (this.InvokeRequired)
{
AddListBoxItemCallback callback = new AddListBoxItemCallback(AddListBoxItem);
this.Invoke(callback, new object[] { item });
}
else
{
this.listBox1.Items.Add(item);
}
}
}
}
表格 2:
using System;
using System.Windows.Forms;
namespace FormComm
{
public partial class Form2 : Form
{
private Form1 _form = null;
public Form2(Form1 form)
{
InitializeComponent();
this._form = form;
}
private void button1_Click(object sender, EventArgs e)
{
_form.AddListBoxItem(textBox1.Text);
}
}
}