如何公开公开控件的属性?

时间:2019-12-18 15:57:52

标签: c# .net properties public

我想将Form1上文本框的Text属性公开给Form2,以便Form2可以在Form1上的文本框中设置文本。我已经读过该怎么做,但是它不起作用,所以我一定做错了事。

这是Form1的代码,其中包括公共属性的声明(TextInputText是属性,txtInput是文本框):

using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Windows.Forms;

namespace WindowsFormsApp1
{
    public partial class Form1 : Form
    {
        public string TextInputText
        {
            get => txtInput.Text;
            set => txtInput.Text = value;
        }

        public Form1()
        {
            InitializeComponent();                       
        }

        private void txtInput_KeyDown(object sender, KeyEventArgs e)
        {
            // If enter is pressed clear the textbox, but update() the history first

            if (e.KeyCode == Keys.Enter)
            {
                TextHistory.Update(txtInput.Text);
                txtInput.Text = "";
            }
        }

        private void HistoryButton_Click(object sender, EventArgs e)
        {
            Form2 HistoryForm = new Form2();
            HistoryForm.Show();
        }
    }
}

问题是Form2仍然看不到该属性,或者我不知道如何访问它,我在做什么错了?

2 个答案:

答案 0 :(得分:2)

在创建时注入Form2并引用Form1

private void HistoryButton_Click(object sender, EventArgs e)
{
    Form2 HistoryForm = new Form2(this);
    HistoryForm.Show();
}

这要求您在Form2中定义一个接受Form1引用的自定义构造函数。然后,您可以使用此引用来访问属性:

private readonly Form1 _form1;
public Form2(Form1 form1)
{
    InitializeComponent();
    _form1 = form1;

    string text = _form1.TextInputText;
}

另一种方法是使用Application.OpenForms属性在Form1中引用Form2

var form1 = Application.OpenForms.OfType<Form1>().FirstOrDefault();
string text = form1.TextInputText;

答案 1 :(得分:1)

您没有给Form2引用Form1实例:

Form2 HistoryForm = new Form2();

如何在没有实例的情况下访问实例函数,属性或值?静态属性没有意义。因此,最可能的选择是为Form2提供一个构造函数,该构造函数将Form1引用作为参数。将该引用存储在Form2中的某个位置。然后像这样调用构造函数:

Form2 HistoryForm = new Form2(this);