Simple while Loop Problems

Write a program file named first.c that will print the integers 0 to 9, one number per line.
Requirement: You may use only one print statement.

#include<stdio.h>
int main() {
  int x = 0;
  while (x<10) {
    printf("%d\n", x);
    x++;
  }
}

Write a program file named second.c that will print the integers from 50 down to 37, one number per line.
Requirement: You may use only one print statement.
#include<stdio.h>
int main() {
  int x = 50  ;            //second change
  while (x>36) {          //third change
    printf("%d\n", x);
    x--;                  //first change
  }
}

Another Solution for second.c
#include<stdio.h>
int main() {
  int x = 50  ;            //second change
  while (36<x) {          //third change
    printf("%d\n", x);
    x--;                  //first change
  }
}

Write a program file named third.c that will print the odd integers from 137 up to 153.
Requirement: You may use only one print statement.
#include<stdio.h>
int main() {
  int x = 137  ;              //second change
  while (x<154) {            //third change
    printf("%d\n", x);
    x += 2;                 //first change
  }
}