递归A 计算组合数

来源:互联网 发布:安卓播放增益软件 编辑:程序博客网 时间:2024/05/16 15:02

Problem Description
计算组合数。C(n,m),表示从n个数中选择m个的组合数。
计算公式如 下:
若:m=0,C(n,m)=1
否则, 若 n=1,C(n,m)=1
否则,若m=n,C(n,m)=1
否则 C(n,m) = C(n-1,m-1) + C(n-1,m).

Input
第一行是正整数N,表示有N组要求的组合数。接下来N行,每行两个整数n,m (0 <= m <= n <= 20)。
Output
输出N行。每行输出一个整数表示C(n,m)。
Example Input
3
2 1
3 2
4 0
Example Output
2
3
1

#include <stdio.h>#include <stdlib.h>int c(int n,int m){    if(m==0)        return 1;    else    {        if(n==1)        return 1;        else if(m==n)            return 1;        else            return c(n-1,m-1)+c(n-1,m);    }}int main(){    int N,m,n;    scanf("%d",&N);    while(N--)    {        scanf("%d %d",&n,&m);        printf("%d\n",c(n,m));    }    return 0;}