So, I have a Program which checks if a Triangle is valid, here is the code.
#include <stdio.h>  
int main()  
{  
    int side1, side2, side3; 
    /* Initially assume that the triangle is not valid */
    int valid = 0;
    /* Input all three sides of a triangle */  
    printf("Enter three sides of triangle: \n");  
    scanf("%d%d%d", &side1, &side2, &side3);  
    if((side1 + side2) > side3)  
    {  
        if((side2 + side3) > side1)  
        {  
            if((side1 + side3) > side2)
            {  
                /*
                 * If side1 + side2 > side3 and
                 *    side2 + side3 > side1 and
                 *    side1 + side3 > side2 then
                 * the triangle is valid. Hence set
                 * valid variable to 1.
                 */
                valid = 1;
            }  
        }
    }  
    /* Check valid flag variable */
    if(valid == 1)
    {
        printf("Triangle is valid.");
    }
    else
    {
        printf("Triangle is not valid.");
    }
    return 0;
}
But what I want to do is add a Prompt to ask how many triangles to check, so I would add something like this
#include <stdio.h>  
int main()  
{  
    int repeats; 
    /* Input the amount of repeats  */  
    printf(" the amount of repeats: \n");  
    scanf("%", &repeats);
...
The amount of entered should be the amount of triangles the user wants to check.
Bonus Question: How to check that the user entered only a number and no letter. Thanks in advance.
 
     
     
    