是否可以对C#中的多个方法应用限制

时间:2015-11-21 10:39:50

标签: c# restrictions

我有一个脚本如下:

Int MethodOne (int param) {
    If (param > 5) {
        Return 0;
    }
    Return param;
}

Int MethodTwo (int param) {
    If (param > 5) {
        Return 0;
    }
    Return param * anotherVariable;
}

是否可以应用条件'方法不应该执行如果param> 5'我的所有方法都没有在每个方法中重写它?

5 个答案:

答案 0 :(得分:4)

一种方法是不传递int(参见primitive obsession

public class NotMoreThanFive 
{
  public int Value {get; private set;}
  public NotMoreThanFive(int value) 
  {
    Value = value > 5 ? 0 : value;
  }
}

现在

Int MethodOne (NotMoreThanFive param) {
    Return param.Value;
}

Int MethodTwo (NotMoreThanFive param) {
    Return param.Value * anotherVariable;
}

答案 1 :(得分:1)

我不知道OP问的方式,所以这是我能想到的最佳答案。一种方法是创建另一个Restriction()方法,以便您可以更改一次而不是每种方法。

bool Restriction(int param)
{
    return param <= 5;
}

int MethodOne(int param)
{
    return Restriction(param) ? param : 0;
}

int MethodTwo(int param) 
{
    return Restriction(param) ? param * anotherVariable : 0;
}

答案 2 :(得分:1)

您可以使用功能。

Func<int,int> restrict = x => x <= 5 ? x : 0;

int MethodOne (int param) {
    return restrict(param);
}
int MethodTwo (int param) {
    return restrict(param) * anotherVariable;
}
//...

当你做restrict(param)时,它会为你做检查并返回所需的号码。

答案 3 :(得分:0)

不要编写多个方法,只需编写一个方法,该方法接受一个参数来决定需要调用哪个功能,并将条件放在该方法的顶部:

Int MethodOne (int func, int param) {
    If (param > 5) {
        Return 0;
    }

    switch(func)
    {
        case 1: Return param; break;
        case 2: Return param * anotherVariable; break;
        ...
    }
}

答案 4 :(得分:0)

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace ConsoleApplication8
{
    class Program
    {
        delegate int restriction(int x, string methodName);

        static void Main(string[] args)
        {
            int x = MethodOne(6);
            Console.WriteLine(x);

            int x1 = MethodOne(4);
            Console.WriteLine(x1);

            int x2 = Methodtwo(6);
            Console.WriteLine(x2);

            int x3 = Methodtwo(4);
            Console.WriteLine(x3);



            Console.ReadLine();
        }

        public static int restrictionMethod(int param, string methodName)
        {
            if (param > 5)
            {
                param = 0;              

            }
            if (methodName == "MethodOne")
            {
                return param;
            }
            else if (methodName == "Methodtwo")
            {
                return param * 4;
            }

            return -1;
        }

        public static int MethodOne(int param) 
       {
           restriction rx = restrictionMethod;
           int returnValue = rx(param, "MethodOne");
           return returnValue;
       }

        public static int Methodtwo(int param)
       {
           restriction rx = restrictionMethod;
           int returnValue = rx(param, "Methodtwo");

           return returnValue;
       }


    }
}