- Trending Categories
Data Structure
Networking
RDBMS
Operating System
Java
MS Excel
iOS
HTML
CSS
Android
Python
C Programming
C++
C#
MongoDB
MySQL
Javascript
PHP
Physics
Chemistry
Biology
Mathematics
English
Economics
Psychology
Social Studies
Fashion Studies
Legal Studies
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
Reverse the order of the elements in the entire List or in the specified range in C#
To reverse the order of the elements in the entire List, the code is as follows −
Example
using System; using System.Collections.Generic; public class Demo { public static void Main(String[] args) { List<String> list = new List<String>(); list.Add("One"); list.Add("Two"); list.Add("Three"); list.Add("Four"); list.Add("Five"); list.Add("Six"); list.Add("Seven"); list.Add("Eight"); Console.WriteLine("Enumerator iterates through the list elements..."); List<string>.Enumerator demoEnum = list.GetEnumerator(); while (demoEnum.MoveNext()) { string res = demoEnum.Current; Console.WriteLine(res); } list.Reverse(2, 4); Console.WriteLine("Elements in ArrayList2...Reversed 4 elements beginning from index 2"); foreach (string res in list) { Console.WriteLine(res); } } }
Output
This will produce the following output −
Enumerator iterates through the list elements... One Two Three Four Five Six Seven Eight Elements in ArrayList2...Reversed 4 elements beginning from index 2 One Two Six Five Four Three Seven Eight
Example
Let us see another example −
using System; using System.Collections.Generic; public class Demo { public static void Main(String[] args) { List<int> list = new List<int>(); list.Add(5); list.Add(10); list.Add(20); list.Add(50); list.Add(100); Console.WriteLine("Enumerator iterates through the list elements..."); List<int>.Enumerator demoEnum = list.GetEnumerator(); while (demoEnum.MoveNext()) { int res = demoEnum.Current; Console.WriteLine(res); } list.Reverse(); Console.WriteLine("Elements in List...Reversed"); foreach (int i in list) { Console.WriteLine(i); } } }
Output
This will produce the following output −
Enumerator iterates through the list elements... 5 10 20 50 100 Elements in List...Reversed 100 50 20 10 5
Advertisements