dev/algorithm
BOJ / 5568๋ฒ / ์นด๋ ๋๊ธฐ [Go][Python3]
crscnt
2021. 1. 30. 21:00
๐ฉ๐ป๐ป ๋ฌธ์
5568๋ฒ: ์นด๋ ๋๊ธฐ
์๊ทผ์ด๋ 11, 12, 21, 112, 121, 122, 212๋ฅผ ๋ง๋ค ์ ์๋ค.
www.acmicpc.net
โ๐ป ํ์ด
๐จ Go
// https://www.acmicpc.net/problem/5568
package main
import (
"bufio"
"fmt"
"os"
)
func main() {
reader := bufio.NewReader(os.Stdin)
writer := bufio.NewWriter(os.Stdout)
defer writer.Flush()
var n, k int
fmt.Fscanln(reader, &n)
fmt.Fscanln(reader, &k)
var cards = make([]string, n)
for i := 0; i < n; i++ {
fmt.Fscanln(reader, &cards[i])
}
fmt.Fprintln(writer, getCountOfNumbers(cards, k))
}
func getCountOfNumbers(cards []string, k int) int {
var resultMap = map[string]int{}
for i := 0; i < len(cards); i++ {
resultMap = recursion(i, cards, []string{cards[i]}, k, resultMap)
}
return len(resultMap)
}
func recursion(i int, cards []string, curList []string, k int, resultMap map[string]int) map[string]int {
if len(curList) == k {
permutations := getPermutations(curList)
for i := 0; i < len(permutations); i++ {
var key string
for j := 0; j < len(permutations[i]); j++ {
key += permutations[i][j]
}
resultMap[key] = 1
}
return resultMap
}
for j := i + 1; j < len(cards); j++ {
resultMap = recursion(j, cards, append(curList, cards[j]), k, resultMap)
}
return resultMap
}
func getPermutations(elements []string) [][]string {
permutations := [][]string{}
if len(elements) == 1 {
permutations = [][]string{elements}
return permutations
}
for i := range elements {
el := append([]string(nil), elements...)
for _, perm := range getPermutations(append(el[0:i], el[i+1:]...)) {
permutations = append(permutations, append([]string{elements[i]}, perm...))
}
}
return permutations
}
๐จ Python3
# https://www.acmicpc.net/problem/5568
import sys
from itertools import permutations
def get_count_of_numbers(cards, k):
result_dict = {}
for i in range(len(cards)):
result_dict = recursion(i, cards, [cards[i]], k, result_dict)
return len(result_dict)
def recursion(i, cards, cur_list, k, result_dict):
if len(cur_list) == k:
permutes = list(permutations(cur_list))
for i in range(len(permutes)):
key = ""
for j in range(len(permutes[i])):
key += permutes[i][j]
result_dict[key] = 1
return result_dict
for j in range(i+1, len(cards)):
new_list = cur_list.copy()
new_list.append(cards[j])
result_dict = recursion(j, cards, new_list, k, result_dict)
return result_dict
if __name__ == "__main__":
n = int(sys.stdin.readline())
k = int(sys.stdin.readline())
cards = []
for i in range(n):
cards.append(str(sys.stdin.readline().rstrip()))
print(get_count_of_numbers(cards, k))
728x90