Course Content
C# Basics
C# Basics
What are Arrays?
Consider a situation where we need to store the subject marks of 50 students. One way is to make 50 integer variables that hold the marks of 50 students ,however it is very tedious and in-efficient. Instead, we can create an array.
An Array is like a collection of variables of the same type.
We can create an array using the following syntax:
main
datatype[] arrayName = new datatype[size];
The datatype
indicates the type of elements the array will possess, it can be int
, float
, char
etc.
While size
is the number of elements the array will have.
Using the above syntax we can create an integer array having 50 elements:
main
int[] studentMarks = new int[50];
The size of an array is fixed and cannot be changed. In case we want to initialize an array with some elements at the time of declaration, we can use the following syntax:
main
datatype[] arrayName = {element1, element2, element3, ...};
In this case we don't need to specify the size
of the array. It is automatically inferred by the compiler based on the number of elements the array is initialized with:
main
using System; namespace ConsoleApp { internal class Program { static void Main(string[] args) { int[] primeNumbers = { 2, 3, 5, 7, 11, 13, 17 }; Console.WriteLine(primeNumbers[3]); // Output: 7 } } }
The size
of the above array is 7
since it is initialized with seven elements. This size stays fixed throughout the program.
Indexing in Arrays is a method to access elements using numerical indices.
The first element is accessed with index 0
, the second with index 1
, and so on. This allows for quick and easy retrieval and modification of values. In the upcoming chapters, we will explore this concept in more detail, practicing how to find elements using their indices.
Following is an illustration of a string array that has 4 elements:
Each element is like a box which contains a value, and that value can be changed.
Thanks for your feedback!