간단한 리스트를 만들고 출력해보자
using System;
namespace MyFirstTest
{
class MainClass
{
public static void Main(string[] args)
{
int[] MyList = { 1, 2, 3, 4, 5 };
Console.WriteLine(MyList);
}
}
}
이번에는 리스트 변수를 문자열로 바꿔서 출력해보자
using System;
namespace MyFirstTest
{
class MainClass
{
public static void Main(string[] args)
{
int[] MyList = { 1, 2, 3, 4, 5 };
Console.WriteLine(MyList.ToString());
}
}
}
for문을 이용해서 출력해보자
using System;
namespace MyFirstTest
{
class MainClass
{
public static void Main(string[] args)
{
int[] MyList = { 1, 2, 3, 4, 5 };
for (var i = 0; i < 5; i++)
{
Console.WriteLine(MyList[i]);
}
}
}
}
이번에는 i의 조건을 치환해보자
using System;
namespace MyFirstTest
{
class MainClass
{
public static void Main(string[] args)
{
int[] MyList = { 1, 2, 3, 4, 5 };
for (var i = 0; i < MyList.Length; i++)
{
Console.WriteLine(MyList[i]);
}
}
}
}
리스트의 갯수를 10까지 늘려서 테스트해보자
using System;
namespace MyFirstTest
{
class MainClass
{
public static void Main(string[] args)
{
int[] MyList = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
for (var i = 0; i < MyList.Length; i++)
{
Console.WriteLine(MyList[i]);
}
}
}
}
List<int> MyList = new List<int>();를 활용해서 리스트 만들어서 출력해보자
using System;
using System.Collections.Generic;
namespace MyFirstTest
{
class MainClass
{
public static void Main(string[] args)
{
List<int> MyList = new List<int>();
MyList.Add(1);
MyList.Add(2);
MyList.Add(3);
MyList.Add(4);
MyList.Add(5);
MyList.Add(6);
MyList.Add(7);
MyList.Add(8);
MyList.Add(9);
MyList.Add(10);
foreach (var i in MyList)
{
Console.WriteLine(i);
}
}
}
}
for문으로 출력해보기
using System;
using System.Collections.Generic;
namespace MyFirstTest
{
class MainClass
{
public static void Main(string[] args)
{
List<int> MyList = new List<int>();
MyList.Add(1);
MyList.Add(2);
MyList.Add(3);
MyList.Add(4);
MyList.Add(5);
MyList.Add(6);
MyList.Add(7);
MyList.Add(8);
MyList.Add(9);
MyList.Add(10);
for (var i = 0; i < MyList.Count; i++)
{
Console.WriteLine(MyList[i]);
}
}
}
}
한줄로 출력해보기
using System;
using System.Collections.Generic;
namespace MyFirstTest
{
class MainClass
{
public static void Main(string[] args)
{
List<int> MyList = new List<int>();
MyList.Add(1);
MyList.Add(2);
MyList.Add(3);
MyList.Add(4);
MyList.Add(5);
MyList.Add(6);
MyList.Add(7);
MyList.Add(8);
MyList.Add(9);
MyList.Add(10);
Console.WriteLine(string.Join(",", MyList));
}
}
}
'Programming Language > C#' 카테고리의 다른 글
[C#] datetime 타입 특성 파악해보기 (0) | 2022.03.09 |
---|---|
[C#] 변수 출력하는 방법 (0) | 2022.03.09 |
[C#] 맥북용 비쥬얼 스튜디오 설치하기 (MacOS, Visual Studio, C#) (2) | 2022.03.09 |