我如何从c#中的应用程序窗口返回标签值

本文关键字:窗口 应用程序 返回 标签 | 更新日期: 2023-09-27 18:19:06

所以我用c#编写了windows应用程序。

我想选择一个文件夹并在该目录中进行一些搜索。问题是我不能提取这个路径到一个字符串变量。

这是从我的浏览文件夹窗口检索文件夹路径的方法。(in public partial class Form1 : Form)

    private void folderPath_Click(object sender, EventArgs e)
    {
        if (folderBrowserDialog1.ShowDialog() == DialogResult.OK)
        {
            this.labelPath.Text = folderBrowserDialog1.SelectedPath;
            // this piece of code works fine
        }
    }

this.labelPath.Text是我到目录的路径

现在我尝试创建方法:

    public static string getLabelPath()
    {
        return this.labelPath.Text;
    }

在我的主程序中:

    string basePath = Form1.getLabelPath();

但是我不能这样做,因为Keyword 'this' is not valid in a static property, static method, or static field initializer ...'Form1.cs 37

我如何返回这个labelPath。文本值吗?我想我可以调用myform。labelpath;如果只有我有引用Form1对象,但在我的程序Windows应用程序是初始化使用:

    static void Main()
    {
        Application.EnableVisualStyles();
        Application.SetCompatibleTextRenderingDefault(false);
        Application.Run(new Form1());
    }

new Form1();, not Form1 myform= Form1();。我不知道怎么做才是正确的。

我如何从c#中的应用程序窗口返回标签值

我认为你应该删除static关键字:

public string getLabelPath()
{
    return this.labelPath.Text;
}  

并使用Form实例:

static void Main()
{
    Application.EnableVisualStyles();
    Application.SetCompatibleTextRenderingDefault(false);
    Form1 form = new Form1();
    Application.Run(form);
}

或者创建一个静态实例:

static Form1 form;
static void Main()
{
    Application.EnableVisualStyles();
    Application.SetCompatibleTextRenderingDefault(false);
    form = new Form1();
    Application.Run(form);
}

可以调用string basePath = form.getLabelPath();

您是否考虑过直接使用Main()中的OpenFileDialog ?

    static void Main()
    {
        Application.EnableVisualStyles();
        Application.SetCompatibleTextRenderingDefault(false);
        using (OpenFileDialog ofd = new OpenFileDialog())
        {
            ofd.Title = "Please select a File to Blah blah bleh...";
            if (ofd.ShowDialog() == DialogResult.OK)
            {
                string fileName = ofd.FileName;
                // ... now do something with "fileName"? ...        
                Application.Run(new Form1(fileName));
            }
        }
    }