My C project is a Windows console app that takes the time signature and BPM from a user's musical project and returns the length of a bar in seconds.
I am trying to use a do-while loop to add a "continue/exit?" prompt at the end of each successful calculation 
Here is the source code for that function. It performs one calculation based on user input, then terminates.
#include <stdio.h>
#include <stdlib.h>
int main()
{
    char timeSignature[6];
    float BPM;
    float beatsPerBar;
    float barLength;
    printf("Enter the working time signature of your project:");
    scanf("%s",timeSignature);
    beatsPerBar = timeSignature[0]-'0';
    printf("Enter the beats per minute:");
    scanf("%f", &BPM);
    barLength = BPM / beatsPerBar;
    printf("%f\n", barLength);
    return 0;
}
After each successful calculation, I want to prompt the user to choose "y" to return to the initial input prompt or "n" to end the program and exit the command prompt. This later update includes a do-while loop that is intended to add the feature.
#include <stdio.h>
#include <stdlib.h>
#include <windows.h>
#include <unistd.h>
int main()
{
    do{
        char timeSignature[6];
        char anotherCalculation;
        float BPM;
        float beatsPerBar;
        float barLength;
        printf("Enter the working time signature of your project:");
        scanf("%s",timeSignature);
        beatsPerBar = timeSignature[0]-'0';
        /*
         * Subtracts the integer value of the '0' character (48) from the integer value
         * of the character represented by the char variable timeSignature[0] to return
         * an integer value equal to the number character itself.
         */
        printf("Enter the beats per minute:");
        scanf("%f", &BPM);
        barLength = BPM / beatsPerBar;
        printf("%f\n", barLength);
        Sleep(3);
        printf("Would you like to do another calculation? (Y/N)");
        scanf(" %c", &anotherCalculation);
    }while((anotherCalculation = 'Y'||'y'));
    if((anotherCalculation != 'Y'||'y'))
        {
        printf("Goodbye!");
        return 0;
        }
    return 0;
}
When I compile, there are no errors, but when I run it, the program loops after ANY input. Why is the code ignoring my truth assignment? What can I do to fix this?
 
     
     
     
     
     
     
     
    