C Code Shortening Techniques or My Logic for Reduced Source Code Writing in C Program Language

C Code Shortening Techniques or My Logic for Reduced Source Code Writing Tips and Tricks in C Program Language :-


Perhaps, you might have heard that the for() loop should not end with ";" like if(). But, in fact the ";" is using in C language as a Statement Terminator, so, if we want to terminate for() loop, then we should use ";" at the end of for() loop.

[ Header files are to be included as usual, it is not written in the examples ]

Question : write a C program to print 1 to 10 numbers using for() loop ?

Example 1 :

void main()
{
int i;
for ( i = 1 ; i <= 10 ; i++ )
{
printf("%d\n",i);
}
}

/* above program, for() loop has one statement outside, so we do not use ";" at the end, because if we put ";" the for() will not take the continuing statement as its own. */

Example 2 :

void main()
{
int i;
for ( i = 1 ; i <= 10 ; printf( "%d \n" , i ) , i++ ) ;
}

/* above program, for() loop has one statement inside, so we use ";" at the end, because the for() will run self contained statement as its own. */

Question : whether the left "{" and right "}" are needed any Looping(for(), while() etc) and Selection(if(), switch() etc) statements ?

Example 1 : see the program structure only, and not to run.

for ( i = 1 ; i <= 5 ; i++ )
{
for ( j = 1 ; j <= 5 ; j++ )
{
if ( i == j )
{
printf( "%d\n" , i ) ;
}
}
}

Example 1 : same as above can also be written in the following.

for ( i = 1 ; i <= 5 ; i++ )
for ( j = 1 ; j <= 5 ; j++ )
if ( i == j )
printf( "%d\n" , i ) ;
because this all statement has one statement only, so we do not need to use "{" and "}". first for() has another one for() then this for() has only one if() and the if() has only one printf(). That is each statement will take the continuing statement as its own with out using "{" and "}" and if any statement has more than one statements should use "{" and "}".