在 C# 中檢查陣列是否包含給定值

Muhammad Maisam Abbas 2024年2月16日
  1. 使用 C# 中的 Array.IndexOf() 函式獲取陣列中元素的索引
  2. 使用 C# 中的 Array.FindIndex() 函式獲取陣列中元素的索引
  3. 使用 C# 中的 Array.Exists() 檢查陣列中的元素
在 C# 中檢查陣列是否包含給定值

本教程將介紹在 C# 中檢查陣列內部元素的方法。

使用 C# 中的 Array.IndexOf() 函式獲取陣列中元素的索引

C# 中的 Array.IndexOf(array, element) 函式獲取陣列 array 中元素 element 的索引。如果陣列中不存在該元素,則返回 -1

以下程式碼示例向我們展示瞭如何使用 C# 中的 Array.Indexof() 函式獲取陣列中元素的索引。

using System;

namespace check_element_in_array {
  class Program {
    static void Main(string[] args) {
      string[] stringArray = { "value1", "value2", "value3", "value4" };
      string value = "value3";
      int index = Array.IndexOf(stringArray, value);
      if (index > -1) {
        Console.WriteLine("{0} found in the array at index {1}", value, index);
      } else {
        Console.WriteLine("Value not found");
      }
    }
  }
}

輸出:

value3 found in the array at index 2

我們使用 C# 中的 Array.IndexOf() 函式在陣列 stringArray 中顯示元素 value3 的索引。上面的程式碼在找到值的情況下顯示元素的索引,在陣列中找不到值的情況下顯示 value not found

使用 C# 中的 Array.FindIndex() 函式獲取陣列中元素的索引

如果元素存在於陣列中,C# 中的 Array.FindIndex(array, pattern) 函式獲取與陣列 array 中的模式 pattern 相匹配的元素索引。如果陣列中不存在該元素,則返回 -1。我們可以使用 lambda 表示式在 Array.FindIndex() 函式中指定 pattern 引數。

以下程式碼示例向我們展示瞭如何在 C# 中使用 Array.FindIndex() 函式和 lambda 表示式來獲取陣列中元素的索引。

using System;

namespace check_element_in_array {
  class Program {
    static void Main(string[] args) {
      string[] stringArray = { "value1", "value2", "value3", "value4" };
      string value = "value3";
      var index = Array.FindIndex(stringArray, x => x == value);
      if (index > -1) {
        Console.WriteLine("{0} found in the array at index {1}", value, index);
      } else {
        Console.WriteLine("Value not found");
      }
    }
  }
}

輸出:

value3 found in the array at index 2

我們使用 C# 中的 Array.IndexOf() 函式在陣列 stringArray 中顯示元素 value3 的索引。上面的程式碼在找到值的情況下顯示元素的索引,在陣列中找不到值的情況下顯示 value not found

使用 C# 中的 Array.Exists() 檢查陣列中的元素

如果只需要檢查陣列中是否存在某個元素,而又不關心該元素所在的陣列的索引,則可以使用 Array.Exists() 函式,位於 C# 中。Array.Exists() 函式返回一個布林值,如果該元素存在於陣列中,則為 true;如果該元素不存在於陣列中,則為 false

以下程式碼示例向我們展示瞭如何使用 C# 中的 Array.Exists() 函式檢查陣列中的元素。

using System;

namespace check_element_in_array {
  class Program {
    static void Main(string[] args) {
      string[] stringArray = { "value1", "value2", "value3", "value4" };
      string value = "value3";
      var check = Array.Exists(stringArray, x => x == value);
      if (check == true) {
        Console.WriteLine("{0} found in the array", value);
      } else {
        Console.WriteLine("Value not found");
      }
    }
  }
}

輸出:

value3 found in the array

在上面的程式碼中,我們使用 C# 中的 Array.Exists() 函式檢查了 stringArray 陣列中是否存在值 value3

Muhammad Maisam Abbas avatar Muhammad Maisam Abbas avatar

Maisam is a highly skilled and motivated Data Scientist. He has over 4 years of experience with Python programming language. He loves solving complex problems and sharing his results on the internet.

LinkedIn

相關文章 - Csharp Array