본문 바로가기
프로그래밍/Algorithm

순열과 조합 관련 코드

by bantomak 2024. 3. 22.

모든 숫자 조합을 출력

using System;
using System.IO;

class Program
{
    static void Main(string[] args)
    {
        var sw = new StreamWriter(Console.OpenStandardOutput());
        var sr = new StreamReader(Console.OpenStandardInput());

        var input = sr.ReadLine().Split();
        var num1 = Int32.Parse(input[0]);
        var num2 = Int32.Parse(input[1]);

        var ints = new int[num1];

        Combination_DFS(sw, ints, 0, 0, num2);

        sw.Close();
        sr.Close();
    }

    static void Combination_DFS(StreamWriter sw, int[] array, int now, int pos, int r)
    {
        if (now == r)
        {
            for (int i = 0; i < r; i++)
            {
                sw.Write($"{array[i]} ");
            }

            sw.WriteLine();
            return;
        }

        for (int idx = pos; idx < array.Length; idx++)
        {
            array[now] = idx + 1;
            Combination_DFS(sw, array, now + 1, pos, r);
        }
    }
}

 

3개 중에서 2개를 고르는 경우의 수(중복 포함)

 

조합을 출력(재귀 호출하는 부분 pos -> idx + 1로 변경됨)

using System;
using System.IO;

class Program
{
    static void Main(string[] args)
    {
        var sw = new StreamWriter(Console.OpenStandardOutput());
        var sr = new StreamReader(Console.OpenStandardInput());

        var input = sr.ReadLine().Split();
        var num1 = Int32.Parse(input[0]);
        var num2 = Int32.Parse(input[1]);

        var ints = new int[num1];

        Combination_DFS(sw, ints, 0, 0, num2);

        sw.Close();
        sr.Close();
    }

    static void Combination_DFS(StreamWriter sw, int[] array, int now, int pos, int r)
    {
        if (now == r)
        {
            for (int i = 0; i < r; i++)
            {
                sw.Write($"{array[i]} ");
            }

            sw.WriteLine();
            return;
        }

        for (int idx = pos; idx < array.Length; idx++)
        {
            array[now] = idx + 1;
            Combination_DFS(sw, array, now + 1, idx + 1, r);
        }
    }
}

 

$$ _{3}\mathrm{C}_{2} $$

함께 읽으면 좋은 글

 

순열(Permutation)과 조합(Combination)

순열(Permutation)이란? 순열이란, 쉽게 말해서 순서를 정해서 나열하는 것을 말한다. 서로 다른 n개에서 r개를 택하여 일렬로 나열할 때, 첫 번째 자리에 올 수 있는 것은 n가지이고, 그 각각에 대하

jettstream.tistory.com

댓글