The first problem is in your calculations, you never set the result to a variable. To fix that, you would need to add another variable and set the value of it to the results of the calculation like so:
#include <stdio.h>
int main() {
int weight, sheep;
printf("How much does your dragon weigh?\n");
scanf("%d", &weight);
sheep = pounds / 2.2 * 1.5;
printf("Your dragon weighs %d pounds! \n", pounds);
return 0;
}
Next thing is that in the assignment prompt, it states that the calculation is per day while the results must be per month (30 days). So your calculation should actually be
sheep = (weight/ 2.2 * 1.5 * 30) / 200;
The 200 is the grams of protein each sheep provides. You outputted the results for how much the dragon weighs when the prompt asks for how many sheep the dragon needs per month. To fix that, you would need to change your output to
printf("You will need %d sheep for your new dragon!\n", sheep);
After all that is fixed, it should look like this:
#include <stdio.h>
int main() {
int weight, sheep;
printf("How much does your dragon weigh?\n");
scanf("%d", &weight);
sheep = weight / 2.2 * 1.5 * 30 / 200;
printf("Your dragon weighs %d pounds!\n", weight);
return 0;
}
Hope this helped.