Using AccessToken to retrieve Firebase user causing Firebase error with Facebook auth: “Unsuccessful...











up vote
2
down vote

favorite












Setting up Facebook Authentication with Firebase on Android and getting the following pesky error:



com.google.firebase.FirebaseException: An internal error has occurred. [ Unsuccessful debug_token response from Facebook:{"error":{"message":"Invalid OAuth access token signature.","type":"OAuthException","code":190,"fbtrace_id":"BLR/UAx2fzn"}} ]


My goal is not to get rid of this error, it's to be able to get information about the user from Firebase. At the moment, even though I seem to able to get an not-null, un-expired token, there's no entry for a Facebook user in my Firebase Console. IOW, how can I get this line to not fail?



--> mAuth.signInWithCredential(credential)



To reproduce, I start the app from scratch (logged out) and proceed to my LoginActivity. I select the Continue with Facebook LoginButton and select Continue. I currently have my app's logic so upon success of the callback, it stays in the LoginActivity and I get the error featured above.



LoginActivity.java



package com.***.datingapp.activities;

import android.content.Intent;
import android.support.annotation.NonNull;
import android.os.Bundle;
import android.support.v7.app.AppCompatActivity;
import android.text.TextUtils;
import android.util.Log;
import android.view.View;
import android.widget.Button;
import android.widget.EditText;
import android.widget.TextView;
import android.widget.Toast;

import com.facebook.AccessToken;
import com.facebook.CallbackManager;
import com.facebook.FacebookCallback;
import com.facebook.FacebookException;
import com.facebook.login.LoginManager;
import com.facebook.login.LoginResult;
import com.facebook.login.widget.LoginButton;
import com.google.android.gms.tasks.OnCompleteListener;
import com.google.android.gms.tasks.Task;
import com.google.firebase.auth.AuthCredential;
import com.google.firebase.auth.AuthResult;
import com.google.firebase.auth.FacebookAuthProvider;
import com.google.firebase.auth.FirebaseAuth;
import com.google.firebase.auth.FirebaseUser;
import com.***.datingapp.R;

public class LoginActivity extends AppCompatActivity implements View.OnClickListener {

private static final String TAG = "Login";

private EditText loginEmailEditText;
private EditText loginPasswordEditText;
private TextView loginStatusTextView;
private TextView loginDetailTextView;
private Button loginEmailButton;
private Button loginRegisterButton;
private LoginButton loginFacebookButton;
private Button loginFacebookLogoutButton;

private FirebaseAuth mAuth;
private CallbackManager callbackManager;
private FacebookCallback<LoginResult> facebookCallback;

private static final int RC_SIGN_IN = 123;

@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_login);
mAuth = FirebaseAuth.getInstance();
callbackManager = CallbackManager.Factory.create();

loginEmailEditText = (EditText) findViewById(R.id.edit_text_login_email);
loginPasswordEditText = (EditText) findViewById(R.id.edit_text_login_password);
loginStatusTextView = (TextView) findViewById(R.id.text_view_login_status);
loginDetailTextView = (TextView) findViewById(R.id.text_view_login_details);
loginEmailButton = (Button) findViewById(R.id.button_login_email);
loginRegisterButton = (Button) findViewById(R.id.button_login_email_register);
loginFacebookButton = (LoginButton) findViewById(R.id.buttonFacebookLogin);
loginFacebookLogoutButton = (Button) findViewById(R.id.buttonFacebookSignout);

loginEmailButton.setOnClickListener(this);
loginRegisterButton.setOnClickListener(this);
loginFacebookLogoutButton.setOnClickListener(this);

loginFacebookButton.setReadPermissions("email", "public_profile");
facebookCallback = new FacebookCallback<LoginResult>() {
@Override
public void onSuccess(LoginResult loginResult) {
Log.d(TAG, "facebook:onSuccess:" + loginResult + " - " + loginResult.getAccessToken().getToken());
handleFacebookAccessToken(loginResult.getAccessToken());
}

@Override
public void onCancel() {
Log.d(TAG, "facebook:onCancel");
updateUI(null);
}

@Override
public void onError(FacebookException error) {
Log.d(TAG, "facebook:onError", error);
updateUI(null);
}
};
loginFacebookButton.registerCallback(callbackManager, facebookCallback);
LoginManager.getInstance().registerCallback(callbackManager, facebookCallback);
}

@Override
public void onStart() {
super.onStart();
// Check if user is signed in (non-null) and update UI accordingly.

AccessToken fbAccessToken = AccessToken.getCurrentAccessToken();
if (fbAccessToken != null && fbAccessToken.isExpired())
handleFacebookAccessToken(fbAccessToken);
else {
FirebaseUser currentUser = mAuth.getCurrentUser();
updateUI(currentUser);
}

}

@Override
public void onClick(View v) {
switch (v.getId()) {
case R.id.button_login_email:
if (loginEmailButton.getText().toString().equals(getText(R.string.login_activity_sign_in)))
signIn(loginEmailEditText.getText().toString(), loginPasswordEditText.getText().toString());
else
signOut();
break;
case R.id.button_login_email_register:
createAccount(loginEmailEditText.getText().toString(), loginPasswordEditText.getText().toString());
break;
case R.id.buttonFacebookSignout:
signOut();
}
}

private boolean validateForm() {
boolean valid = true;

String email = loginEmailEditText.getText().toString();
if (TextUtils.isEmpty(email)) {
loginEmailEditText.setError("Required.");
valid = false;
} else {
loginEmailEditText.setError(null);
}

String password = loginPasswordEditText.getText().toString();
if (TextUtils.isEmpty(password)) {
loginPasswordEditText.setError("Required.");
valid = false;
} else {
loginPasswordEditText.setError(null);
}

return valid;
}

private void signIn(String email, String password) {
Log.d(TAG, "signIn:" + email);
if (!validateForm())
return;
mAuth.signInWithEmailAndPassword(email, password)
.addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
@Override
public void onComplete(@NonNull Task<AuthResult> task) {
if (task.isSuccessful()) {
// Sign in success, update UI with the signed-in user's information
Log.d(TAG, "signInWithEmail:success");
FirebaseUser user = mAuth.getCurrentUser();
updateUI(user);
} else {
// If sign in fails, display a message to the user.
Log.w(TAG, "signInWithEmail:failure", task.getException());
Toast.makeText(LoginActivity.this, task.getException().getMessage(),
Toast.LENGTH_SHORT).show();
updateUI(null);
}

if (!task.isSuccessful()) {
loginStatusTextView.setText(R.string.login_activity_status_auth_failed);
}
}
});
}

private void createAccount(String email, String password) {
Log.d(TAG, "createAccount:" + email);
if (!validateForm())
return;
mAuth.createUserWithEmailAndPassword(email, password)
.addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
@Override
public void onComplete(@NonNull Task<AuthResult> task) {
if (task.isSuccessful()) {
// Sign in success, update UI with the signed-in user's information
Log.d(TAG, "createUserWithEmail:success");
FirebaseUser user = mAuth.getCurrentUser();
updateUI(user);
} else {
// If sign in fails, display a message to the user.
Log.w(TAG, "createUserWithEmail:failure", task.getException());
Toast.makeText(LoginActivity.this, task.getException().getMessage(),
Toast.LENGTH_SHORT).show();
updateUI(null);
}
}
});
}

private void handleFacebookAccessToken(AccessToken token) {
Log.d(TAG, "handleFacebookAccessToken:" + token);

AuthCredential credential = FacebookAuthProvider.getCredential(token.getToken());
mAuth.signInWithCredential(credential)
.addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
@Override
public void onComplete(@NonNull Task<AuthResult> task) {
if (task.isSuccessful()) {
// Sign in success, update UI with the signed-in user's information
Log.d(TAG, "signInWithCredential:success");
FirebaseUser user = mAuth.getCurrentUser();
updateUI(user);
} else {
// If sign in fails, display a message to the user.
Log.w(TAG, "signInWithCredential:failure", task.getException());
Toast.makeText(LoginActivity.this, task.getException().getMessage(),
Toast.LENGTH_LONG).show();
signOut();
}
}
});
}

@Override
protected void onResume() {
super.onResume();
// Toast.makeText(LoginActivity.this, "Resuming.",
// Toast.LENGTH_SHORT).show();
}

protected void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);
callbackManager.onActivityResult(requestCode, resultCode, data);
}

public void signOut() {
mAuth.signOut();
LoginManager.getInstance().logOut();
FirebaseAuth.getInstance().signOut();
updateUI(null);
}

private void updateUI(FirebaseUser user) {
if (user != null) {
loginStatusTextView.setText(getString(R.string.emailpassword_status_format,
user.getEmail(), user.isEmailVerified()));
loginDetailTextView.setText(getString(R.string.firebase_status_format, user.getUid()));
loginEmailButton.setText(getText(R.string.login_activity_sign_out));
loginFacebookButton.setVisibility(View.INVISIBLE);
loginFacebookLogoutButton.setVisibility(View.VISIBLE);
} else {
loginStatusTextView.setText(R.string.login_activity_status_signed_out);
loginDetailTextView.setText(null);
loginEmailButton.setText(getText(R.string.login_activity_sign_in));
loginFacebookButton.setVisibility(View.VISIBLE);
loginFacebookLogoutButton.setVisibility(View.INVISIBLE);
}
}

}


I've noticed that when I include the line handleFacebookAccessToken(loginResult.getAccessToken()); in the callback, I get the error, but I otherwise don't. But excluding the line doesn't seem like a permanent solution, because how can I retrieve user information then?




  • I have set up everything concerned with the App ID and App Secret.

  • I have configured my Facebook app's settings as precisely as I can gather.

  • I have included the required meta tag in my manifest.










share|improve this question




























    up vote
    2
    down vote

    favorite












    Setting up Facebook Authentication with Firebase on Android and getting the following pesky error:



    com.google.firebase.FirebaseException: An internal error has occurred. [ Unsuccessful debug_token response from Facebook:{"error":{"message":"Invalid OAuth access token signature.","type":"OAuthException","code":190,"fbtrace_id":"BLR/UAx2fzn"}} ]


    My goal is not to get rid of this error, it's to be able to get information about the user from Firebase. At the moment, even though I seem to able to get an not-null, un-expired token, there's no entry for a Facebook user in my Firebase Console. IOW, how can I get this line to not fail?



    --> mAuth.signInWithCredential(credential)



    To reproduce, I start the app from scratch (logged out) and proceed to my LoginActivity. I select the Continue with Facebook LoginButton and select Continue. I currently have my app's logic so upon success of the callback, it stays in the LoginActivity and I get the error featured above.



    LoginActivity.java



    package com.***.datingapp.activities;

    import android.content.Intent;
    import android.support.annotation.NonNull;
    import android.os.Bundle;
    import android.support.v7.app.AppCompatActivity;
    import android.text.TextUtils;
    import android.util.Log;
    import android.view.View;
    import android.widget.Button;
    import android.widget.EditText;
    import android.widget.TextView;
    import android.widget.Toast;

    import com.facebook.AccessToken;
    import com.facebook.CallbackManager;
    import com.facebook.FacebookCallback;
    import com.facebook.FacebookException;
    import com.facebook.login.LoginManager;
    import com.facebook.login.LoginResult;
    import com.facebook.login.widget.LoginButton;
    import com.google.android.gms.tasks.OnCompleteListener;
    import com.google.android.gms.tasks.Task;
    import com.google.firebase.auth.AuthCredential;
    import com.google.firebase.auth.AuthResult;
    import com.google.firebase.auth.FacebookAuthProvider;
    import com.google.firebase.auth.FirebaseAuth;
    import com.google.firebase.auth.FirebaseUser;
    import com.***.datingapp.R;

    public class LoginActivity extends AppCompatActivity implements View.OnClickListener {

    private static final String TAG = "Login";

    private EditText loginEmailEditText;
    private EditText loginPasswordEditText;
    private TextView loginStatusTextView;
    private TextView loginDetailTextView;
    private Button loginEmailButton;
    private Button loginRegisterButton;
    private LoginButton loginFacebookButton;
    private Button loginFacebookLogoutButton;

    private FirebaseAuth mAuth;
    private CallbackManager callbackManager;
    private FacebookCallback<LoginResult> facebookCallback;

    private static final int RC_SIGN_IN = 123;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);
    setContentView(R.layout.activity_login);
    mAuth = FirebaseAuth.getInstance();
    callbackManager = CallbackManager.Factory.create();

    loginEmailEditText = (EditText) findViewById(R.id.edit_text_login_email);
    loginPasswordEditText = (EditText) findViewById(R.id.edit_text_login_password);
    loginStatusTextView = (TextView) findViewById(R.id.text_view_login_status);
    loginDetailTextView = (TextView) findViewById(R.id.text_view_login_details);
    loginEmailButton = (Button) findViewById(R.id.button_login_email);
    loginRegisterButton = (Button) findViewById(R.id.button_login_email_register);
    loginFacebookButton = (LoginButton) findViewById(R.id.buttonFacebookLogin);
    loginFacebookLogoutButton = (Button) findViewById(R.id.buttonFacebookSignout);

    loginEmailButton.setOnClickListener(this);
    loginRegisterButton.setOnClickListener(this);
    loginFacebookLogoutButton.setOnClickListener(this);

    loginFacebookButton.setReadPermissions("email", "public_profile");
    facebookCallback = new FacebookCallback<LoginResult>() {
    @Override
    public void onSuccess(LoginResult loginResult) {
    Log.d(TAG, "facebook:onSuccess:" + loginResult + " - " + loginResult.getAccessToken().getToken());
    handleFacebookAccessToken(loginResult.getAccessToken());
    }

    @Override
    public void onCancel() {
    Log.d(TAG, "facebook:onCancel");
    updateUI(null);
    }

    @Override
    public void onError(FacebookException error) {
    Log.d(TAG, "facebook:onError", error);
    updateUI(null);
    }
    };
    loginFacebookButton.registerCallback(callbackManager, facebookCallback);
    LoginManager.getInstance().registerCallback(callbackManager, facebookCallback);
    }

    @Override
    public void onStart() {
    super.onStart();
    // Check if user is signed in (non-null) and update UI accordingly.

    AccessToken fbAccessToken = AccessToken.getCurrentAccessToken();
    if (fbAccessToken != null && fbAccessToken.isExpired())
    handleFacebookAccessToken(fbAccessToken);
    else {
    FirebaseUser currentUser = mAuth.getCurrentUser();
    updateUI(currentUser);
    }

    }

    @Override
    public void onClick(View v) {
    switch (v.getId()) {
    case R.id.button_login_email:
    if (loginEmailButton.getText().toString().equals(getText(R.string.login_activity_sign_in)))
    signIn(loginEmailEditText.getText().toString(), loginPasswordEditText.getText().toString());
    else
    signOut();
    break;
    case R.id.button_login_email_register:
    createAccount(loginEmailEditText.getText().toString(), loginPasswordEditText.getText().toString());
    break;
    case R.id.buttonFacebookSignout:
    signOut();
    }
    }

    private boolean validateForm() {
    boolean valid = true;

    String email = loginEmailEditText.getText().toString();
    if (TextUtils.isEmpty(email)) {
    loginEmailEditText.setError("Required.");
    valid = false;
    } else {
    loginEmailEditText.setError(null);
    }

    String password = loginPasswordEditText.getText().toString();
    if (TextUtils.isEmpty(password)) {
    loginPasswordEditText.setError("Required.");
    valid = false;
    } else {
    loginPasswordEditText.setError(null);
    }

    return valid;
    }

    private void signIn(String email, String password) {
    Log.d(TAG, "signIn:" + email);
    if (!validateForm())
    return;
    mAuth.signInWithEmailAndPassword(email, password)
    .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
    @Override
    public void onComplete(@NonNull Task<AuthResult> task) {
    if (task.isSuccessful()) {
    // Sign in success, update UI with the signed-in user's information
    Log.d(TAG, "signInWithEmail:success");
    FirebaseUser user = mAuth.getCurrentUser();
    updateUI(user);
    } else {
    // If sign in fails, display a message to the user.
    Log.w(TAG, "signInWithEmail:failure", task.getException());
    Toast.makeText(LoginActivity.this, task.getException().getMessage(),
    Toast.LENGTH_SHORT).show();
    updateUI(null);
    }

    if (!task.isSuccessful()) {
    loginStatusTextView.setText(R.string.login_activity_status_auth_failed);
    }
    }
    });
    }

    private void createAccount(String email, String password) {
    Log.d(TAG, "createAccount:" + email);
    if (!validateForm())
    return;
    mAuth.createUserWithEmailAndPassword(email, password)
    .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
    @Override
    public void onComplete(@NonNull Task<AuthResult> task) {
    if (task.isSuccessful()) {
    // Sign in success, update UI with the signed-in user's information
    Log.d(TAG, "createUserWithEmail:success");
    FirebaseUser user = mAuth.getCurrentUser();
    updateUI(user);
    } else {
    // If sign in fails, display a message to the user.
    Log.w(TAG, "createUserWithEmail:failure", task.getException());
    Toast.makeText(LoginActivity.this, task.getException().getMessage(),
    Toast.LENGTH_SHORT).show();
    updateUI(null);
    }
    }
    });
    }

    private void handleFacebookAccessToken(AccessToken token) {
    Log.d(TAG, "handleFacebookAccessToken:" + token);

    AuthCredential credential = FacebookAuthProvider.getCredential(token.getToken());
    mAuth.signInWithCredential(credential)
    .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
    @Override
    public void onComplete(@NonNull Task<AuthResult> task) {
    if (task.isSuccessful()) {
    // Sign in success, update UI with the signed-in user's information
    Log.d(TAG, "signInWithCredential:success");
    FirebaseUser user = mAuth.getCurrentUser();
    updateUI(user);
    } else {
    // If sign in fails, display a message to the user.
    Log.w(TAG, "signInWithCredential:failure", task.getException());
    Toast.makeText(LoginActivity.this, task.getException().getMessage(),
    Toast.LENGTH_LONG).show();
    signOut();
    }
    }
    });
    }

    @Override
    protected void onResume() {
    super.onResume();
    // Toast.makeText(LoginActivity.this, "Resuming.",
    // Toast.LENGTH_SHORT).show();
    }

    protected void onActivityResult(int requestCode, int resultCode, Intent data) {
    super.onActivityResult(requestCode, resultCode, data);
    callbackManager.onActivityResult(requestCode, resultCode, data);
    }

    public void signOut() {
    mAuth.signOut();
    LoginManager.getInstance().logOut();
    FirebaseAuth.getInstance().signOut();
    updateUI(null);
    }

    private void updateUI(FirebaseUser user) {
    if (user != null) {
    loginStatusTextView.setText(getString(R.string.emailpassword_status_format,
    user.getEmail(), user.isEmailVerified()));
    loginDetailTextView.setText(getString(R.string.firebase_status_format, user.getUid()));
    loginEmailButton.setText(getText(R.string.login_activity_sign_out));
    loginFacebookButton.setVisibility(View.INVISIBLE);
    loginFacebookLogoutButton.setVisibility(View.VISIBLE);
    } else {
    loginStatusTextView.setText(R.string.login_activity_status_signed_out);
    loginDetailTextView.setText(null);
    loginEmailButton.setText(getText(R.string.login_activity_sign_in));
    loginFacebookButton.setVisibility(View.VISIBLE);
    loginFacebookLogoutButton.setVisibility(View.INVISIBLE);
    }
    }

    }


    I've noticed that when I include the line handleFacebookAccessToken(loginResult.getAccessToken()); in the callback, I get the error, but I otherwise don't. But excluding the line doesn't seem like a permanent solution, because how can I retrieve user information then?




    • I have set up everything concerned with the App ID and App Secret.

    • I have configured my Facebook app's settings as precisely as I can gather.

    • I have included the required meta tag in my manifest.










    share|improve this question


























      up vote
      2
      down vote

      favorite









      up vote
      2
      down vote

      favorite











      Setting up Facebook Authentication with Firebase on Android and getting the following pesky error:



      com.google.firebase.FirebaseException: An internal error has occurred. [ Unsuccessful debug_token response from Facebook:{"error":{"message":"Invalid OAuth access token signature.","type":"OAuthException","code":190,"fbtrace_id":"BLR/UAx2fzn"}} ]


      My goal is not to get rid of this error, it's to be able to get information about the user from Firebase. At the moment, even though I seem to able to get an not-null, un-expired token, there's no entry for a Facebook user in my Firebase Console. IOW, how can I get this line to not fail?



      --> mAuth.signInWithCredential(credential)



      To reproduce, I start the app from scratch (logged out) and proceed to my LoginActivity. I select the Continue with Facebook LoginButton and select Continue. I currently have my app's logic so upon success of the callback, it stays in the LoginActivity and I get the error featured above.



      LoginActivity.java



      package com.***.datingapp.activities;

      import android.content.Intent;
      import android.support.annotation.NonNull;
      import android.os.Bundle;
      import android.support.v7.app.AppCompatActivity;
      import android.text.TextUtils;
      import android.util.Log;
      import android.view.View;
      import android.widget.Button;
      import android.widget.EditText;
      import android.widget.TextView;
      import android.widget.Toast;

      import com.facebook.AccessToken;
      import com.facebook.CallbackManager;
      import com.facebook.FacebookCallback;
      import com.facebook.FacebookException;
      import com.facebook.login.LoginManager;
      import com.facebook.login.LoginResult;
      import com.facebook.login.widget.LoginButton;
      import com.google.android.gms.tasks.OnCompleteListener;
      import com.google.android.gms.tasks.Task;
      import com.google.firebase.auth.AuthCredential;
      import com.google.firebase.auth.AuthResult;
      import com.google.firebase.auth.FacebookAuthProvider;
      import com.google.firebase.auth.FirebaseAuth;
      import com.google.firebase.auth.FirebaseUser;
      import com.***.datingapp.R;

      public class LoginActivity extends AppCompatActivity implements View.OnClickListener {

      private static final String TAG = "Login";

      private EditText loginEmailEditText;
      private EditText loginPasswordEditText;
      private TextView loginStatusTextView;
      private TextView loginDetailTextView;
      private Button loginEmailButton;
      private Button loginRegisterButton;
      private LoginButton loginFacebookButton;
      private Button loginFacebookLogoutButton;

      private FirebaseAuth mAuth;
      private CallbackManager callbackManager;
      private FacebookCallback<LoginResult> facebookCallback;

      private static final int RC_SIGN_IN = 123;

      @Override
      protected void onCreate(Bundle savedInstanceState) {
      super.onCreate(savedInstanceState);
      setContentView(R.layout.activity_login);
      mAuth = FirebaseAuth.getInstance();
      callbackManager = CallbackManager.Factory.create();

      loginEmailEditText = (EditText) findViewById(R.id.edit_text_login_email);
      loginPasswordEditText = (EditText) findViewById(R.id.edit_text_login_password);
      loginStatusTextView = (TextView) findViewById(R.id.text_view_login_status);
      loginDetailTextView = (TextView) findViewById(R.id.text_view_login_details);
      loginEmailButton = (Button) findViewById(R.id.button_login_email);
      loginRegisterButton = (Button) findViewById(R.id.button_login_email_register);
      loginFacebookButton = (LoginButton) findViewById(R.id.buttonFacebookLogin);
      loginFacebookLogoutButton = (Button) findViewById(R.id.buttonFacebookSignout);

      loginEmailButton.setOnClickListener(this);
      loginRegisterButton.setOnClickListener(this);
      loginFacebookLogoutButton.setOnClickListener(this);

      loginFacebookButton.setReadPermissions("email", "public_profile");
      facebookCallback = new FacebookCallback<LoginResult>() {
      @Override
      public void onSuccess(LoginResult loginResult) {
      Log.d(TAG, "facebook:onSuccess:" + loginResult + " - " + loginResult.getAccessToken().getToken());
      handleFacebookAccessToken(loginResult.getAccessToken());
      }

      @Override
      public void onCancel() {
      Log.d(TAG, "facebook:onCancel");
      updateUI(null);
      }

      @Override
      public void onError(FacebookException error) {
      Log.d(TAG, "facebook:onError", error);
      updateUI(null);
      }
      };
      loginFacebookButton.registerCallback(callbackManager, facebookCallback);
      LoginManager.getInstance().registerCallback(callbackManager, facebookCallback);
      }

      @Override
      public void onStart() {
      super.onStart();
      // Check if user is signed in (non-null) and update UI accordingly.

      AccessToken fbAccessToken = AccessToken.getCurrentAccessToken();
      if (fbAccessToken != null && fbAccessToken.isExpired())
      handleFacebookAccessToken(fbAccessToken);
      else {
      FirebaseUser currentUser = mAuth.getCurrentUser();
      updateUI(currentUser);
      }

      }

      @Override
      public void onClick(View v) {
      switch (v.getId()) {
      case R.id.button_login_email:
      if (loginEmailButton.getText().toString().equals(getText(R.string.login_activity_sign_in)))
      signIn(loginEmailEditText.getText().toString(), loginPasswordEditText.getText().toString());
      else
      signOut();
      break;
      case R.id.button_login_email_register:
      createAccount(loginEmailEditText.getText().toString(), loginPasswordEditText.getText().toString());
      break;
      case R.id.buttonFacebookSignout:
      signOut();
      }
      }

      private boolean validateForm() {
      boolean valid = true;

      String email = loginEmailEditText.getText().toString();
      if (TextUtils.isEmpty(email)) {
      loginEmailEditText.setError("Required.");
      valid = false;
      } else {
      loginEmailEditText.setError(null);
      }

      String password = loginPasswordEditText.getText().toString();
      if (TextUtils.isEmpty(password)) {
      loginPasswordEditText.setError("Required.");
      valid = false;
      } else {
      loginPasswordEditText.setError(null);
      }

      return valid;
      }

      private void signIn(String email, String password) {
      Log.d(TAG, "signIn:" + email);
      if (!validateForm())
      return;
      mAuth.signInWithEmailAndPassword(email, password)
      .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
      @Override
      public void onComplete(@NonNull Task<AuthResult> task) {
      if (task.isSuccessful()) {
      // Sign in success, update UI with the signed-in user's information
      Log.d(TAG, "signInWithEmail:success");
      FirebaseUser user = mAuth.getCurrentUser();
      updateUI(user);
      } else {
      // If sign in fails, display a message to the user.
      Log.w(TAG, "signInWithEmail:failure", task.getException());
      Toast.makeText(LoginActivity.this, task.getException().getMessage(),
      Toast.LENGTH_SHORT).show();
      updateUI(null);
      }

      if (!task.isSuccessful()) {
      loginStatusTextView.setText(R.string.login_activity_status_auth_failed);
      }
      }
      });
      }

      private void createAccount(String email, String password) {
      Log.d(TAG, "createAccount:" + email);
      if (!validateForm())
      return;
      mAuth.createUserWithEmailAndPassword(email, password)
      .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
      @Override
      public void onComplete(@NonNull Task<AuthResult> task) {
      if (task.isSuccessful()) {
      // Sign in success, update UI with the signed-in user's information
      Log.d(TAG, "createUserWithEmail:success");
      FirebaseUser user = mAuth.getCurrentUser();
      updateUI(user);
      } else {
      // If sign in fails, display a message to the user.
      Log.w(TAG, "createUserWithEmail:failure", task.getException());
      Toast.makeText(LoginActivity.this, task.getException().getMessage(),
      Toast.LENGTH_SHORT).show();
      updateUI(null);
      }
      }
      });
      }

      private void handleFacebookAccessToken(AccessToken token) {
      Log.d(TAG, "handleFacebookAccessToken:" + token);

      AuthCredential credential = FacebookAuthProvider.getCredential(token.getToken());
      mAuth.signInWithCredential(credential)
      .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
      @Override
      public void onComplete(@NonNull Task<AuthResult> task) {
      if (task.isSuccessful()) {
      // Sign in success, update UI with the signed-in user's information
      Log.d(TAG, "signInWithCredential:success");
      FirebaseUser user = mAuth.getCurrentUser();
      updateUI(user);
      } else {
      // If sign in fails, display a message to the user.
      Log.w(TAG, "signInWithCredential:failure", task.getException());
      Toast.makeText(LoginActivity.this, task.getException().getMessage(),
      Toast.LENGTH_LONG).show();
      signOut();
      }
      }
      });
      }

      @Override
      protected void onResume() {
      super.onResume();
      // Toast.makeText(LoginActivity.this, "Resuming.",
      // Toast.LENGTH_SHORT).show();
      }

      protected void onActivityResult(int requestCode, int resultCode, Intent data) {
      super.onActivityResult(requestCode, resultCode, data);
      callbackManager.onActivityResult(requestCode, resultCode, data);
      }

      public void signOut() {
      mAuth.signOut();
      LoginManager.getInstance().logOut();
      FirebaseAuth.getInstance().signOut();
      updateUI(null);
      }

      private void updateUI(FirebaseUser user) {
      if (user != null) {
      loginStatusTextView.setText(getString(R.string.emailpassword_status_format,
      user.getEmail(), user.isEmailVerified()));
      loginDetailTextView.setText(getString(R.string.firebase_status_format, user.getUid()));
      loginEmailButton.setText(getText(R.string.login_activity_sign_out));
      loginFacebookButton.setVisibility(View.INVISIBLE);
      loginFacebookLogoutButton.setVisibility(View.VISIBLE);
      } else {
      loginStatusTextView.setText(R.string.login_activity_status_signed_out);
      loginDetailTextView.setText(null);
      loginEmailButton.setText(getText(R.string.login_activity_sign_in));
      loginFacebookButton.setVisibility(View.VISIBLE);
      loginFacebookLogoutButton.setVisibility(View.INVISIBLE);
      }
      }

      }


      I've noticed that when I include the line handleFacebookAccessToken(loginResult.getAccessToken()); in the callback, I get the error, but I otherwise don't. But excluding the line doesn't seem like a permanent solution, because how can I retrieve user information then?




      • I have set up everything concerned with the App ID and App Secret.

      • I have configured my Facebook app's settings as precisely as I can gather.

      • I have included the required meta tag in my manifest.










      share|improve this question















      Setting up Facebook Authentication with Firebase on Android and getting the following pesky error:



      com.google.firebase.FirebaseException: An internal error has occurred. [ Unsuccessful debug_token response from Facebook:{"error":{"message":"Invalid OAuth access token signature.","type":"OAuthException","code":190,"fbtrace_id":"BLR/UAx2fzn"}} ]


      My goal is not to get rid of this error, it's to be able to get information about the user from Firebase. At the moment, even though I seem to able to get an not-null, un-expired token, there's no entry for a Facebook user in my Firebase Console. IOW, how can I get this line to not fail?



      --> mAuth.signInWithCredential(credential)



      To reproduce, I start the app from scratch (logged out) and proceed to my LoginActivity. I select the Continue with Facebook LoginButton and select Continue. I currently have my app's logic so upon success of the callback, it stays in the LoginActivity and I get the error featured above.



      LoginActivity.java



      package com.***.datingapp.activities;

      import android.content.Intent;
      import android.support.annotation.NonNull;
      import android.os.Bundle;
      import android.support.v7.app.AppCompatActivity;
      import android.text.TextUtils;
      import android.util.Log;
      import android.view.View;
      import android.widget.Button;
      import android.widget.EditText;
      import android.widget.TextView;
      import android.widget.Toast;

      import com.facebook.AccessToken;
      import com.facebook.CallbackManager;
      import com.facebook.FacebookCallback;
      import com.facebook.FacebookException;
      import com.facebook.login.LoginManager;
      import com.facebook.login.LoginResult;
      import com.facebook.login.widget.LoginButton;
      import com.google.android.gms.tasks.OnCompleteListener;
      import com.google.android.gms.tasks.Task;
      import com.google.firebase.auth.AuthCredential;
      import com.google.firebase.auth.AuthResult;
      import com.google.firebase.auth.FacebookAuthProvider;
      import com.google.firebase.auth.FirebaseAuth;
      import com.google.firebase.auth.FirebaseUser;
      import com.***.datingapp.R;

      public class LoginActivity extends AppCompatActivity implements View.OnClickListener {

      private static final String TAG = "Login";

      private EditText loginEmailEditText;
      private EditText loginPasswordEditText;
      private TextView loginStatusTextView;
      private TextView loginDetailTextView;
      private Button loginEmailButton;
      private Button loginRegisterButton;
      private LoginButton loginFacebookButton;
      private Button loginFacebookLogoutButton;

      private FirebaseAuth mAuth;
      private CallbackManager callbackManager;
      private FacebookCallback<LoginResult> facebookCallback;

      private static final int RC_SIGN_IN = 123;

      @Override
      protected void onCreate(Bundle savedInstanceState) {
      super.onCreate(savedInstanceState);
      setContentView(R.layout.activity_login);
      mAuth = FirebaseAuth.getInstance();
      callbackManager = CallbackManager.Factory.create();

      loginEmailEditText = (EditText) findViewById(R.id.edit_text_login_email);
      loginPasswordEditText = (EditText) findViewById(R.id.edit_text_login_password);
      loginStatusTextView = (TextView) findViewById(R.id.text_view_login_status);
      loginDetailTextView = (TextView) findViewById(R.id.text_view_login_details);
      loginEmailButton = (Button) findViewById(R.id.button_login_email);
      loginRegisterButton = (Button) findViewById(R.id.button_login_email_register);
      loginFacebookButton = (LoginButton) findViewById(R.id.buttonFacebookLogin);
      loginFacebookLogoutButton = (Button) findViewById(R.id.buttonFacebookSignout);

      loginEmailButton.setOnClickListener(this);
      loginRegisterButton.setOnClickListener(this);
      loginFacebookLogoutButton.setOnClickListener(this);

      loginFacebookButton.setReadPermissions("email", "public_profile");
      facebookCallback = new FacebookCallback<LoginResult>() {
      @Override
      public void onSuccess(LoginResult loginResult) {
      Log.d(TAG, "facebook:onSuccess:" + loginResult + " - " + loginResult.getAccessToken().getToken());
      handleFacebookAccessToken(loginResult.getAccessToken());
      }

      @Override
      public void onCancel() {
      Log.d(TAG, "facebook:onCancel");
      updateUI(null);
      }

      @Override
      public void onError(FacebookException error) {
      Log.d(TAG, "facebook:onError", error);
      updateUI(null);
      }
      };
      loginFacebookButton.registerCallback(callbackManager, facebookCallback);
      LoginManager.getInstance().registerCallback(callbackManager, facebookCallback);
      }

      @Override
      public void onStart() {
      super.onStart();
      // Check if user is signed in (non-null) and update UI accordingly.

      AccessToken fbAccessToken = AccessToken.getCurrentAccessToken();
      if (fbAccessToken != null && fbAccessToken.isExpired())
      handleFacebookAccessToken(fbAccessToken);
      else {
      FirebaseUser currentUser = mAuth.getCurrentUser();
      updateUI(currentUser);
      }

      }

      @Override
      public void onClick(View v) {
      switch (v.getId()) {
      case R.id.button_login_email:
      if (loginEmailButton.getText().toString().equals(getText(R.string.login_activity_sign_in)))
      signIn(loginEmailEditText.getText().toString(), loginPasswordEditText.getText().toString());
      else
      signOut();
      break;
      case R.id.button_login_email_register:
      createAccount(loginEmailEditText.getText().toString(), loginPasswordEditText.getText().toString());
      break;
      case R.id.buttonFacebookSignout:
      signOut();
      }
      }

      private boolean validateForm() {
      boolean valid = true;

      String email = loginEmailEditText.getText().toString();
      if (TextUtils.isEmpty(email)) {
      loginEmailEditText.setError("Required.");
      valid = false;
      } else {
      loginEmailEditText.setError(null);
      }

      String password = loginPasswordEditText.getText().toString();
      if (TextUtils.isEmpty(password)) {
      loginPasswordEditText.setError("Required.");
      valid = false;
      } else {
      loginPasswordEditText.setError(null);
      }

      return valid;
      }

      private void signIn(String email, String password) {
      Log.d(TAG, "signIn:" + email);
      if (!validateForm())
      return;
      mAuth.signInWithEmailAndPassword(email, password)
      .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
      @Override
      public void onComplete(@NonNull Task<AuthResult> task) {
      if (task.isSuccessful()) {
      // Sign in success, update UI with the signed-in user's information
      Log.d(TAG, "signInWithEmail:success");
      FirebaseUser user = mAuth.getCurrentUser();
      updateUI(user);
      } else {
      // If sign in fails, display a message to the user.
      Log.w(TAG, "signInWithEmail:failure", task.getException());
      Toast.makeText(LoginActivity.this, task.getException().getMessage(),
      Toast.LENGTH_SHORT).show();
      updateUI(null);
      }

      if (!task.isSuccessful()) {
      loginStatusTextView.setText(R.string.login_activity_status_auth_failed);
      }
      }
      });
      }

      private void createAccount(String email, String password) {
      Log.d(TAG, "createAccount:" + email);
      if (!validateForm())
      return;
      mAuth.createUserWithEmailAndPassword(email, password)
      .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
      @Override
      public void onComplete(@NonNull Task<AuthResult> task) {
      if (task.isSuccessful()) {
      // Sign in success, update UI with the signed-in user's information
      Log.d(TAG, "createUserWithEmail:success");
      FirebaseUser user = mAuth.getCurrentUser();
      updateUI(user);
      } else {
      // If sign in fails, display a message to the user.
      Log.w(TAG, "createUserWithEmail:failure", task.getException());
      Toast.makeText(LoginActivity.this, task.getException().getMessage(),
      Toast.LENGTH_SHORT).show();
      updateUI(null);
      }
      }
      });
      }

      private void handleFacebookAccessToken(AccessToken token) {
      Log.d(TAG, "handleFacebookAccessToken:" + token);

      AuthCredential credential = FacebookAuthProvider.getCredential(token.getToken());
      mAuth.signInWithCredential(credential)
      .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
      @Override
      public void onComplete(@NonNull Task<AuthResult> task) {
      if (task.isSuccessful()) {
      // Sign in success, update UI with the signed-in user's information
      Log.d(TAG, "signInWithCredential:success");
      FirebaseUser user = mAuth.getCurrentUser();
      updateUI(user);
      } else {
      // If sign in fails, display a message to the user.
      Log.w(TAG, "signInWithCredential:failure", task.getException());
      Toast.makeText(LoginActivity.this, task.getException().getMessage(),
      Toast.LENGTH_LONG).show();
      signOut();
      }
      }
      });
      }

      @Override
      protected void onResume() {
      super.onResume();
      // Toast.makeText(LoginActivity.this, "Resuming.",
      // Toast.LENGTH_SHORT).show();
      }

      protected void onActivityResult(int requestCode, int resultCode, Intent data) {
      super.onActivityResult(requestCode, resultCode, data);
      callbackManager.onActivityResult(requestCode, resultCode, data);
      }

      public void signOut() {
      mAuth.signOut();
      LoginManager.getInstance().logOut();
      FirebaseAuth.getInstance().signOut();
      updateUI(null);
      }

      private void updateUI(FirebaseUser user) {
      if (user != null) {
      loginStatusTextView.setText(getString(R.string.emailpassword_status_format,
      user.getEmail(), user.isEmailVerified()));
      loginDetailTextView.setText(getString(R.string.firebase_status_format, user.getUid()));
      loginEmailButton.setText(getText(R.string.login_activity_sign_out));
      loginFacebookButton.setVisibility(View.INVISIBLE);
      loginFacebookLogoutButton.setVisibility(View.VISIBLE);
      } else {
      loginStatusTextView.setText(R.string.login_activity_status_signed_out);
      loginDetailTextView.setText(null);
      loginEmailButton.setText(getText(R.string.login_activity_sign_in));
      loginFacebookButton.setVisibility(View.VISIBLE);
      loginFacebookLogoutButton.setVisibility(View.INVISIBLE);
      }
      }

      }


      I've noticed that when I include the line handleFacebookAccessToken(loginResult.getAccessToken()); in the callback, I get the error, but I otherwise don't. But excluding the line doesn't seem like a permanent solution, because how can I retrieve user information then?




      • I have set up everything concerned with the App ID and App Secret.

      • I have configured my Facebook app's settings as precisely as I can gather.

      • I have included the required meta tag in my manifest.







      android firebase facebook-graph-api firebase-authentication token






      share|improve this question















      share|improve this question













      share|improve this question




      share|improve this question








      edited 25 mins ago

























      asked 7 hours ago









      AlleyOOP

      5932926




      5932926





























          active

          oldest

          votes











          Your Answer






          StackExchange.ifUsing("editor", function () {
          StackExchange.using("externalEditor", function () {
          StackExchange.using("snippets", function () {
          StackExchange.snippets.init();
          });
          });
          }, "code-snippets");

          StackExchange.ready(function() {
          var channelOptions = {
          tags: "".split(" "),
          id: "1"
          };
          initTagRenderer("".split(" "), "".split(" "), channelOptions);

          StackExchange.using("externalEditor", function() {
          // Have to fire editor after snippets, if snippets enabled
          if (StackExchange.settings.snippets.snippetsEnabled) {
          StackExchange.using("snippets", function() {
          createEditor();
          });
          }
          else {
          createEditor();
          }
          });

          function createEditor() {
          StackExchange.prepareEditor({
          heartbeatType: 'answer',
          convertImagesToLinks: true,
          noModals: true,
          showLowRepImageUploadWarning: true,
          reputationToPostImages: 10,
          bindNavPrevention: true,
          postfix: "",
          imageUploader: {
          brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
          contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
          allowUrls: true
          },
          onDemand: true,
          discardSelector: ".discard-answer"
          ,immediatelyShowMarkdownHelp:true
          });


          }
          });














           

          draft saved


          draft discarded


















          StackExchange.ready(
          function () {
          StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53371020%2fusing-accesstoken-to-retrieve-firebase-user-causing-firebase-error-with-facebook%23new-answer', 'question_page');
          }
          );

          Post as a guest















          Required, but never shown






























          active

          oldest

          votes













          active

          oldest

          votes









          active

          oldest

          votes






          active

          oldest

          votes
















           

          draft saved


          draft discarded



















































           


          draft saved


          draft discarded














          StackExchange.ready(
          function () {
          StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53371020%2fusing-accesstoken-to-retrieve-firebase-user-causing-firebase-error-with-facebook%23new-answer', 'question_page');
          }
          );

          Post as a guest















          Required, but never shown





















































          Required, but never shown














          Required, but never shown












          Required, but never shown







          Required, but never shown

































          Required, but never shown














          Required, but never shown












          Required, but never shown







          Required, but never shown







          Popular posts from this blog

          Can a sorcerer learn a 5th-level spell early by creating spell slots using the Font of Magic feature?

          Does disintegrating a polymorphed enemy still kill it after the 2018 errata?

          A Topological Invariant for $pi_3(U(n))$