动态调用 Windows 形式的函数

Dynamically call a function in Windows Form

我正在构建一个应用程序来测试一些设备,该应用程序将有 43 个测试步骤(Step01.csStep43.cs)。 (测试量很大,需要拆分成单独的文件)

在每个 .cs 文件中都有一个 public static void Test(){} 函数。

在任何给定点,用户都可以返回并重做测试,并且在每次测试结束时,系统会询问用户是否要重做下一步(仅当之前已经完成时)。如果下一步从未完成,它将像往常一样继续测试。

if (currentStep < maxStep )
{ 
    for(int i = currentStep; i < maxStep; i++)
    {
        _form1.testNumberComboBox.SelectedIndex = i - 1;

        if (MessageBox.Show($"{_form1.testNameComboBox.SelectedItem.ToString()} has already been tested.\nWould you like to retest?", "Confirm", MessageBoxButtons.YesNo, MessageBoxIcon.Question) == DialogResult.Yes)
        {
            Step02.Test(_form1, sensor);
            return;
        }
    }
    _form1.testNumberComboBox.SelectedIndex = maxStep - 1;
}

我的问题是是否可以做这样的事情 Step{i}.Test(_form1, sensor); 来调用我需要的测试,因为我真的不想做 if(i == 2){Step02.Test(_form1, sensor);}...if(i == 40){Step40.Test(_form1, sensor);} 如果用户的回答是肯定的.

不久前,我在 PHP 做过类似的事情。有变量 $acc1, $acc2 ... $accX 并且能够在 for(i) loop with ${"acc$i"}.

中调用它们

我不确定在 C# 中是否可行,这就是我问的原因。 (我是 C# 新手)

您可以使用 Reflection 或使用 Dictionary<string, Action>

假设你有这样的测试 classes:

namespace MyTests
{    
    public class Test1
    {
        public static void Test() { }
    }
}

使用反射调用测试:

找到class和使用反射的方法并调用它:

Assembly.GetExecutingAssembly().GetType("MyTests.Test1")
    .GetMethod("Test").Invoke(null, null);

使用 Dictionary 调用测试:

像这样初始化一个Dictionary<string, Action>()一次:

Dictionary<string, Action> tests = new Dictionary<string, Action>();
tests.Add("Test1", () => Test1.Test());
tests.Add("Test2", () => Test2.Test());

然后在需要的时候叫名字:

tests["Test1"]();

结合反射和字典:

或者您可以将两者结合起来以获得更好的性能和更容易的初始化。使用反射一次查找启​​动中的所有测试:

Dictionary<string, Action> tests = Assembly.GetExecutingAssembly().GetTypes()
    .Where(t => t.FullName.StartsWith("MyTests.Test"))
    .Select(t => t.GetMethod("Test"))
    .ToDictionary(m => m.DeclaringType.Name,
        m => new Action(() => m.Invoke(null, null)));

运行 随时需要:

tests["Test1"]();
tests["Test2"]();