使用GoogleApiClient陷入连接失败循环

时间:2014-11-05 15:17:06

标签: android google-drive-android-api

我正在尝试在我的项目中实现com.google.android.gms.common.api.GoogleApiClient。

问题在于每次我尝试连接时,都会使用我执行的挂起意图将onConnectionFailed监听器调用回来。在全新安装中,第一个待处理的意图将启动帐户选择屏幕。这是预料之中的。除非在应用程序管理器中清除应用程序的数据,否则每次重新启动应用程序都将绕过帐户选择。

在帐户选择屏幕之后,登录屏幕将显示为简洁。它永远不会签到。登录屏幕闪烁后将调用onActivityResult,尝试连接客户端。它没有连接,并再次调用onConnectionFailed侦听器。

如果我一直试图执行意图,我会陷入困境,屏幕上出现签名,然后消失,但从未连接或登录.ConnectionResult.toString表示" Sign_In_Required",并返回错误代码4(与Sign_In_Required常量相同。

在API控制台上,我实现了一个Ouath 2.0客户端ID,以及一个用于Android应用程序的公共API访问密钥。值得注意的是,我的应用程序使用较旧的com.google.api.services.drive.Drive客户端。

至于我的代码:

我尝试过使用两种不同的实施herehere。我尝试实现第二个示例,尽可能少地进行更改。它转载如下:

public class MainActivity extends Activity implements ConnectionCallbacks,
    OnConnectionFailedListener {

private static final String TAG = "android-drive-quickstart";
private static final int REQUEST_CODE_CAPTURE_IMAGE = 1;
private static final int REQUEST_CODE_CREATOR = 2;
private static final int REQUEST_CODE_RESOLUTION = 3;

private GoogleApiClient mGoogleApiClient;
private Bitmap mBitmapToSave;

/**
 * Create a new file and save it to Drive.
 */
private void saveFileToDrive() {
    // Start by creating a new contents, and setting a callback.
    Log.i(TAG, "Creating new contents.");
    final Bitmap image = mBitmapToSave;

    Drive.DriveApi.newContents(mGoogleApiClient).setResultCallback(new ResultCallback<DriveApi.ContentsResult>() {

        @Override
        public void onResult(DriveApi.ContentsResult result) {

            // If the operation was not successful, we cannot do anything
            // and must
            // fail.
            if (!result.getStatus().isSuccess()) {
                Log.i(TAG, "Failed to create new contents.");
                return;
            }
            // Otherwise, we can write our data to the new contents.
            Log.i(TAG, "New contents created.");
            // Get an output stream for the contents.
            OutputStream outputStream = result.getContents().getOutputStream();
            // Write the bitmap data from it.
            ByteArrayOutputStream bitmapStream = new ByteArrayOutputStream();
            image.compress(Bitmap.CompressFormat.PNG, 100, bitmapStream);
            try {
                outputStream.write(bitmapStream.toByteArray());
            } catch (IOException e1) {
                Log.i(TAG, "Unable to write file contents.");
            }
            // Create the initial metadata - MIME type and title.
            // Note that the user will be able to change the title later.
            MetadataChangeSet metadataChangeSet = new MetadataChangeSet.Builder()
                    .setMimeType("image/jpeg").setTitle("Android Photo.png").build();
            // Create an intent for the file chooser, and start it.
            IntentSender intentSender = Drive.DriveApi
                    .newCreateFileActivityBuilder()
                    .setInitialMetadata(metadataChangeSet)
                    .setInitialContents(result.getContents())
                    .build(mGoogleApiClient);
            try {
                startIntentSenderForResult(
                        intentSender, REQUEST_CODE_CREATOR, null, 0, 0, 0);
            } catch (SendIntentException e) {
                Log.i(TAG, "Failed to launch file chooser.");
            }
        }
    });
}

@Override
protected void onResume() {
    super.onResume();
    if (mGoogleApiClient == null) {
        // Create the API client and bind it to an instance variable.
        // We use this instance as the callback for connection and connection
        // failures.
        // Since no account name is passed, the user is prompted to choose.
        mGoogleApiClient = new GoogleApiClient.Builder(this)
                .addApi(Drive.API)
                .addScope(Drive.SCOPE_FILE)
                .addConnectionCallbacks(this)
                .addOnConnectionFailedListener(this)
                .build();
    }
    // Connect the client. Once connected, the camera is launched.
    mGoogleApiClient.connect();
}

@Override
protected void onPause() {
    if (mGoogleApiClient != null) {
        mGoogleApiClient.disconnect();
    }
    super.onPause();
}

@Override
protected void onActivityResult(final int requestCode, final int resultCode, final Intent data) {
    switch (requestCode) {
        case REQUEST_CODE_CAPTURE_IMAGE:
            // Called after a photo has been taken.
            if (resultCode == Activity.RESULT_OK) {
                // Store the image data as a bitmap for writing later.
                mBitmapToSave = (Bitmap) data.getExtras().get("data");
            }
            break;
        case REQUEST_CODE_CREATOR:
            // Called after a file is saved to Drive.
            if (resultCode == RESULT_OK) {
                Log.i(TAG, "Image successfully saved.");
                mBitmapToSave = null;
                // Just start the camera again for another photo.
                startActivityForResult(new Intent(MediaStore.ACTION_IMAGE_CAPTURE),
                        REQUEST_CODE_CAPTURE_IMAGE);
            }
            break;
    }
}

@Override
public void onConnectionFailed(ConnectionResult result) {
    // Called whenever the API client fails to connect.
    Log.i(TAG, "GoogleApiClient connection failed: " + result.toString());
    if (!result.hasResolution()) {
        // show the localized error dialog.
        GooglePlayServicesUtil.getErrorDialog(result.getErrorCode(), this, 0).show();
        return;
    }
    // The failure has a resolution. Resolve it.
    // Called typically when the app is not yet authorized, and an
    // authorization
    // dialog is displayed to the user.
    try {
        result.startResolutionForResult(this, REQUEST_CODE_RESOLUTION);
    } catch (SendIntentException e) {
        Log.e(TAG, "Exception while starting resolution activity", e);
    }
}

@Override
public void onConnected(Bundle connectionHint) {
    Log.i(TAG, "API client connected.");
    if (mBitmapToSave == null) {
        // This activity has no UI of its own. Just start the camera.
        startActivityForResult(new Intent(MediaStore.ACTION_IMAGE_CAPTURE),
                REQUEST_CODE_CAPTURE_IMAGE);
        return;
    }
    saveFileToDrive();
}

@Override
public void onConnectionSuspended(int cause) {
    Log.i(TAG, "GoogleApiClient connection suspended");
}

}

2 个答案:

答案 0 :(得分:3)

这是一个艰难的,因为我没有时间完全重新运行和分析您的代码。没有运行它,我没有看到任何明显的东西。

但是,因为我在我的应用程序中运行并运行了这些东西,所以我想提供帮助。不幸的是,Google Play服务连接和授权代码分散在我的应用程序的片段和活动中。所以,我尝试创建一个虚拟活动并将所有内容拉入其中。 “所有的东西”我的意思是客户经理包装(GA)和相关的帐户选择器代码。

结果是大约300行可能有用的乱码,但我没有做出任何声明。看看,祝你好运。

package com.......;

import android.accounts.Account;
import android.accounts.AccountManager;
import android.app.Activity;
import android.app.Dialog;
import android.app.DialogFragment;
import android.content.Context;
import android.content.DialogInterface;
import android.content.Intent;
import android.content.IntentSender;
import android.content.SharedPreferences;
import android.os.Bundle;
import android.preference.PreferenceManager;
import android.util.Log;
import android.widget.Toast;

import com.google.android.gms.auth.GoogleAuthUtil;
import com.google.android.gms.common.AccountPicker;
import com.google.android.gms.common.ConnectionResult;
import com.google.android.gms.common.GooglePlayServicesUtil;
import com.google.android.gms.common.api.GoogleApiClient;

public class GooApiClient extends Activity  implements 
                GoogleApiClient.OnConnectionFailedListener, GoogleApiClient.ConnectionCallbacks {

  private static final String DIALOG_ERROR = "dialog_error";
  private static final String REQUEST_CODE = "request_code";

  private static final int REQ_ACCPICK = 1;
  private static final int REQ_AUTH    = 2;
  private static final int REQ_RECOVER = 3;

  private GoogleApiClient mGooApiClient;
  private boolean mIsInAuth; //block re-entrancy

  @Override
  protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);

    if (checkPlayServices() && checkUserAccount()) {
      gooInit();
      gooConnect(true);
    }
  }

  @Override
  public void onConnected(Bundle bundle) {
    Log.d("_", "connected");
  }
  @Override
  public void onConnectionSuspended(int i) { }
  @Override
  public void onConnectionFailed(ConnectionResult result) {
    Log.d("_", "failed " + result.hasResolution());
    if (!mIsInAuth) {
      if (result.hasResolution()) {
        try {
          mIsInAuth = true;
          result.startResolutionForResult(this, REQ_AUTH);
        } catch (IntentSender.SendIntentException e) {
          suicide("authorization fail");
        }
      } else {
        suicide("authorization fail");
      }
    }
  }

  @Override
  protected void onActivityResult(int requestCode, int resultCode, Intent it) {
    Log.d("_", "activity result " + requestCode + " " + resultCode);

    switch (requestCode) {
      case REQ_AUTH: case REQ_RECOVER: {
        mIsInAuth = false;
        if (resultCode == Activity.RESULT_OK) {
          gooConnect(true);
        } else if (resultCode == RESULT_CANCELED) {
          suicide("authorization fail");
        }
        return;
      }

      case REQ_ACCPICK: {  // return from account picker
        if (resultCode == Activity.RESULT_OK && it != null) {
          String emil = it.getStringExtra(AccountManager.KEY_ACCOUNT_NAME);
          if (GA.setEmil(this, emil) == GA.CHANGED) {
            gooInit();
            gooConnect(true);
          }
        } else if (GA.getActiveEmil(this) == null) {
          suicide("selection failed");
        }
        return;
      }
    }
    super.onActivityResult(requestCode, resultCode, it); // DO NOT REMOVE
  }

  private boolean checkPlayServices() {
    Log.d("_", "check PS");
    int status = GooglePlayServicesUtil.isGooglePlayServicesAvailable(this);
    if (status != ConnectionResult.SUCCESS) {
      if (GooglePlayServicesUtil.isUserRecoverableError(status)) {
        mIsInAuth = true;
        errorDialog(status, LstActivity.REQ_RECOVER);
      } else {
        suicide("play services failed");
      }
      return false;
    }
    return true;
  }
  private boolean checkUserAccount() {
    String emil = GA.getActiveEmil(this);
    Account accnt = GA.getPrimaryAccnt(this, true);
    Log.d("_", "check user account " + emil + " " + accnt);

    if (emil == null) {    // no emil (after install)
      if (accnt == null) {    // multiple or no accounts available, go pick one
        accnt = GA.getPrimaryAccnt(this, false);
        Intent it = AccountPicker.newChooseAccountIntent(accnt, null,
         new String[]{GoogleAuthUtil.GOOGLE_ACCOUNT_TYPE}, true, null, null, null, null
        );
        this.startActivityForResult(it, LstActivity.REQ_ACCPICK);
        return false;  //--------------------->>>

      } else {  // there's only one goo account registered with the device, skip the picker
        GA.setEmil(this, accnt.name);
      }

    // UNLIKELY BUT POSSIBLE, emil's OK, but the account have been removed since (through settings)
    } else {
      accnt = GA.getActiveAccnt(this);
      if (accnt == null) {
        accnt = GA.getPrimaryAccnt(this, false);
        Intent it = AccountPicker.newChooseAccountIntent(accnt, null,
         new String[]{GoogleAuthUtil.GOOGLE_ACCOUNT_TYPE}, true, null, null, null, null
        );
        this.startActivityForResult(it, LstActivity.REQ_ACCPICK);
        return false;  //------------------>>>
      }
    }
    return true;
  }

  private void gooInit(){
    String emil = GA.getActiveEmil(this);
    Log.d("_", "goo init " + emil);
    if (emil != null){
      mGooApiClient = new GoogleApiClient.Builder(this)
       .setAccountName(emil).addApi(com.google.android.gms.drive.Drive.API)
       .addScope(com.google.android.gms.drive.Drive.SCOPE_FILE)
       .addConnectionCallbacks(this).addOnConnectionFailedListener(this)
       .build();
    }
  }

  private void gooConnect(boolean bConnect) {
    Log.d("_", "goo connect " + bConnect);
    if (mGooApiClient != null) {
      if (!bConnect) {
        mGooApiClient.disconnect();
      } else if (! (mGooApiClient.isConnecting() || mGooApiClient.isConnected())){
        mGooApiClient.connect();
      }
    }
  }

  private void suicide(String msg) {
    GA.removeActiveAccnt(this);
    Toast.makeText(this, msg, Toast.LENGTH_LONG).show();
    finish();
  }

  private void errorDialog(int errorCode, int requestCode) {
    Bundle args = new Bundle();
    args.putInt(DIALOG_ERROR, errorCode);
    args.putInt(REQUEST_CODE, requestCode);
    ErrorDialogFragment dialogFragment = new ErrorDialogFragment();
    dialogFragment.setArguments(args);
    dialogFragment.show(getFragmentManager(), "errordialog");
  }
  public static class ErrorDialogFragment extends DialogFragment {
    public ErrorDialogFragment() { }
    @Override
    public Dialog onCreateDialog(Bundle savedInstanceState) {
      int errorCode = getArguments().getInt(DIALOG_ERROR);
      int requestCode = getArguments().getInt(DIALOG_ERROR);
      return GooglePlayServicesUtil.getErrorDialog(errorCode, getActivity(), requestCode);
    }
    @Override
    public void onDismiss(DialogInterface dialog) {
      getActivity().finish();
    }
  }

  private static class GA {
    private static final String ACC_NAME = "account_name";
    public static final int FAIL = -1;
    public static final int UNCHANGED =  0;
    public static final int CHANGED = +1;

    private static String mCurrEmil = null;  // cache locally
    private static String mPrevEmil = null;  // cache locally

    public static Account[] getAllAccnts(Context ctx) {
      return AccountManager.get(acx(ctx)).getAccountsByType(GoogleAuthUtil.GOOGLE_ACCOUNT_TYPE);
    }

    public static Account getPrimaryAccnt(Context ctx, boolean bOneOnly) {
      Account[] accts = getAllAccnts(ctx);
      if (bOneOnly)
        return accts == null || accts.length != 1 ? null : accts[0];
      return accts == null || accts.length == 0 ? null : accts[0];
    }

    public static Account getActiveAccnt(Context ctx) {
      return emil2Accnt(ctx, getActiveEmil(ctx));
    }

    public static String getActiveEmil(Context ctx) {
      if (mCurrEmil != null) {
        return mCurrEmil;
      }
      mCurrEmil = ctx == null ? null : pfs(ctx).getString(ACC_NAME, null);
      return mCurrEmil;
    }

    public static Account getPrevEmil(Context ctx) {
      return emil2Accnt(ctx, mPrevEmil);
    }

    public static Account emil2Accnt(Context ctx, String emil) {
      if (emil != null) {
        Account[] accounts =
         AccountManager.get(acx(ctx)).getAccountsByType(GoogleAuthUtil.GOOGLE_ACCOUNT_TYPE);
        for (Account account : accounts) {
          if (emil.equalsIgnoreCase(account.name)) {
            return account;
          }
        }
      }
      return null;
    }

    /**
     * Stores a new email in persistent app storage, reporting result
     * @param newEmil new email, optionally null
     * @param ctx activity context
     * @return FAIL, CHANGED or UNCHANGED (based on the following table)
     * OLD    NEW   SAVED   RESULT
     * ERROR                FAIL
     * null   null  null    FAIL
     * null   new   new     CHANGED
     * old    null  old     UNCHANGED
     * old != new   new     CHANGED
     * old == new   new     UNCHANGED
     */
    public static int setEmil(Context ctx, String newEmil) {
      int result = FAIL;  // 0  0

      mPrevEmil = getActiveEmil(ctx);
      if        ((mPrevEmil == null) && (newEmil != null)) {
        result = CHANGED;
      } else if ((mPrevEmil != null) && (newEmil == null)) {
        result = UNCHANGED;
      } else if ((mPrevEmil != null) && (newEmil != null)) {
        result = mPrevEmil.equalsIgnoreCase(newEmil) ? UNCHANGED : CHANGED;
      }
      if (result == CHANGED) {
        mCurrEmil = newEmil;
        pfs(ctx).edit().putString(ACC_NAME, newEmil).apply();
      }
      return result;
    }
    public static void removeActiveAccnt(Context ctx) {
      mCurrEmil = null;
      pfs(ctx).edit().remove(ACC_NAME).apply();
    }

    private static Context acx(Context ctx) {
      return ctx == null ? null : ctx.getApplicationContext();
    }
    private static SharedPreferences pfs(Context ctx) {
      return ctx == null ? null : PreferenceManager.getDefaultSharedPreferences(acx(ctx));
    }
  }
}
顺便说一句,我知道如何拼写'电子邮件','埃米尔'恰好是我叔叔的名字,我无法抗拒: - )

更新(2015年4月11日):

我最近重新访问了处理Google云端硬盘授权和帐户切换的代码。结果可以找到here,它同时支持REST和GDAA apis。

答案 1 :(得分:3)

这是因为在第一次登录/授权后,android继续使用相同的默认帐户参数。如果您想避免循环并确保选择器再次显示,则必须通过调用Plus.AccountApi.clearDefaultAccount(mGoogleApiClient)完全清除默认帐户,然后再重新连接。

要实现此目的,您必须将Plus.API范围添加到GoogleApiClient构建器:

        mGoogleApiClient = new GoogleApiClient.Builder(this)
            .addApi(Drive.API)
            .addApi(Plus.API)
            .addScope(Drive.SCOPE_FILE)
            .addConnectionCallbacks(this)
            .addOnConnectionFailedListener(this)
            .build();

然后您可以在重建api客户端并连接到其他帐户之前清除默认帐户(在更改帐户时重建api客户端可避免出现问题):

    // if the api client existed, we terminate it
    if (mGoogleApiClient != null && mGoogleApiClient.isConnected()) {
        Plus.AccountApi.clearDefaultAccount(mGoogleApiClient);
        mGoogleApiClient.disconnect();
    }
    // build new api client to avoid problems reusing it
    mGoogleApiClient = new GoogleApiClient.Builder(this)
            .addApi(Drive.API)
            .addApi(Plus.API)
            .addScope(Drive.SCOPE_FILE)
            .setAccountName(account)
            .addConnectionCallbacks(this)
            .addOnConnectionFailedListener(this)
            .build();
    mGoogleApiClient.connect();

以这种方式使用Plus.API范围不需要其他权限或api激活。我希望这有助于你的问题。