You are looking at each entire line read from file (as you loop through 1 by 1) to see if within each line there exists a particular user login.  Because each entire line may have content other than just the user login, two immediate options jump out:
- remove all content from the file line other than content of interest.  (eg \n, etc.)  and use strcmp() to compare against the argumentuserloging
- identify an exact match to userlogingby searching for it as a sub-string of the line read from the file using strstr.
Either method will work.  I prefer strstr() as it is adequate for the purpose and simpler to code. (no parsing required to clean up the string.)  Following is an example using strstr():
Edited to use userloging input argument...
int sign_in(char *userloging ) 
{
    char buffer[100];
    int status = 0;//add this, see why below
    FILE *fp = fopen("user.txt", "r");                  
    if(fp)(//always test to make sure successful open occurred.
    {
        while (fgets(buffer, sizeof(buffer), fp)) {
        {
            if(strstr(buffer, userloging ))
            {
                // printf("Found %s\n", userloging );//optional
                //return 1; //if return here, cannot fclose(fp)
                status = 1;//user login has been found, leave loop and return
                break;
            }
        }
        fclose(fp);
    }
    return status;
}