MSTest PrivateType.InvokeStatic() 抛出 MissingMethodException

MSTest PrivateType.InvokeStatic() Throws MissingMethodException

经过 3 个多小时的挫折,我决定问一下。

我有这个简单的 class 需要测试:

public class Organizer {
    private static bool Bongo(String p) {
        return p != null && p.Length >= 5;
    }

    private static int ValidateArgs(String[] args) {
        return args.Length;
    }
}

我有这段代码使用 MSTest 来测试静态方法:

using System;
using Microsoft.VisualStudio.TestTools.UnitTesting;

public class OrganizerTest {
    [TestMethod]
    public void TestBongo() {
        PrivateType psOrganizers = new PrivateType(typeof(Organizer));

        // This one works fine.
        Assert.IsTrue(Convert.ToBoolean(psOrganizers.InvokeStatic("Bongo", "ABCDEFG")));

        // Fails with: "System.MissingMethodException: Method 'Organizer.Bongo' not Found.
        Assert.IsFalse(Convert.ToBoolean(psOrganizers.InvokeStatic("Bongo", null)));
    }

    [TestMethod]
    public void TestBodo() {
        PrivateType psOrganizers = new PrivateType(typeof(Organizer));

        String[] fakeArray = new String[] { "Pizza" };

        // Fails with: "System.MissingMethodException: Method 'Organizer.ValidateArgs' not Found.
        int result1 = Convert.ToInt32(psOrganizers.InvokeStatic("ValidateArgs", fakeArray));

        // Fails with: "System.MissingMethodException: Method 'Organizer.ValidateArgs' not Found.
        int result2 = Convert.ToInt32(psOrganizers.InvokeStatic("ValidateArgs", "A", "B", "C", "D"));

        // Fails with: "System.MissingMethodException: Method 'Organizer.ValidateArgs' not Found.
        int result3 = Convert.ToInt32(psOrganizers.InvokeStatic("ValidateArgs", new Object[] { "A", "B", "C", "D" }));

        Assert.IsTrue(result1 == 1 && result2 == 4 && result3 == 4);
    }
}

除了 TestBongo 中的第一个断言,其他所有断言都因 MissingMethodException 而失败。有许多 InvokeStatic() 重载,我怀疑编译器可能没有选择我期望的重载。

顺便说一句,请不要告诉我不要测试私有方法。我不是要辩论。 :)

谢谢。

InvokeStatic 的最后一个参数是 params 参数,因此在这些情况下它的用法有点混乱。在第一种情况下,传递 null 似乎被视为尝试调用不带参数的方法。尝试

psOrganizers.InvokeStatic("Bongo", new object[] { null })

用 null 调用 Bongo

在第二种情况下,String[] 可以隐式转换 Object[] 因为 array covariance。字符串数组作为参数列表而不是您想要的单个参数传递。您需要将字符串数组包装在另一个数组中才能使其正常工作。尝试

psOrganizers.InvokeStatic("ValidateArgs", new object[] { new string[] { "A", "B", "C", "D" } })

调用 ValidateArgs.