Csharp/CSharp Tutorial/Generic/Generic SortedList

Материал из .Net Framework эксперт
Перейти к: навигация, поиск

Use the ContainsKey() method to check if mySortedList contains a key

<source lang="csharp">using System; using System.Collections; class MainClass {

 public static void Main()
 {
   SortedList mySortedList = new SortedList();
   mySortedList.Add("NY", "New York");
   mySortedList.Add("FL", "Florida");
   mySortedList.Add("AL", "Alabama");
   mySortedList.Add("WY", "Wyoming");
   mySortedList.Add("CA", "California");
   foreach (string myKey in mySortedList.Keys)
   {
     Console.WriteLine("myKey = " + myKey);
   }
   foreach(string myValue in mySortedList.Values)
   {
     Console.WriteLine("myValue = " + myValue);
   }
   
   if (mySortedList.ContainsKey("FL"))
   {
     Console.WriteLine("mySortedList contains the key FL");
   }
 }

}</source>

myKey = AL
myKey = CA
myKey = FL
myKey = NY
myKey = WY
myValue = Alabama
myValue = California
myValue = Florida
myValue = New York
myValue = Wyoming
mySortedList contains the key FL

Use the keys to obtain the values from a generic SortedList<TK, TV>

<source lang="csharp">using System; using System.Collections.Generic;

class MainClass {

 public static void Main() {  
   SortedList<string, double> sl = new SortedList<string, double>();  
      
   sl.Add("A", 7);  
   sl.Add("B", 5);  
   sl.Add("C", 4);  
   sl.Add("D", 9);  

   // Get a collection of the keys.  
   ICollection<string> c = sl.Keys;  
 
     
   foreach(string str in c)  
     Console.WriteLine("{0}, Salary: {1:C}", str, sl[str]);  
 
   Console.WriteLine();  
 }  

}</source>

A, Salary: $7.00
B, Salary: $5.00
C, Salary: $4.00
D, Salary: $9.00