자연수를 원소로 갖는 공집합이 아닌 두 집합 A와 B가 있다. 이때, 두 집합의 대칭 차집합의 원소의 개수를 출력하는 프로그램을 작성하시오. 두 집합 A와 B가 있을 때, (A-B)와 (B-A)의 합집합을 A와 B의 대칭 차집합이라고 한다.
예를 들어, A = { 1, 2, 4 } 이고, B = { 2, 3, 4, 5, 6 } 라고 할 때, A-B = { 1 } 이고, B-A = { 3, 5, 6 } 이므로, 대칭 차집합의 원소의 개수는 1 + 3 = 4개이다.입력
- 첫째 줄에 집합 A의 원소의 개수와 집합 B의 원소의 개수가 빈 칸을 사이에 두고 주어진다. 둘째 줄에는 집합 A의 모든 원소가, 셋째 줄에는 집합 B의 모든 원소가 빈 칸을 사이에 두고 각각 주어진다. 각 집합의 원소의 개수는 200,000을 넘지 않으며, 모든 원소의 값은 100,000,000을 넘지 않는다.
출력
- 첫째 줄에 대칭 차집합의 원소의 개수를 출력한다.
대칭차집합은 합집합-교집합과도 같다.
따라서 합집합 리스트 하나, 교집합 리스트 하나를 구한 뒤
차집합을 해줄 계획이다.
LinQ를 활용한다.
namespace SongE
{
public class Program
{
static void Main(string[] args)
{
using var input = new System.IO.StreamReader(Console.OpenStandardInput());
using var print = new System.IO.StreamWriter(Console.OpenStandardOutput());
int[] n = Array.ConvertAll(input.ReadLine().Split(), s => int.Parse(s));
List<int> A = Array.ConvertAll(input.ReadLine().Split(), s => int.Parse(s)).ToList();
List<int> B = Array.ConvertAll(input.ReadLine().Split(), s => int.Parse(s)).ToList();
IEnumerable<int> hap = Enumerable.Union(A, B);
IEnumerable<int> gyo = Enumerable.Intersect(A, B);
IEnumerable<int> dae = hap.Except(gyo);
print.WriteLine(dae.Count());
}
}
}