1. Array.ConvertAll() 메서드를 사용
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Linq;
namespace Array_of_String_to_integer
{
class Program
{
static void Main(string[] args)
{
//method 1 using Array.ConvertAll
string[] temp_str = new string[] { "1000", "2000", "3000" };
int[] temp_int = Array.ConvertAll(temp_str, s => int.Parse(s));
for(int i=0; i<temp_int.Length; i++)
{
Console.WriteLine(temp_int[i]); //Printing After Conversion.............
}
Console.ReadKey();
}
}
}
위의 코드에서 Array.Convertall() 메서드를 사용하여 배열을 전달한다. int.Parse()를 사용하여 문자열 배열을 int 배열로 구문 분석한다.
출력
1000
2000
3000
2. LINQ의 Select() 메서드를 사용
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Linq;
namespace Array_of_String_to_integer
{
class Program
{
static void Main(string[] args)
{
Console.WriteLine("===================Using LINQ=======================================");
// Method Using LINQ.........................
//We can also pass the int.Parse() method to LINQ's Select() method and then call ToArray to get an array.
string[] temp_str = new string[] { "1000", "2000", "3000" };
int[] temp_int1 = temp_str.Select(int.Parse).ToArray();
for (int i = 0; i < temp_int1.Length; i++)
{
Console.WriteLine(temp_int1[i]); //Printing After Conversion.............
}
Console.ReadKey();
}
}
}
출력
===================Using LINQ=======================================
1000
2000
3000
출처 : https://www.delftstack.com/ko/howto/csharp/csharp-convert-string-array-to-int-array/
'프로그래밍 언어 > C#' 카테고리의 다른 글
C# DateTime & TimeSpan (0) | 2023.06.26 |
---|---|
C# 각 타입별로 접근제한자 (Access Modifiers) (0) | 2023.06.26 |
C# Equals, ==, ReferenceEquals 비교 (0) | 2023.06.14 |
C# 복사본 만들기 (0) | 2023.06.13 |
C# 문자열 자르기(Split), 추출(Substring) (0) | 2023.06.13 |