[Unity] Assertion (assertion) another Debug

  • Assert.AreEqual 与 Assert.AreNotEqual
  • Assert.AreApproximatelyEqual 与 Assert.AreNotApproximatelyEqual
  • Assert.IsTrue 与 Assert.IsFalse
  • Assert.IsNull 与 Assert.IsNotNull

Detect violations of specified equality or inequality principles

    public void TestAssertEqual()
    {
        Assert.AreEqual("123", "456", "断言检测违背相等原则");

        Assert.AreNotEqual("123", "123", "断言检测违背不相等原则");
    }

Tests whether approximately equal or not equal to 

    public void TestAreApproximatelyEqual()
    {
        // 默认允许误差小于 0.00001f,这里我们制定误差为 0.01f
        Assert.AreApproximatelyEqual(0.9f, 0.91f, 0.01f, "断言检测 约等于 不成立");

        Assert.AreNotApproximatelyEqual(0.9f, 0.9000001f, 0.01f, "断言检测 不约等于 不成立");
    }

Check if the value is True or False 


    public void TestIsTrue()
    {
        Assert.IsTrue(1 > 2, "违背结果为真的原则");

        Assert.IsTrue(Testbool());

        Assert.IsFalse(1 < 2, "违背结果为假的原则");
    }

    public bool Testbool()
    {
        return false;
    }

Check if it is Null 

    public void TestIsNull()
    {
        Student student1 = new Student();

        Assert.IsNull(student1,"检测结果值不为null");

        student1 = null;

        Assert.IsNotNull<Student>(student1,"检测结果为null");
    }

You can also customize the comparison rules in the assertion, the code is as follows 

public class Student
{
    public string name;
    public int number;
    public int age;
}
    public void TestCustomEqualityComparer()
    {
        Student S1 = new Student() { age = 1 };
        Student S2 = new Student() { age = 2 };
        Assert.AreEqual(S1, S2, "自定义比较结果为不相等", new CustomEqualityComparer<Student>((s1, s2) => { return s1.age == s2.age; }));
    }

The comparison part is to inherit IEqualityComparer to reimplement the rules we want to compare

Another feature in the assertion is whether to prevent the execution of the code block after the trigger condition. The API used is Assert.raiseExceptions, and the default value is false

The effect is as follows:

Assert.raiseExceptions = false;

    public void TestRaiseExceptions()
    {
        Assert.raiseExceptions = false;

        Assert.IsTrue(1 > 2);

        Assert.IsTrue(1 > 2, "自定义输出");

        Debug.LogError(new string('*', 20));

        Debug.Log("执行");
    }

Assert.raiseExceptions = true; 

    public void TestRaiseExceptions()
    {
        Assert.raiseExceptions = true;

        Assert.IsTrue(1 > 2);

        Assert.IsTrue(1 > 2, "自定义输出");

        Debug.LogError(new string('*', 20));

        Debug.Log("执行");
    }

 

Guess you like

Origin blog.csdn.net/weixin_46472622/article/details/130055131