I want to iterate over the alphabet like so:
foreach(char c in alphabet)
{
//do something with letter
}
Is an array of chars the best way
(Assumes ASCII, etc)
for (char c = 'A'; c <= 'Z'; c++)
{
//do something with letter
}
Alternatively, you could split it out to a provider and use an iterator (if you're planning on supporting internationalisation):
public class EnglishAlphabetProvider : IAlphabetProvider
{
public IEnumerable<char> GetAlphabet()
{
for (char c = 'A'; c <= 'Z'; c++)
{
yield return c;
}
}
}
IAlphabetProvider provider = new EnglishAlphabetProvider();
foreach (char c in provider.GetAlphabet())
{
//do something with letter
}
var alphabet = Enumerable.Range(0, 26).Select(i => Convert.ToChar('A' + i));
Enumerable.Range(65, 26).Select(a => new { A = (char)(a) }).ToList().ForEach(c => Console.WriteLine(c.A));
I found this:
foreach(char letter in Enumerable.Range(65, 26).ToList().ConvertAll(delegate(int value) { return (char)value; }))
{
//breakpoint here to confirm
}
while randomly reading this blog, and thought it was an interesting way to accomplish the task.
Or you could do,
string alphabet = "abcdefghijklmnopqrstuvwxyz";
foreach(char c in alphabet)
{
//do something with letter
}
Use Enumerable.Range:
Enumerable.Range('A', ('Z' - 'A' + 1)).Select(i => (char)i)