본문 바로가기

Java/프로그래머스

[JAVA] 프로그래머스 - 등차수열의 특정한 항만 더하기

코딩테스트 연습 - 등차수열의 특정한 항만 더하기 | 프로그래머스 스쿨 (programmers.co.kr)

 

프로그래머스

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

programmers.co.kr

 

- 두 정수 a,d와 같이 길이가 n인 boolean 배열 included가 주어진다. 

- 첫째항이 a, 공차가 d인 등차수열에서 included[i]가 i+1항을 의미할 때, 등차수열의 1항부터 n항까지 included가 true인 항들만 더한 값을 return하는 solution 함수를 작성 

 

 

 

 

 

정답 

 


class Solution {
    public int solution(int a, int d, boolean[] included) {
        int answer = 0;
        int len = included.length;

        int nums[] = new int[len];

        nums[0] = a; //첫째 항 
        for(int i=1; i<len; i++)
        {
            nums[i] = nums[i-1]+d;
        }

        for(int i=0; i<len; i++)
        {
            if(included[i])
            {
                answer+=nums[i];
            }
            else
            {
                continue;
            }
        }

        return answer;
    }
}