반응형
C언어 10이하 짝수 / 홀수의 합
Sum of even numbers less than 10 - while
1
2
3
4
5
6
7
8
9
10
11
12
13
|
/* Sum of even numbers less than 10. */
#include <stdio.h>
int main() {
int sum = 0, num = 0;
while (num < 10) {
num++;
if (num % 2 == 1) continue;
sum += num;
}
printf("Sum of even numbers less than 10 is %d\n", sum);
return 0;
}
|
cs |
Sum of even numbers less than 10 - for
1 2 3 4 5 6 7 8 9 10 11 12 | /* Sum of even number less than 10. */ #include <stdio.h> int main() { int sum = 0; for (int i=1; i<=10; i++) { if ((i % 2) == 1) continue; sum += i; } printf("Sum of even numbers less than 10 is %d\n", sum); return 0; } | cs |
Sum of odd numbers less than 10 - while
1 2 3 4 5 6 7 8 9 10 11 12 13 | /* Sum of odd numbers less than 10. */ #include <stdio.h> int main() { int sum = 0, num = 0; while (num < 10) { num++; if (num % 2 == 0) continue; sum += num; } printf("Sum of odd numbers less than 10 is %d\n", sum); return 0; } | cs |
Sum of odd numbers less than 10 - for
1 2 3 4 5 6 7 8 9 10 11 12 | /* Sum of odd number less than 10. */ #include <stdio.h> int main() { int sum = 0; for (int i=1; i<=10; i++) { if ((i % 2) == 0) continue; sum += i; } printf("Sum of odd numbers less than 10 is %d\n", sum); return 0; } | cs |
반응형
'C 언어 > C언어 기초' 카테고리의 다른 글
[C언어 #9] 1 부터 100 까지의 합 (0) | 2020.06.16 |
---|---|
[C언어 #8] 문자열 내의 특정 문자의 개수 (0) | 2020.06.16 |
[C언어 #6] 입력한 숫자의 공약수 (0) | 2020.06.15 |
[C언어 #5] 입력한 숫자의 팩토리얼 (0) | 2020.06.12 |
[C언어 #4] 배열의 최소값 (0) | 2020.06.11 |