728x90

https://school.programmers.co.kr/learn/courses/30/lessons/181906

 

프로그래머스

코드 중심의 개발자 채용. 스택 기반의 포지션 매칭. 프로그래머스의 개발자 맞춤형 프로필을 등록하고, 나와 기술 궁합이 잘 맞는 기업들을 매칭 받으세요.

programmers.co.kr

문제)어떤 문자열에 대해서 접두사는 특정 인덱스까지의 문자열을 의미합니다. 예를 들어, "banana"의 모든 접두사는 "b", "ba", "ban", "bana", "banan", "banana"입니다. 문자열 my_string과 is_prefix가 주어질 때, is_prefix가 my_string의 접두사라면 1을, 아니면 0을 return 하는 solution 함수를 작성해 주세요.

 

 

 

 

 

풀이)

class Solution {
    public int solution(String my_string, String is_prefix) {
        int answer = 0;
        //indexOf()를 통해 접두사가 0인덱스에 위치해 있다면 1을 반환하도록 제작
        if(my_string.indexOf(is_prefix)==0){
            answer=1;
        }
        
        return answer;
    }
}

더 간단한 방법이 있을 것 같아서 찾아본 또 다른 방법

class Solution {
    public int solution(String my_string, String is_prefix) {
        if (my_string.startsWith(is_prefix)) return 1;
        return 0;
    }
}
boolean startsWith(String suffix): 지정된 문자열(suffix)로 시작하는지 검사하는 매서드
728x90