根据文件名(C#)运行正确的方法

时间:2019-07-02 10:25:23

标签: c# if-statement switch-statement boolean boolean-logic

我正在检查file的名称,如果正确,则返回TRUE

bool name_FORD = file.Contains("FORD"); 
bool name_KIA  = file.Contains("KIA");  
bool name_BMW  = file.Contains("BMW");

基于此,我想切换并运行正确的method。但是我很困惑如何正确地做到这一点:

switch (true)
{
 case 1 name_FORD: 
              method1();
              break();
 case 2 name_KIA:
              method2();
              break();
 case 3 name_BMW:
              method3();
              break();
}

2 个答案:

答案 0 :(得分:4)

我建议将所有字符串和相应的方法组织Dictionary

Dictionary<string, Action> myCars = new Dictionary<string, Action>() {
  {"FORD", method1}, // e.g. {"FORD", () => {Console.WriteLine("It's Ford!");}},
  { "KIA", method2},
  { "BMW", method3}, 
  //TODO: Put all the cars here
};

然后我们可以放一个简单的循环:

foreach (var pair in myCars)
  if (file.Contains(pair.Key)) { // if file contains pair.Key
    pair.Value();                // we execute corresponding method pair.Value

    break; 
  }

编辑:如果我们可以使用复杂的方法(例如,方法可能需要filekey参数),我们可以更改签名:

// Each action can have 2 parameters: key (e.g. "FORD") and file
Dictionary<string, Action<string, string>> myCars = 
  new Dictionary<string, Action<string, string>>() {
     {"FORD", (key, file) => {Console.Write($"{key} : {string.Concat(file.Take(100))}")}}, 
     { "KIA", (key, file) => {Console.Write($"It's {key}!")}},
     { "BMW", (key, file) => {/* Do nothing */}}, 
  //TODO: Put all the cars here
};

在循环中执行时,我们应提供以下参数:

foreach (var pair in myCars)
  if (file.Contains(pair.Key)) { // if file contains pair.Key
    pair.Value(pair.Key, file); // we execute corresponding method pair.Value

    break; 
  }

答案 1 :(得分:0)

您可以在c#中使用诸如变量之类的方法,方法是将它们分配给Action:

public void KiaMethod(){
  Console.WriteLine("Kia");
}
public void BmwMethod(){
  Console.WriteLine("BMW");
}

Action method = null;
if(file.Contains("KIA"))
  method = KiaMethod;
else if(file.Contains("BMW"))
  method = BmwMethod;

method();

尽管我真的很喜欢凯兰的回答中的模式,因为我并没有真正理解为什么你需要这种程度的复杂性