在 C# 中获取列表长度

Fil Zjazel Romaeus Villegas 2022年4月20日
在 C# 中获取列表长度

本教程将演示如何使用 count 函数获取 C# 列表的长度。

列表是一种指定类型的对象的集合,其值可以通过其索引访问。

List<T> myList = new List<T>(); 

只要你添加的值的类型与初始化期间定义的类型匹配,你就可以将任意数量的元素添加到列表中。

C# 列表有一个内置函数 Count,它返回列表中的元素数。

int list_count = myList.Count; 

例子:

using System;
using System.Collections.Generic;

namespace ListCount_Example
{
    class Program
    {
        static void Main(string[] args)
        {
            //Initializing the list of strings
            List<string> student_list = new List<string>();

            //Adding values to the list
            student_list.Add("Anna Bower");
            student_list.Add("Ian Mitchell");
            student_list.Add("Dorothy Newman");
            student_list.Add("Nathan Miller");
            student_list.Add("Andrew Dowd");
            student_list.Add("Gavin Davies");
            student_list.Add("Alexandra Berry"); 

            //Getting the count of items in the list and storing it in the student_count variable
            int student_count = student_list.Count;

            //Printing the result
            Console.WriteLine("Total Number of students: " + student_count.ToString()); 
        }
    }
}

上例中初始化了字符串列表,并添加了 7 条记录。添加记录后,使用 count 函数提取记录数并将其存储在一个整数值中,然后打印。

输出:

Total Number of students: 7

相关文章 - Csharp List