Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!
  • C#
using System.Collections.Generic;
foreach (var (i, x) in items.AsIndexed())
{
    System.Console.WriteLine($"{i}: {x}");
}

public static class Extensions
{
    public static IEnumerable<(int, T)> AsIndexed<T>(
        this IEnumerable<T> source)
    {
        var index = 0;
        foreach (var item in source)
        {
            yield return (index++, item);
        }
    }
}

By adding an extension method to IEnumerable<T>, we can perform a foreach over the collection.

Such an extension method isn't provided as part of the standard framework but can be added to a project
using System.Linq;
foreach (var (x, i) in items.Select((x, i)=>(x, i)))
{
    System.Console.WriteLine($"{i}: {x}");
}

System.Linq provides Select(), which allows access to the index.

Note: order is item, index, and not the conventional index, item.
using System;
for (int i = 0; i < items.Length; i++)
{
    Console.WriteLine($"{i} {items[i]}");
}

Using a for loop, we can access the items via the index property
with Ada.Text_IO;
use Ada.Text_IO;
for I in Items'Range loop
   X := Items (I);
   Put_Line (Integer'Image (I) & " " & Integer'Image (X));
end loop;

Assuming Items is an array of integers.

New implementation...