Notice
Recent Posts
Recent Comments
Link
250x250
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | |||
5 | 6 | 7 | 8 | 9 | 10 | 11 |
12 | 13 | 14 | 15 | 16 | 17 | 18 |
19 | 20 | 21 | 22 | 23 | 24 | 25 |
26 | 27 | 28 | 29 | 30 | 31 |
Tags
- java
- 자료구조
- github
- scss
- 알고리즘
- string
- 변수
- HTML
- Python
- SasS
- computed
- leetcode
- dynamic programming
- 컴포넌트
- math
- JavaScript
- 백준
- 프로그래머스
- hash table
- 자료형
- CSS
- JS
- array
- JavaSceipt
- vue.js
- sorting
- 파이썬
- greedy
- 코딩테스트
- Algorithm
Archives
- Today
- Total
Posis
[백준] 수들의 합 - 2018 본문
문제 링크
https://www.acmicpc.net/problem/2018
문제 설명
어떠한 자연수 N은, 몇 개의 연속된 자연수의 합으로 나타낼 수 있다. 당신은 어떤 자연수 N(1 ≤ N ≤ 10,000,000)에 대해서, 이 N을 몇 개의 연속된 자연수의 합으로 나타내는 가지수를 알고 싶어한다. 이때, 사용하는 자연수는 N이하여야 한다.
예를 들어, 15를 나타내는 방법은 15, 7+8, 4+5+6, 1+2+3+4+5의 4가지가 있다. 반면에 10을 나타내는 방법은 10, 1+2+3+4의 2가지가 있다.
N을 입력받아 가지수를 출력하는 프로그램을 작성하시오.
입력
첫 줄에 정수 N이 주어진다.
출력
입력된 자연수 N을 몇 개의 연속된 자연수의 합으로 나타내는 가지수를 출력하시오
분류
수학, 투 포인터
풀이
Java
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.StringTokenizer;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
int N = Integer.parseInt(st.nextToken());
int count = 1;
// start_index ~ end_index까지 더해서 15가 나오면 count++
int start_index = 1;
int end_index = 1;
int sum = 1;
while(end_index != N) {
// sum이 N보다 커지면 sum에서 start_index를 빼주고 start_index++
if(sum > N) {
sum -= start_index;
start_index++;
} else if(sum < N) { // sum이 N보다 작아지면 end_index++, sum에 end_index를 더해준다.
end_index++;
sum += end_index;
} else { // sum과 N이 같아지면 count++, end_index++, sum에 end_index를 더해준다.
count++;
end_index++;
sum += end_index;
}
}
System.out.println(count);
}
}
성능 요약
Memory: 15,420KB
Time: 176ms
728x90
'알고리즘 > Baekjoon' 카테고리의 다른 글
[백준] 평균 - 1546 (0) | 2023.01.11 |
---|