#include <stdio.h>
/*
This function will return the total number of 1's the input num has.
*/
int num_ones_present(int num)
{
int i = 0;
while (num) {
i += (num & 1);
num >>= 1;
}
return i;
}
int main()
{
int num, next_num, i = 0;
int num_ones = 0;
printf("Enter the number : ");
scanf("%d", &num);
num_ones = num_ones_present(num);
printf("Then given number is : %d which has %d num of 1's\n", num, num_ones);
next_num = num + 1;
while(1) {
/*
The below code's concept is that, we are passing the (given_number + 1), and comparing the
number of 1's it has. If the number of 1's is equal to giver_number. Then its done we found our
next higher value. Else increment the given_number by 1 again. Do this until we found one.
*/
i = num_ones_present(next_num);
if (i == num_ones)
break;
next_num++;
}
printf("The next higer number is : %d which has %d num of 1's\n", next_num, i);
return 0;
}