Computer >> 컴퓨터 >  >> 프로그램 작성 >> C 프로그래밍

몫과 나머지를 계산하는 C 프로그램?

<시간/>

두 개의 숫자가 주어졌을 때 피제수와 제수가 주어집니다. 과제는 피제수를 제수로 나눌 때 이 두 숫자의 몫과 나머지를 찾는 프로그램을 작성하는 것입니다.

나눗셈에서 우리는 피제수, 제수, 몫, 나머지 사이의 관계를 볼 것입니다. 나누는 수를 배당금이라고 합니다. 나누는 수를 제수라고 합니다. 얻은 결과를 몫이라고 합니다. 남은 수를 나머지라고 합니다.

55 ÷ 9 = 6 and 1
Dividend Divisor Quotient Remainder


Input:
Dividend = 6
Divisor = 2
Output:
Quotient = 3,
Remainder = 0

설명

그런 다음 변수 Dividend 및 Divisor는 산술 연산자 /를 사용하여 나누어 변수 몫에 저장된 결과로 몫을 얻습니다. 및 산술 연산자 %를 사용하여 나머지 변수에 저장된 결과로 나머지를 얻습니다.

예시

#include <stdio.h>
int main() {
   int dividend, divisor, quotient, remainder;
   dividend= 2;
   divisor= 6;
   // Computes quotient
   quotient = dividend / divisor;
   // Computes remainder
   remainder = dividend % divisor;
   printf("Quotient = %d\n", quotient);
   printf("Remainder = %d", remainder);
   return 0;
}