Example
Input
Input number: 12
Output
Factors of 12: 1, 2, 3, 4, 6, 12
/**
 * C program to print all factors of a number
 */
#include <stdio.h>
int main()
{
    int i, num;
    /* Input number from user */
    printf("Enter any number to find its factor: ");
    scanf("%d", &num);
    printf("All factors of %d are: \n", num);
    /* Iterate from 1 to num */
    for(i=1; i<=num; i++)
    {
        /* 
         * If num is exactly divisible by i
         * Then i is a factor of num
         */
        if(num % i == 0)
        {
            printf("%d, ",i);
        }
    }
    return 0;
}
/*
Output :
Enter any number to find its factors: 100
All factors of 100 are:
1, 2, 4, 5, 10, 20, 25, 50, 100,
*/
Comment on “C program to find all factors of a number”