How do I skip specific tests in xUnit based on current platform

后端 未结 5 699
鱼传尺愫
鱼传尺愫 2020-12-15 02:33
  • I have an assembly that I\'ve built on Windows
  • I want to run the xUnit tests on mono in Linux.

However, I have found that while 400 of these te

5条回答
  •  旧巷少年郎
    2020-12-15 02:52

    I would avoid externalising skipping tests (i.e. a config/command file if it's possible). This somewhat goes against making the tests easy to run and trustworthy. Making the tests ignored in code is the safest approach when other people start to get involved.

    I could see a number of options, here are two that involve modification of existing code.

    Option 1 - Most intrusive, compile time platform detection

    In the VS Solution, define another configuration that defines a precompiler flag MONOWIN (just so that it's explicitly a flag the says that it is for code compiled on Windows for use on Mono).

    Then define an attribute that will make the test ignored when compiled for Mono:

    public class IgnoreOnMonoFactAttribute : FactAttribute {
    #if MONOWIN
        public IgnoreOnMonoFactAttribute() {
            Skip = "Ignored on Mono";
        }
    #endif
    }
    

    It's actually hard to find any advantages to this method as it involves mocking with the original solution and adds another confiration that needs to be supported.

    Option 2 - somewhat intrusive - runtime platform detection

    Here is a similar solution to option1, except no separate configuration is required:

    public class IgnoreOnMonoFactAttribute : FactAttribute {
    
        public IgnoreOnMonoFactAttribute() {
            if(IsRunningOnMono()) {
                Skip = "Ignored on Mono";
            }
        }
        /// 
        /// Determine if runtime is Mono.
        /// Taken from http://stackoverflow.com/questions/721161
        /// 
        /// True if being executed in Mono, false otherwise.
        public static bool IsRunningOnMono() {
            return Type.GetType("Mono.Runtime") != null;
        }
    }
    

    Note 1

    xUnit runner will run a method twice if it is marked with [Fact] and [IgnoreOnMonoFact]. (CodeRush doesn't do that, in this case I assume xUnit is correct). This means that any tests methods must have [Fact] replaced with [IgnoreOnMonoFact]

    Note 2

    CodeRush test runner still ran the [IgnoreOnMonoFact] test, but it did ignore the [Fact(Skip="reason")] test. I assume it is due to CodeRush reflecting xUnit and not actually running it with the aid of xUnit libraries. This works fine with xUnit runner.

提交回复
热议问题