반응형
[ 문제 ]
정휘는 후배들이 재귀 함수를 잘 다루는 재귀의 귀재인지 알아보기 위해 재귀 함수와 관련된 문제를 출제하기로 했다.
팰린드롬이란, 앞에서부터 읽었을 때와 뒤에서부터 읽었을 때가 같은 문자열을 말한다. 팰린드롬의 예시로 AAA, ABBA, ABABA 등이 있고, 팰린드롬이 아닌 문자열의 예시로 ABCA, PALINDROME 등이 있다.
어떤 문자열이 팰린드롬인지 판별하는 문제는 재귀 함수를 이용해 쉽게 해결할 수 있다. 아래 코드의 isPalindrome 함수는 주어진 문자열이 팰린드롬이면 1, 팰린드롬이 아니면 0을 반환하는 함수다.
#include <stdio.h>
#include <string.h>
int recursion(const char *s, int l, int r){
if(l >= r) return 1;
else if(s[l] != s[r]) return 0;
else return recursion(s, l+1, r-1);
}
int isPalindrome(const char *s){
return recursion(s, 0, strlen(s)-1);
}
int main(){
printf("ABBA: %d\n", isPalindrome("ABBA")); // 1
printf("ABC: %d\n", isPalindrome("ABC")); // 0
}
정휘는 위에 작성된 isPalindrome 함수를 이용하여 어떤 문자열이 팰린드롬인지 여부를 판단하려고 한다.
구체적으로는, 문자열 를 isPalindrome 함수의 인자로 전달하여 팰린드롬 여부를 반환값으로 알아낼 것이다. 더불어 판별하는 과정에서 recursion 함수를 몇 번 호출하는지 셀 것이다.
정휘를 따라 여러분도 함수의 반환값과 recursion 함수의 호출 횟수를 구해보자.
[ 코드 ]
1. 내 코드
using System.Text;
StreamReader sr = new StreamReader(new BufferedStream(Console.OpenStandardInput()));
StreamWriter sw = new StreamWriter(new BufferedStream(Console.OpenStandardOutput()));
StringBuilder sb = new StringBuilder();
int n = int.Parse(sr.ReadLine());
int count;
for (int i = 0; i < n; i++)
{
string s = sr.ReadLine();
count = 0;
int result = isPalindrome(s);
sb.AppendLine($"{result} {count}");
}
sw.Write(sb);
sw.Flush();
sw.Close();
sr.Close();
int isPalindrome(string? s)
{
return recursion(s, 0, s.Length - 1);
}
int recursion(string? s, int l, int r)
{
count++;
if (l >= r) return 1;
else if (s[l] != s[r]) return 0;
else return recursion(s, l+1, r-1);
}
2. 다른 사람 코드
using System;
using System.Text;
namespace BaekJoon
{
class Program
{
static int P, R;
static int recursion(string s, int l, int r)
{
R++;
if (l >= r) return 1;
else if (s[l] != s[r]) return 0;
else return recursion(s, l + 1, r - 1);
}
static int isPalindrome(string s)
{
P = recursion(s, 0, s.Length - 1);
return P;
}
static void Main(string[] args)
{
StringBuilder build = new StringBuilder();
int T = int.Parse(Console.ReadLine());
for(int i = 0; i < T; i++)
{
string s = Console.ReadLine();
isPalindrome(s);
build.Append(P + " " + R + "\n");
P = R = 0;
}
Console.WriteLine(build);
}
}
}
[ 실행화면 ]
문제링크: https://www.acmicpc.net/problem/25501
반응형
'Language > C#' 카테고리의 다른 글
[C#] 백준 1931번 회의실 배정 (0) | 2024.04.02 |
---|---|
[C#] 백준 11047번 동전 0 (0) | 2024.04.02 |
[C#] 백준 20920번 영단어 암기는 괴로워 (0) | 2024.03.31 |
[C#] 백준 2108번 통계학 (0) | 2024.03.31 |
[C#] 백준 26069번 붙임성 좋은 총총이 (0) | 2024.03.30 |