Editorial for Lyndon's Golf Contest 1 P5 - Basic Triangle
Submitting an official solution before solving the problem yourself is a bannable offence.
Author:
47 bytes
We can solve this problem using two for-loops: an outer loop that keeps track of the *
s on each row. A solution that implements this idea is given below:
n;main(i){for(;n++<15;puts(""))for(i=n;i--;)putchar(42);}
Although it is possible to squeeze a few more bytes out of this solution, a different method is required to achieve a better score. Instead of outputting character-by-character, let's consider a line-oriented approach, where we initialize a char
array and incrementally append *
s to the end of it, using puts()
to output its state every iteration. We can get down to
char s[15];i;main(){for(;i<15;puts(s))s[i++]=42;}
A further 15
from the array declaration, you'll find (most likely) that the code still ACs:
char s[];i;main(){for(;i<15;puts(s))s[i++]=42;}
An empty []
tells the compiler to set the array's size to s
contains enough "free" memory after it to allow us to modify their contents.
45 bytes
In order to go lower, we'll need a slight change of approach. Rather than manually updating our array, let's try to use memset()
. According to the man page:
- The
memset()
function fills the firstbytes of the memory area pointed to by with the constant byte . - The
memset()
function returns a pointer to the memory area.
The fact that it returns the pointer is especially useful, as it allows us to embed it directly inside the puts
statement when printing each line. Along with the empty []
trick from earlier, we can achieve a
char s[];main(n){for(;n<16;)puts(memset(s,42,n++));}
Note that here, we declare n
as an argument to main
. The first argument to main
holds ARGC, so n
is automatically initialized to s
is basically an array of size memset()
to supply a memory address that we can fill to. In fact, we can just replace char s[]
with an implicitly declared integer, and pass its address to memset()
:
s;main(n){for(;n<16;)puts(memset(&s,42,n++));}
Now we are down to puts
returns the number of bytes written. This allows us to use its return value in place of n
in the for-loop condition to obtain our full solution:
s;main(n){for(;puts(memset(&s,42,n++))<16;);}
41 bytes [*]
Although not necessary to score full points, a
c;main(){for(;puts(strcat(&c,"*"))<16;);}
Instead of using memset
to output *
s on each line, we can use strcat
to incrementally append a *
to some memory address. Like with the intended
Another worthy mention that was achieved in-contest is the
main(a){for(char*s=&a;*s++=42,puts(&a)<16;);}
Comments