문자열 s의 길이가 4 혹은 6이고, 숫자로만 구성돼있는지 확인해주는 함수, solution을 완성하세요. 예를 들어 s가 "a234"이면 False를 리턴하고 "1234"라면 True를 리턴하면 됩니다.
s는 길이 1 이상, 길이 8 이하인 문자열입니다.
#include <stdio.h>
#include <stdbool.h>
#include <stdlib.h>
bool solution(const char* s) {
// 문자열 길이 strlen() 함수 사용
bool answer = true;
if(strlen(s) != 4 && strlen(s) != 6) {
return false;
}
// 숫자 여부 판단 isdigit()함수 사용
for (int i=0; i<strlen(s); i++) {
if(isdigit(s[i]) == false)
return false;
}
return answer;
}