winform程序两个窗体间同步数据(一): 静态变量和线程实现

一 : 需求

两个winform窗体上分别有两个TEXTBOX控件,当点击弹出子窗口按钮时,会弹出子窗口。当在子窗体的TEXTBOX控件上输入文本时,内容会同步到父窗体的TEXTBOX控件上。

二 : 显示效果

winform程序两个窗体间同步数据(一): 静态变量和线程实现_第1张图片


三 代码

1   程序入口

using System;
using System.Collections.Generic;
using System.Linq;
using System.Windows.Forms;

namespace WindowsFormsApplication1
{
    static class Program
    {
        /// 
        /// 应用程序的主入口点。
        /// 
       public static string str = "";//定义静态变量,用于存放窗体间传递的字符串
        [STAThread]
       
        static void Main()
        {
            Application.EnableVisualStyles();
            Application.SetCompatibleTextRenderingDefault(false);
            Application.Run(new ParentFrm());//启动父窗体
        }
    }
}


 
  

 
  

2 父窗体

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

namespace WindowsFormsApplication1
{
    public partial class ParentFrm : Form
    {
        public ParentFrm()
        {
            InitializeComponent();
        }

        private void button1_Click(object sender, EventArgs e)//点击事件
        {
            ChildFrm childFrm = new ChildFrm();
            childFrm.Show();//显示子窗体
            Thread thread = new Thread(() =>
            {
                while (true)
                {
                    this.TbParent.Invoke(new Action(() => { this.TbParent.Text = Program.str; }));//夸线程访问,取出静态变量的值放入放入父窗体的TEXTBOX控件中显示
                }
              
            });
            thread.Start();//启动线程
        }
    }
}


3 子窗体

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 WindowsFormsApplication1
{
    public partial class ChildFrm : Form
    {
        public ChildFrm()
        {
            InitializeComponent();
        }

        private void TbChild_TextChanged(object sender, EventArgs e)
        {
            
            Program.str = this.TbChild.Text;//将用户输入到子窗体TEXTBOX控件中的内容放入到静态变量中
            
        }
    }
}

四  问题

是不是可以不用静态变量来存放字符串?

可以,都在父窗体点击按钮事件里拿到子窗体对象了,怎么还用Program类中设置的静态变量?应该可以直接在ChildFrm类里设置静态变量或者属性。(请看下篇)

你可能感兴趣的:(c#)