我在Form(Form1)中有一个ListBoxControl,下面有一个按钮,我想向我展示另一种形式(Form2)。
在Form2中我有一个TextBox和一个按钮,当我点击这个按钮将TextBox中的当前文本添加到另一个Form1中的ListBoxControl时我想要。
我该怎么做?
表单1:
表格2:
答案 0 :(得分:1)
在另一种形式上使用此代码:
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);
}
答案 1 :(得分:1)
您可以在form1中创建一个公共方法:
public SampleMethodName(string Value)
{
// Write your code to add it the list.
ListBox1.Add(Value);
}
现在,当用户打开form2时,在文本框中添加一些文本,然后按下valider, 您可以创建form1的实例。
protected void valider_click(object sender, eventargs e)
{
Form1 frm = new Form1();
frm.SampleMethodName(TextBox.Value);
}
答案 2 :(得分:1)
使用对话框有一种标准模式。
在Form2上,提供用于读取控件的属性:
public string KeyWord
{
get { return Textbox1.Text; }
}
在Form1上,单击一个Button时:
using (Form2 dialog = new Form2())
{
// init Form2
var result = dialog.ShowDialog();
if (result == DialogResult.OK)
{
sting newKeyWord = dialog.KeyWord;
// add to listbox
}
}
答案 3 :(得分:1)
如果您不想使用对话框结果(如Henk所建议的那样),但如果您想让第二个表单保持打开状态,请尝试以下操作。即如果你想在添加ListBox项目时让第二个表单保持打开状态。
表格1:
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);
}
}
}