Two-dimensional arrays are a collection of homogeneous elements that span over multiple rows and columns, assuming the form of a matrix. Below is an example of a 2D array which has m rows and n columns, thus creating a matrix of m x n configuration.
[ a1, a2, a3, a4, ..., an b1, b2, b3, b4, ..., bn c1, c2, c3, c4, ..., cn . . . m1, m2, m3, m4, ..., mn ]
Concept of Jagged Arrays
A Jagged Array is an array of arrays. Jagged arrays are essentially multiple arrays jagged together to form a multidimensional array. A two-dimensional jagged array may look something like this:
[ [ a1, a2, a3, a4, ..., an ], [ b1, b2, b3, b4, ..., b20 ], [ c1, c2, c3, c4, ..., c30 ], . . . [ m1, m2, m3, m4, ..., m25 ] ]
Notice that all the rows of a jagged array may or may not contain the same number of elements.
True 2D Arrays vs Jagged Arrays
Jagged Arrays are completely different than a true 2D array from an implementation perspective. It is important to understand how C# implements both multi-dimensional arrays as well as jagged arrays.
Programming languages differ in their implementation of multidimensional arrays. Some programming languages like C, C++, C#, Fortran, etc. support true 2D arrays. While there are others that simulate this behavior with arrays of arrays a.k.a. jagged arrays. So, how is a true two-dimensional array different from jagged arrays?
The two implementations of multidimensional arrays are different in terms of storage consumption. While a true 2D array would have m rows of n elements each, a jagged array could have m rows each having different numbers of elements. This leads to a minimum wasted space for sets of data. Thus, the below-jagged array is perfectly fine:
int[][] jagged array = [ [1, 2, 3, 4], [5, 6, 7], [8, 9] ]
If the same data set were to be implemented in a true 2D array, it would have been as below:
int[,] multiDimArray = [ 1, 2, 3, 4 5, 6, 7, 0 8, 9, 0, 0 ]
Operations on 2D Arrays in C#
Here, some operations on 2D Arrays given below:
1. Construct C# 2D Array
Let us see a way on how to declare a 2D array in C# and another way on how not to declare a 2D array in C#.
How to?
A true 2D Array implementation in C# starts with the Array declaration. It looks like below:
int[,] arr2D; string[,] arr2D_s;
The number of commas in the definition determines the dimension of the array. Note that you can not specify the size of the array in the array declaration. It must be done during the initialization of an array.
How not to?
It is easy to get confused between the implementations of 2D arrays and jagged arrays. A jagged array declaration looks like below:
int[][] jagged array;
2. Initialize C# 2D Array
The next step is to initialize the 2D array we just declared. There are several ways to do so.
Using the New Operator
arr2D = new int[2,3]; //separate initialization string[,] arr2D_s = new string[4,5]; //with declaration
Initializing with values
//without dimensions arr2D = new int[,]{{1,2}, {3,4}, {5,6}}; //with declaration arr2D_s = new string[2,2]{{"one","two"},{"three", "four"}};
Without the New Operator
Int[,] arr2D_a = {{1,2}, {3,4}, {5,6}, {7,8}};
3. Read Elements from C# 2D Array
Read a single element
The next operation is to read the elements from the 2D Array. Since the 2D Array is a matrix of m x n elements, each element has a designated row-index and column-index combination. We can access the elements by providing the row-index and column-index in the subscript. An example is below:
int[,] arr2D_i = {{1,2}, {3,4}, {5,6}, {7,8}}; string arr2D_s = {{"one","two"},{"three", "four"}}; int val_i = arr2D_i[2,1]; //returns '6' string val_s = arr2D_s[1,1]; //returns 'four'Note- The indices of rows and columns start from 0. Thus, the index position [0,0] is the first element and [m-1, n-1] is the last element of the array.
Read all the elements
But, the above method gives us the value of a single element in the array. How do we traverse the whole array to read each and every element of it? The simple solution is looping through the whole array using nested for/while loops.
Code
using System; public class Program { public static void Main() { int[,] arr2D_i = new int[3, 3]{{1, 2, 3}, {4, 5, 6}, {7, 8, 9}}; //reading all the elements through for loop for (int i = 0; i <p><strong>Output</strong></p> <p><img src="/static/imghwm/default1.png" data-src="https://img.php.cn/upload/article/000/000/000/172534750857170.png?x-oss-process=image/resize,p_40" class="lazy" alt="2D Arrays in C#" ></p> <p><strong>The GetLength() method</strong></p> <p>Okay. But, the above example works only when I know the number of elements in the array beforehand. What if my array is dynamic? How do I traverse all the elements of a dynamic array? Here comes the GetLength method to our rescue.</p> <p>int arr2D.GetLength(0); //returns first dimension (rows)</p> <p>int arr2D.GetLength(1); //returns second dimension (columns)</p> <p><strong>Code</strong></p> <pre class="brush:php;toolbar:false">using System; public class Program { public static void Main() { int[,] arr2D_i = new int[3, 3]{{1, 2, 3}, {4, 5, 6}, {7, 8, 9}}; //reading all the elements through for loop for (int i = 0; i <p><strong>Output</strong></p> <p><img src="/static/imghwm/default1.png" data-src="https://img.php.cn/upload/article/000/000/000/172534751040303.png?x-oss-process=image/resize,p_40" class="lazy" alt="2D Arrays in C#" ></p> <p><strong>The power of for each loop</strong></p> <p>The for-each loop executes a set of commands for each element of the array. This is a very powerful looping mechanism and is highly recommended to use as it is more efficient than a traditional for loop.</p> <p><strong>Code</strong></p> <pre class="brush:php;toolbar:false">using System; public class Program { public static void Main() { string[,] arr2D_s = new string[3, 3]{{"one", "two", "three"}, {"four","five","six"}, {"seven","eight","nine"}}; //reading all the elements through foreach loop foreach(var ele in arr2D_s) { Console.WriteLine(ele); } } }
Output
4. Insert Elements in C# 2D Array
Now let’s see an example on how to insert elements in a C# 2D Array. The idea is to traverse each position of the array and assign a value to it.
Code
using System; public class Program { public static void Main() { int[,] arr2D_i = new int[3, 3]{{1, 2, 3}, {4, 5, 6}, {7, 8, 9}}; int[,] squares = new int[3, 3]; int[,] cubes = new int[3, 3]; for (int i = 0; i <p><strong>Output</strong></p> <p><img src="/static/imghwm/default1.png" data-src="https://img.php.cn/upload/article/000/000/000/172534751424984.png?x-oss-process=image/resize,p_40" class="lazy" alt="2D Arrays in C#" ></p> <h4 id="Update-Elements-in-C-D-Array">5. Update Elements in C# 2D Array</h4> <p>We will update our array to multiply each element with 2. The idea is to traverse each position of the array and update the value it holds.</p> <p><strong>Code</strong></p> <pre class="brush:php;toolbar:false">using System; public class Program { public static void Main() { int[, ] arr2D_i = new int[3, 3]{{1, 2, 3}, {4, 5, 6}, {7, 8, 9}}; Console.WriteLine("Original Array\n"); DisplayArray(arr2D_i); for (int i = 0; i <p><strong>Output</strong></p> <p><img src="/static/imghwm/default1.png" data-src="https://img.php.cn/upload/article/000/000/000/172534751589570.png?x-oss-process=image/resize,p_40" class="lazy" alt="2D Arrays in C#" ></p> <h4 id="Delete-Elements-in-C-D-Array">6. Delete Elements in C# 2D Array</h4> <p>This is a tricky operation. It is not possible to delete a single element from a true C# 2D Array. Deleting a single element will disturb the dimensions of the array such that it would no longer be a matrix. C# does not allow that unless it is a jagged array.</p> <p>So, what is the solution? Do we delete the entire row or the entire column? No, C# would not allow that as well. The array is fixed in size when declared or initialized. It has fix bytes of memory allocated. We cannot change that at run time.</p> <p>The solution here is to create a new array without the elements that we want to delete.</p> <p><strong>Code</strong></p> <pre class="brush:php;toolbar:false">using System; public class Program { public static void Main() { int[,] arr2D_i = new int[3, 3]{{1, 2, 3}, {4, 5, 6}, {7, 8, 9}}; int[,] new_array = new int[2,2]; Console.WriteLine("Original Array\n"); DisplayArray(arr2D_i); int rowToDel = 2; int colToDel = 2; for (int i = 0; i <p><strong>Output</strong></p> <p><img src="/static/imghwm/default1.png" data-src="https://img.php.cn/upload/article/000/000/000/172534751646940.png?x-oss-process=image/resize,p_40" class="lazy" alt="2D Arrays in C#" ></p> <h3 id="strong-Conclusion-strong"><strong>Conclusion</strong></h3> <p>Thus, we have seen how a 2D Array is implemented in C# and what are the various CRUD operations we can perform on it. We also learned the difference between a true 2D implementation and a jagged array. There are a lot more methods available in C# to assist the developers with working with Arrays at ease. Do check them out at the MSDN docs.</p> <h3 id="strong-Recommended-Articles-strong"><strong>Recommended Articles</strong></h3> <p>This is a guide to 2D Arrays in C#. Here we discuss the concept of jagged arrays along with operations on 2D arrays in C#. You may also look at the following articles to learn more-</p> <ol> <li>2D Arrays in Java</li> <li>2D Arrays In Python</li> <li>Arrays in C#</li> <li>Arrays in C++</li> </ol>
The above is the detailed content of 2D Arrays in C#. For more information, please follow other related articles on the PHP Chinese website!

C# plays a core role in the .NET ecosystem and is the preferred language for developers. 1) C# provides efficient and easy-to-use programming methods, combining the advantages of C, C and Java. 2) Execute through .NET runtime (CLR) to ensure efficient cross-platform operation. 3) C# supports basic to advanced usage, such as LINQ and asynchronous programming. 4) Optimization and best practices include using StringBuilder and asynchronous programming to improve performance and maintainability.

C# is a programming language released by Microsoft in 2000, aiming to combine the power of C and the simplicity of Java. 1.C# is a type-safe, object-oriented programming language that supports encapsulation, inheritance and polymorphism. 2. The compilation process of C# converts the code into an intermediate language (IL), and then compiles it into machine code execution in the .NET runtime environment (CLR). 3. The basic usage of C# includes variable declarations, control flows and function definitions, while advanced usages cover asynchronous programming, LINQ and delegates, etc. 4. Common errors include type mismatch and null reference exceptions, which can be debugged through debugger, exception handling and logging. 5. Performance optimization suggestions include the use of LINQ, asynchronous programming, and improving code readability.

C# is a programming language, while .NET is a software framework. 1.C# is developed by Microsoft and is suitable for multi-platform development. 2..NET provides class libraries and runtime environments, and supports multilingual. The two work together to build modern applications.

C#.NET is a powerful development platform that combines the advantages of the C# language and .NET framework. 1) It is widely used in enterprise applications, web development, game development and mobile application development. 2) C# code is compiled into an intermediate language and is executed by the .NET runtime environment, supporting garbage collection, type safety and LINQ queries. 3) Examples of usage include basic console output and advanced LINQ queries. 4) Common errors such as empty references and type conversion errors can be solved through debuggers and logging. 5) Performance optimization suggestions include asynchronous programming and optimization of LINQ queries. 6) Despite the competition, C#.NET maintains its important position through continuous innovation.

The future trends of C#.NET are mainly focused on three aspects: cloud computing, microservices, AI and machine learning integration, and cross-platform development. 1) Cloud computing and microservices: C#.NET optimizes cloud environment performance through the Azure platform and supports the construction of an efficient microservice architecture. 2) Integration of AI and machine learning: With the help of the ML.NET library, C# developers can embed machine learning models in their applications to promote the development of intelligent applications. 3) Cross-platform development: Through .NETCore and .NET5, C# applications can run on Windows, Linux and macOS, expanding the deployment scope.

The latest developments and best practices in C#.NET development include: 1. Asynchronous programming improves application responsiveness, and simplifies non-blocking code using async and await keywords; 2. LINQ provides powerful query functions, efficiently manipulating data through delayed execution and expression trees; 3. Performance optimization suggestions include using asynchronous programming, optimizing LINQ queries, rationally managing memory, improving code readability and maintenance, and writing unit tests.

How to build applications using .NET? Building applications using .NET can be achieved through the following steps: 1) Understand the basics of .NET, including C# language and cross-platform development support; 2) Learn core concepts such as components and working principles of the .NET ecosystem; 3) Master basic and advanced usage, from simple console applications to complex WebAPIs and database operations; 4) Be familiar with common errors and debugging techniques, such as configuration and database connection issues; 5) Application performance optimization and best practices, such as asynchronous programming and caching.

C# is widely used in enterprise-level applications, game development, mobile applications and web development. 1) In enterprise-level applications, C# is often used for ASP.NETCore to develop WebAPI. 2) In game development, C# is combined with the Unity engine to realize role control and other functions. 3) C# supports polymorphism and asynchronous programming to improve code flexibility and application performance.


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

Video Face Swap
Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

SublimeText3 Chinese version
Chinese version, very easy to use

MantisBT
Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

MinGW - Minimalist GNU for Windows
This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

mPDF
mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

Atom editor mac version download
The most popular open source editor
