summaryrefslogtreecommitdiffstats
path: root/core/java/android/accounts/AccountManagerService.java
diff options
context:
space:
mode:
Diffstat (limited to 'core/java/android/accounts/AccountManagerService.java')
-rw-r--r--core/java/android/accounts/AccountManagerService.java901
1 files changed, 901 insertions, 0 deletions
diff --git a/core/java/android/accounts/AccountManagerService.java b/core/java/android/accounts/AccountManagerService.java
new file mode 100644
index 0000000..78d4535
--- /dev/null
+++ b/core/java/android/accounts/AccountManagerService.java
@@ -0,0 +1,901 @@
+/*
+ * Copyright (C) 2009 The Android Open Source Project
+ *
+ * Licensed under the Apache License, Version 2.0 (the "License");
+ * you may not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ */
+
+package android.accounts;
+
+import android.os.*;
+import android.content.*;
+import android.database.sqlite.*;
+import android.database.Cursor;
+import android.database.DatabaseUtils;
+import android.util.Log;
+import android.text.TextUtils;
+import android.telephony.TelephonyManager;
+
+import java.util.HashMap;
+
+import com.google.android.collect.Maps;
+import com.android.internal.telephony.TelephonyIntents;
+
+/**
+ * A system service that provides account, password, and authtoken management for all
+ * accounts on the device. Some of these calls are implemented with the help of the corresponding
+ * {@link IAccountAuthenticator} services. This service is not accessed by users directly,
+ * instead one uses an instance of {@link AccountManager}, which can be accessed as follows:
+ * AccountManager accountManager =
+ * (AccountManager)context.getSystemService(Context.ACCOUNT_SERVICE)
+ */
+public class AccountManagerService extends IAccountManager.Stub {
+ private static final String TAG = "AccountManagerService";
+
+ private static final int TIMEOUT_DELAY_MS = 1000 * 60;
+ private static final String DATABASE_NAME = "accounts.db";
+ private static final int DATABASE_VERSION = 1;
+
+ private final Context mContext;
+
+ private HandlerThread mMessageThread;
+ private final MessageHandler mMessageHandler;
+
+ // Messages that can be sent on mHandler
+ private static final int MESSAGE_TIMED_OUT = 3;
+ private static final int MESSAGE_CONNECTED = 7;
+ private static final int MESSAGE_DISCONNECTED = 8;
+
+ private final AccountAuthenticatorCache mAuthenticatorCache;
+ private final AuthenticatorBindHelper mBindHelper;
+ public final HashMap<AuthTokenKey, String> mAuthTokenCache = Maps.newHashMap();
+ private final DatabaseHelper mOpenHelper;
+ private final SimWatcher mSimWatcher;
+
+ private static final String TABLE_ACCOUNTS = "accounts";
+ private static final String ACCOUNTS_ID = "_id";
+ private static final String ACCOUNTS_NAME = "name";
+ private static final String ACCOUNTS_TYPE = "type";
+ private static final String ACCOUNTS_PASSWORD = "password";
+
+ private static final String TABLE_AUTHTOKENS = "authtokens";
+ private static final String AUTHTOKENS_ID = "_id";
+ private static final String AUTHTOKENS_ACCOUNTS_ID = "accounts_id";
+ private static final String AUTHTOKENS_TYPE = "type";
+ private static final String AUTHTOKENS_AUTHTOKEN = "authtoken";
+
+ private static final String TABLE_EXTRAS = "extras";
+ private static final String EXTRAS_ID = "_id";
+ private static final String EXTRAS_ACCOUNTS_ID = "accounts_id";
+ private static final String EXTRAS_KEY = "key";
+ private static final String EXTRAS_VALUE = "value";
+
+ private static final String TABLE_META = "meta";
+ private static final String META_KEY = "key";
+ private static final String META_VALUE = "value";
+
+ private static final String[] ACCOUNT_NAME_TYPE_PROJECTION =
+ new String[]{ACCOUNTS_ID, ACCOUNTS_NAME, ACCOUNTS_TYPE};
+ private static final Intent ACCOUNTS_CHANGED_INTENT =
+ new Intent(AccountsServiceConstants.LOGIN_ACCOUNTS_CHANGED_ACTION);
+
+ public class AuthTokenKey {
+ public final Account mAccount;
+ public final String mAuthTokenType;
+ private final int mHashCode;
+
+ public AuthTokenKey(Account account, String authTokenType) {
+ mAccount = account;
+ mAuthTokenType = authTokenType;
+ mHashCode = computeHashCode();
+ }
+
+ public boolean equals(Object o) {
+ if (o == this) {
+ return true;
+ }
+ if (!(o instanceof AuthTokenKey)) {
+ return false;
+ }
+ AuthTokenKey other = (AuthTokenKey)o;
+ if (!mAccount.equals(other.mAccount)) {
+ return false;
+ }
+ return (mAuthTokenType == null)
+ ? other.mAuthTokenType == null
+ : mAuthTokenType.equals(other.mAuthTokenType);
+ }
+
+ private int computeHashCode() {
+ int result = 17;
+ result = 31 * result + mAccount.hashCode();
+ result = 31 * result + ((mAuthTokenType == null) ? 0 : mAuthTokenType.hashCode());
+ return result;
+ }
+
+ public int hashCode() {
+ return mHashCode;
+ }
+ }
+
+ public AccountManagerService(Context context) {
+ mContext = context;
+
+ mOpenHelper = new DatabaseHelper(mContext);
+
+ mMessageThread = new HandlerThread("AccountManagerService");
+ mMessageThread.start();
+ mMessageHandler = new MessageHandler(mMessageThread.getLooper());
+
+ mAuthenticatorCache = new AccountAuthenticatorCache(mContext);
+ mBindHelper = new AuthenticatorBindHelper(mContext, mAuthenticatorCache, mMessageHandler,
+ MESSAGE_CONNECTED, MESSAGE_DISCONNECTED);
+
+ mSimWatcher = new SimWatcher(mContext);
+ }
+
+ public String getPassword(Account account) throws RemoteException {
+ SQLiteDatabase db = mOpenHelper.getReadableDatabase();
+ Cursor cursor = db.query(TABLE_ACCOUNTS, new String[]{ACCOUNTS_PASSWORD},
+ ACCOUNTS_NAME + "=? AND " + ACCOUNTS_TYPE+ "=?",
+ new String[]{account.mName, account.mType}, null, null, null);
+ try {
+ if (cursor.moveToNext()) {
+ return cursor.getString(0);
+ }
+ return null;
+ } finally {
+ cursor.close();
+ }
+ }
+
+ public String getUserData(Account account, String key) throws RemoteException {
+ SQLiteDatabase db = mOpenHelper.getReadableDatabase();
+ db.beginTransaction();
+ try {
+ long accountId = getAccountId(db, account);
+ if (accountId < 0) {
+ return null;
+ }
+ Cursor cursor = db.query(TABLE_EXTRAS, new String[]{EXTRAS_VALUE},
+ EXTRAS_ACCOUNTS_ID + "=" + accountId + " AND " + EXTRAS_KEY + "=?",
+ new String[]{key}, null, null, null);
+ try {
+ if (cursor.moveToNext()) {
+ return cursor.getString(0);
+ }
+ return null;
+ } finally {
+ cursor.close();
+ }
+ } finally {
+ db.setTransactionSuccessful();
+ db.endTransaction();
+ }
+ }
+
+ public Account[] getAccounts() throws RemoteException {
+ return getAccountsByType(null);
+ }
+
+ public Account[] getAccountsByType(String accountType) throws RemoteException {
+ SQLiteDatabase db = mOpenHelper.getReadableDatabase();
+
+ final String selection = accountType == null ? null : (ACCOUNTS_TYPE + "=?");
+ final String[] selectionArgs = accountType == null ? null : new String[]{accountType};
+ Cursor cursor = db.query(TABLE_ACCOUNTS, ACCOUNT_NAME_TYPE_PROJECTION,
+ selection, selectionArgs, null, null, null);
+ try {
+ int i = 0;
+ Account[] accounts = new Account[cursor.getCount()];
+ while (cursor.moveToNext()) {
+ accounts[i] = new Account(cursor.getString(1), cursor.getString(2));
+ i++;
+ }
+ return accounts;
+ } finally {
+ cursor.close();
+ }
+ }
+
+ public boolean addAccount(Account account, String password, Bundle extras)
+ throws RemoteException {
+ // fails if the account already exists
+ SQLiteDatabase db = mOpenHelper.getWritableDatabase();
+ db.beginTransaction();
+ try {
+ long numMatches = DatabaseUtils.longForQuery(db,
+ "select count(*) from " + TABLE_ACCOUNTS
+ + " WHERE " + ACCOUNTS_NAME + "=? AND " + ACCOUNTS_TYPE+ "=?",
+ new String[]{account.mName, account.mType});
+ if (numMatches > 0) {
+ return false;
+ }
+ ContentValues values = new ContentValues();
+ values.put(ACCOUNTS_NAME, account.mName);
+ values.put(ACCOUNTS_TYPE, account.mType);
+ values.put(ACCOUNTS_PASSWORD, password);
+ long accountId = db.insert(TABLE_ACCOUNTS, ACCOUNTS_NAME, values);
+ if (accountId < 0) {
+ return false;
+ }
+ if (extras != null) {
+ for (String key : extras.keySet()) {
+ final String value = extras.getString(key);
+ if (insertExtra(db, accountId, key, value) < 0) {
+ return false;
+ }
+ }
+ }
+ db.setTransactionSuccessful();
+ mContext.sendBroadcast(ACCOUNTS_CHANGED_INTENT);
+ return true;
+ } finally {
+ db.endTransaction();
+ }
+ }
+
+ private long insertExtra(SQLiteDatabase db, long accountId, String key, String value) {
+ ContentValues values = new ContentValues();
+ values.put(EXTRAS_KEY, key);
+ values.put(EXTRAS_ACCOUNTS_ID, accountId);
+ values.put(EXTRAS_VALUE, value);
+ return db.insert(TABLE_EXTRAS, EXTRAS_KEY, values);
+ }
+
+ public void removeAccount(Account account) throws RemoteException {
+ // clear out matching authtokens from the cache
+ final SQLiteDatabase db = mOpenHelper.getWritableDatabase();
+ db.delete(TABLE_ACCOUNTS, ACCOUNTS_NAME + "=? AND " + ACCOUNTS_TYPE+ "=?",
+ new String[]{account.mName, account.mType});
+ mContext.sendBroadcast(ACCOUNTS_CHANGED_INTENT);
+ }
+
+ public void invalidateAuthToken(String accountType, String authToken) throws RemoteException {
+ SQLiteDatabase db = mOpenHelper.getWritableDatabase();
+ db.beginTransaction();
+ try {
+ invalidateAuthToken(db, accountType, authToken);
+ db.setTransactionSuccessful();
+ } finally {
+ db.endTransaction();
+ }
+ }
+
+ private void invalidateAuthToken(SQLiteDatabase db, String accountType, String authToken) {
+ Cursor cursor = db.rawQuery(
+ "SELECT " + TABLE_AUTHTOKENS + "." + AUTHTOKENS_ID
+ + ", " + TABLE_ACCOUNTS + "." + ACCOUNTS_NAME
+ + ", " + TABLE_AUTHTOKENS + "." + AUTHTOKENS_TYPE
+ + " FROM " + TABLE_ACCOUNTS
+ + " JOIN " + TABLE_AUTHTOKENS
+ + " ON " + TABLE_ACCOUNTS + "." + ACCOUNTS_ID
+ + " = " + AUTHTOKENS_ACCOUNTS_ID
+ + " WHERE " + AUTHTOKENS_AUTHTOKEN + " = ? AND "
+ + TABLE_ACCOUNTS + "." + ACCOUNTS_TYPE + " = ?",
+ new String[]{authToken, accountType});
+ try {
+ while (cursor.moveToNext()) {
+ long authTokenId = cursor.getLong(0);
+ String accountName = cursor.getString(1);
+ String authTokenType = cursor.getString(2);
+ AuthTokenKey key = new AuthTokenKey(new Account(accountName, accountType),
+ authTokenType);
+ mAuthTokenCache.remove(key);
+ db.delete(TABLE_AUTHTOKENS, AUTHTOKENS_ID + "=" + authTokenId, null);
+ }
+ } finally {
+ cursor.close();
+ }
+ }
+
+ private boolean saveAuthTokenToDatabase(Account account, String type, String authToken) {
+ SQLiteDatabase db = mOpenHelper.getWritableDatabase();
+ db.beginTransaction();
+ try {
+ if (saveAuthTokenToDatabase(db, account, type, authToken)) {
+ mContext.sendBroadcast(ACCOUNTS_CHANGED_INTENT);
+ db.setTransactionSuccessful();
+ return true;
+ }
+ return false;
+ } finally {
+ db.endTransaction();
+ }
+ }
+
+ private boolean saveAuthTokenToDatabase(SQLiteDatabase db, Account account,
+ String type, String authToken) {
+ long accountId = getAccountId(db, account);
+ if (accountId < 0) {
+ return false;
+ }
+ db.delete(TABLE_AUTHTOKENS,
+ AUTHTOKENS_ACCOUNTS_ID + "=" + accountId + " AND " + AUTHTOKENS_TYPE + "=?",
+ new String[]{type});
+ ContentValues values = new ContentValues();
+ values.put(AUTHTOKENS_ACCOUNTS_ID, accountId);
+ values.put(AUTHTOKENS_TYPE, type);
+ values.put(AUTHTOKENS_AUTHTOKEN, authToken);
+ return db.insert(TABLE_AUTHTOKENS, AUTHTOKENS_AUTHTOKEN, values) >= 0;
+ }
+
+ public String readAuthTokenFromDatabase(Account account, String authTokenType) {
+ SQLiteDatabase db = mOpenHelper.getReadableDatabase();
+ db.beginTransaction();
+ try {
+ long accountId = getAccountId(db, account);
+ if (accountId < 0) {
+ return null;
+ }
+ return getAuthToken(db, accountId, authTokenType);
+ } finally {
+ db.setTransactionSuccessful();
+ db.endTransaction();
+ }
+ }
+
+ public String peekAuthToken(Account account, String authTokenType) throws RemoteException {
+ AuthTokenKey key = new AuthTokenKey(account, authTokenType);
+ if (mAuthTokenCache.containsKey(key)) {
+ return mAuthTokenCache.get(key);
+ }
+ return readAuthTokenFromDatabase(account, authTokenType);
+ }
+
+ public void setAuthToken(Account account, String authTokenType, String authToken)
+ throws RemoteException {
+ cacheAuthToken(account, authTokenType, authToken);
+ }
+
+ public void setPassword(Account account, String password) throws RemoteException {
+ ContentValues values = new ContentValues();
+ values.put(ACCOUNTS_PASSWORD, password);
+ mOpenHelper.getWritableDatabase().update(TABLE_ACCOUNTS, values,
+ ACCOUNTS_NAME + "=? AND " + ACCOUNTS_TYPE+ "=?",
+ new String[]{account.mName, account.mType});
+ mContext.sendBroadcast(ACCOUNTS_CHANGED_INTENT);
+ }
+
+ public void clearPassword(Account account) throws RemoteException {
+ setPassword(account, null);
+ }
+
+ public void setUserData(Account account, String key, String value) throws RemoteException {
+ SQLiteDatabase db = mOpenHelper.getWritableDatabase();
+ db.beginTransaction();
+ try {
+ long accountId = getAccountId(db, account);
+ if (accountId < 0) {
+ return;
+ }
+ long extrasId = getExtrasId(db, accountId, key);
+ if (extrasId < 0 ) {
+ extrasId = insertExtra(db, accountId, key, value);
+ if (extrasId < 0) {
+ return;
+ }
+ } else {
+ ContentValues values = new ContentValues();
+ values.put(EXTRAS_VALUE, value);
+ if (1 != db.update(TABLE_EXTRAS, values, EXTRAS_ID + "=" + extrasId, null)) {
+ return;
+ }
+
+ }
+ db.setTransactionSuccessful();
+ } finally {
+ db.endTransaction();
+ }
+ }
+
+ public void getAuthToken(IAccountManagerResponse response, Account account,
+ String authTokenType, boolean notifyOnAuthFailure) throws RemoteException {
+ // create a new Session
+ Session session = new GetAuthTokenSession(response, account, authTokenType,
+ notifyOnAuthFailure);
+
+ String authToken = getCachedAuthToken(account, authTokenType);
+ if (authToken != null) {
+ session.onStringResult(authToken);
+ return;
+ }
+
+ session.bind();
+ }
+
+ public void addAccountInteractively(IAccountManagerResponse response, String accountType)
+ throws RemoteException {
+ new AddAccountInteractivelySession(response, accountType).bind();
+ }
+
+ public void authenticateAccount(IAccountManagerResponse response, Account account,
+ String password)
+ throws RemoteException {
+ new AuthenticateAccountSession(response, account, password).bind();
+ }
+
+ public void updatePassword(IAccountManagerResponse response, Account account)
+ throws RemoteException {
+ new UpdatePasswordSession(response, account).bind();
+ }
+
+ public void editProperties(IAccountManagerResponse response, String accountType)
+ throws RemoteException {
+ new EditPropertiesSession(response, accountType).bind();
+ }
+
+ public void getPasswordStrength(IAccountManagerResponse response,
+ String accountType, String password) throws RemoteException {
+ new GetPasswordStrengthSession(response, accountType, password).bind();
+ }
+
+ public void checkUsernameExistence(IAccountManagerResponse response,
+ String accountType, String username) throws RemoteException {
+ new CheckUsernameExistenceSession(response, username, accountType).bind();
+ }
+
+ private boolean cacheAuthToken(Account account, String authTokenType, String authToken) {
+ if (saveAuthTokenToDatabase(account, authTokenType, authToken)) {
+ final AuthTokenKey key = new AuthTokenKey(account, authTokenType);
+ mAuthTokenCache.put(key, authToken);
+ return true;
+ } else {
+ return false;
+ }
+ }
+
+ private String getCachedAuthToken(Account account, String authTokenType) {
+ final AuthTokenKey key = new AuthTokenKey(account, authTokenType);
+ if (!mAuthTokenCache.containsKey(key)) return null;
+ return mAuthTokenCache.get(key);
+ }
+
+ private long getAccountId(SQLiteDatabase db, Account account) {
+ Cursor cursor = db.query(TABLE_ACCOUNTS, new String[]{ACCOUNTS_ID},
+ "name=? AND type=?", new String[]{account.mName, account.mType}, null, null, null);
+ try {
+ if (cursor.moveToNext()) {
+ return cursor.getLong(0);
+ }
+ return -1;
+ } finally {
+ cursor.close();
+ }
+ }
+
+ private long getExtrasId(SQLiteDatabase db, long accountId, String key) {
+ Cursor cursor = db.query(TABLE_EXTRAS, new String[]{EXTRAS_ID},
+ EXTRAS_ACCOUNTS_ID + "=" + accountId + " AND " + EXTRAS_KEY + "=?",
+ new String[]{key}, null, null, null);
+ try {
+ if (cursor.moveToNext()) {
+ return cursor.getLong(0);
+ }
+ return -1;
+ } finally {
+ cursor.close();
+ }
+ }
+
+ private String getAuthToken(SQLiteDatabase db, long accountId, String authTokenType) {
+ Cursor cursor = db.query(TABLE_AUTHTOKENS, new String[]{AUTHTOKENS_AUTHTOKEN},
+ AUTHTOKENS_ACCOUNTS_ID + "=" + accountId + " AND " + AUTHTOKENS_TYPE + "=?",
+ new String[]{authTokenType},
+ null, null, null);
+ try {
+ if (cursor.moveToNext()) {
+ return cursor.getString(0);
+ }
+ return null;
+ } finally {
+ cursor.close();
+ }
+ }
+
+ private class Session extends IAccountAuthenticatorResponse.Stub
+ implements AuthenticatorBindHelper.Callback {
+ IAccountManagerResponse mResponse;
+ final String mAccountType;
+
+ IAccountAuthenticator mAuthenticator = null;
+
+ public Session(IAccountManagerResponse response, String accountType) {
+ super();
+ mResponse = response;
+ mAccountType = accountType;
+ }
+
+ IAccountManagerResponse close() {
+ if (mResponse == null) {
+ // this session has already been closed
+ return null;
+ }
+ cancelTimeout();
+ unbind();
+ IAccountManagerResponse response = mResponse;
+ mResponse = null;
+ return response;
+ }
+
+ void bind() {
+ if (!mBindHelper.bind(mAccountType, this)) {
+ onError(6, "bind failure");
+ }
+ }
+
+ private void unbind() {
+ if (mAuthenticator != null) {
+ mAuthenticator = null;
+ mBindHelper.unbind(this);
+ }
+ }
+
+ public void scheduleTimeout() {
+ mMessageHandler.sendMessageDelayed(
+ mMessageHandler.obtainMessage(MESSAGE_TIMED_OUT, this), TIMEOUT_DELAY_MS);
+ }
+
+ public void cancelTimeout() {
+ mMessageHandler.removeMessages(MESSAGE_TIMED_OUT, this);
+ }
+
+ public void onConnected(IBinder service) {
+ mAuthenticator = IAccountAuthenticator.Stub.asInterface(service);
+ // do the next step
+ }
+
+ public void onDisconnected() {
+ IAccountManagerResponse response = close();
+ if (response != null) {
+ onError(3, "disconnected");
+ }
+ }
+
+ public void onTimedOut() {
+ IAccountManagerResponse response = close();
+ if (response != null) {
+ onError(4, "timeout");
+ }
+ }
+
+ public void onIntResult(int result) throws RemoteException {
+ IAccountManagerResponse response = close();
+ if (response != null) {
+ response.onIntResult(result);
+ }
+ }
+
+ public void onBooleanResult(boolean result) throws RemoteException {
+ IAccountManagerResponse response = close();
+ if (response != null) {
+ response.onBooleanResult(result);
+ }
+ }
+
+ public void onStringResult(String result) throws RemoteException {
+ IAccountManagerResponse response = close();
+ if (response != null) {
+ response.onStringResult(result);
+ }
+ }
+
+ public void onError(int errorCode, String errorMessage) {
+ IAccountManagerResponse response = close();
+ if (response != null) {
+ try {
+ response.onError(errorCode, errorMessage);
+ } catch (RemoteException e) {
+ // error while trying to notify user of an error
+ }
+ }
+ }
+ }
+
+ private class GetAuthTokenSession extends Session {
+ final Account mAccount;
+ final String mAuthTokenType;
+ final boolean mNotifyOnAuthFailure;
+
+ public GetAuthTokenSession(IAccountManagerResponse response,
+ Account account, String authTokenType, boolean interactive) {
+ super(response, account.mType);
+ mAccount = account;
+ mAuthTokenType = authTokenType;
+ mNotifyOnAuthFailure = interactive;
+ }
+
+ public void onConnected(IBinder service) {
+ super.onConnected(service);
+
+ try {
+ mAuthenticator.getAuthToken(this, mAccount.mName, mAccount.mType, mAuthTokenType);
+ } catch (RemoteException e) {
+ onError(4, "remote exception");
+ }
+ }
+
+ public void onStringResult(String result) throws RemoteException {
+ IAccountManagerResponse response = close();
+ if (response != null) {
+ cacheAuthToken(mAccount, mAccountType, result);
+ response.onStringResult(result);
+ }
+ }
+
+ public void onError(int errorCode, String errorMessage) {
+ if (mNotifyOnAuthFailure && errorCode == 0 /* TODO: put the real value here */) {
+ // TODO: authentication failed, pop up the notification
+ }
+ super.onError(errorCode, errorMessage);
+ }
+ }
+
+ private class CheckUsernameExistenceSession extends Session {
+ final String mUsername;
+
+ public CheckUsernameExistenceSession(IAccountManagerResponse response,
+ String username, String accountType) {
+ super(response, accountType);
+ mUsername = username;
+ }
+
+ public void onConnected(IBinder service) {
+ super.onConnected(service);
+
+ try {
+ mAuthenticator.checkUsernameExistence(this, mAccountType, mUsername);
+ } catch (RemoteException e) {
+ onError(4, "remote exception");
+ }
+ }
+ }
+
+ private class AddAccountInteractivelySession extends Session {
+
+ public AddAccountInteractivelySession(IAccountManagerResponse response,
+ String accountType) {
+ super(response, accountType);
+ }
+
+ public void onConnected(IBinder service) {
+ super.onConnected(service);
+
+ try {
+ mAuthenticator.addAccount(this, mAccountType);
+ } catch (RemoteException e) {
+ onError(4, "remote exception");
+ }
+ }
+ }
+
+ private class AuthenticateAccountSession extends Session {
+ final String mUsername;
+ final String mPassword;
+
+ public AuthenticateAccountSession(IAccountManagerResponse response, Account account,
+ String password) {
+ super(response, account.mType);
+ mUsername = account.mName;
+ mPassword = password;
+ }
+
+ public void onConnected(IBinder service) {
+ super.onConnected(service);
+
+ try {
+ mAuthenticator.authenticateAccount(this, mUsername, mAccountType, mPassword);
+ } catch (RemoteException e) {
+ onError(4, "remote exception");
+ }
+ }
+ }
+
+ private class UpdatePasswordSession extends Session {
+ final String mUsername;
+
+ public UpdatePasswordSession(IAccountManagerResponse response, Account account) {
+ super(response, account.mType);
+ mUsername = account.mName;
+ }
+
+ public void onConnected(IBinder service) {
+ super.onConnected(service);
+
+ try {
+ mAuthenticator.updatePassword(this, mUsername, mAccountType);
+ } catch (RemoteException e) {
+ onError(4, "remote exception");
+ }
+ }
+ }
+
+ private class EditPropertiesSession extends Session {
+ public EditPropertiesSession(IAccountManagerResponse response, String accountType) {
+ super(response, accountType);
+ }
+
+ public void onConnected(IBinder service) {
+ super.onConnected(service);
+
+ try {
+ mAuthenticator.editProperties(this, mAccountType);
+ } catch (RemoteException e) {
+ onError(4, "remote exception");
+ }
+ }
+ }
+
+ private class GetPasswordStrengthSession extends Session {
+ final String mPassword;
+
+ public GetPasswordStrengthSession(IAccountManagerResponse response,
+ String accountType, String password) {
+ super(response, accountType);
+ mPassword = password;
+ }
+
+ public void onConnected(IBinder service) {
+ super.onConnected(service);
+
+ try {
+ mAuthenticator.getPasswordStrength(this, mAccountType, mPassword);
+ } catch (RemoteException e) {
+ onError(4, "remote exception");
+ }
+ }
+ }
+
+ private class MessageHandler extends Handler {
+ MessageHandler(Looper looper) {
+ super(looper);
+ }
+
+ public void handleMessage(Message msg) {
+ if (mBindHelper.handleMessage(msg)) {
+ return;
+ }
+ switch (msg.what) {
+ case MESSAGE_TIMED_OUT:
+ Session session = (Session)msg.obj;
+ session.onTimedOut();
+ break;
+
+ default:
+ throw new IllegalStateException("unhandled message: " + msg.what);
+ }
+ }
+ }
+
+ private class DatabaseHelper extends SQLiteOpenHelper {
+ public DatabaseHelper(Context context) {
+ super(context, DATABASE_NAME, null, DATABASE_VERSION);
+ }
+
+ @Override
+ public void onCreate(SQLiteDatabase db) {
+ db.execSQL("CREATE TABLE " + TABLE_ACCOUNTS + " ( "
+ + ACCOUNTS_ID + " INTEGER PRIMARY KEY AUTOINCREMENT, "
+ + ACCOUNTS_NAME + " TEXT NOT NULL, "
+ + ACCOUNTS_TYPE + " TEXT NOT NULL, "
+ + ACCOUNTS_PASSWORD + " TEXT, "
+ + "UNIQUE(" + ACCOUNTS_NAME + "," + ACCOUNTS_TYPE + "))");
+
+ db.execSQL("CREATE TABLE " + TABLE_AUTHTOKENS + " ( "
+ + AUTHTOKENS_ID + " INTEGER PRIMARY KEY AUTOINCREMENT, "
+ + AUTHTOKENS_ACCOUNTS_ID + " INTEGER NOT NULL, "
+ + AUTHTOKENS_TYPE + " TEXT NOT NULL, "
+ + AUTHTOKENS_AUTHTOKEN + " TEXT, "
+ + "UNIQUE (" + AUTHTOKENS_ACCOUNTS_ID + "," + AUTHTOKENS_TYPE + "))");
+
+ db.execSQL("CREATE TABLE " + TABLE_EXTRAS + " ( "
+ + EXTRAS_ID + " INTEGER PRIMARY KEY AUTOINCREMENT, "
+ + EXTRAS_ACCOUNTS_ID + " INTEGER, "
+ + EXTRAS_KEY + " TEXT NOT NULL, "
+ + EXTRAS_VALUE + " TEXT, "
+ + "UNIQUE(" + EXTRAS_ACCOUNTS_ID + "," + EXTRAS_KEY + "))");
+
+ db.execSQL("CREATE TABLE " + TABLE_META + " ( "
+ + META_KEY + " TEXT PRIMARY KEY NOT NULL, "
+ + META_VALUE + " TEXT)");
+ }
+
+ @Override
+ public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
+ Log.e(TAG, "GLS upgrade from version " + oldVersion + " to version " +
+ newVersion + " not supported");
+
+ db.execSQL("DROP TABLE " + TABLE_ACCOUNTS);
+ db.execSQL("DROP TABLE " + TABLE_AUTHTOKENS);
+ db.execSQL("DROP TABLE " + TABLE_EXTRAS);
+ db.execSQL("DROP TABLE " + TABLE_META);
+ onCreate(db);
+ }
+
+ @Override
+ public void onOpen(SQLiteDatabase db) {
+ if (Log.isLoggable(TAG, Log.VERBOSE)) Log.v(TAG, "opened database " + DATABASE_NAME);
+ }
+ }
+
+ private void setMetaValue(String key, String value) {
+ ContentValues values = new ContentValues();
+ values.put(META_KEY, key);
+ values.put(META_VALUE, value);
+ mOpenHelper.getWritableDatabase().replace(TABLE_META, META_KEY, values);
+ }
+
+ private String getMetaValue(String key) {
+ Cursor c = mOpenHelper.getReadableDatabase().query(TABLE_META,
+ new String[]{META_VALUE}, META_KEY + "=?", new String[]{key}, null, null, null);
+ try {
+ if (c.moveToNext()) {
+ return c.getString(0);
+ }
+ return null;
+ } finally {
+ c.close();
+ }
+ }
+
+ private class SimWatcher extends BroadcastReceiver {
+ public SimWatcher(Context context) {
+ // Re-scan the SIM card when the SIM state changes, and also if
+ // the disk recovers from a full state (we may have failed to handle
+ // things properly while the disk was full).
+ final IntentFilter filter = new IntentFilter();
+ filter.addAction(TelephonyIntents.ACTION_SIM_STATE_CHANGED);
+ filter.addAction(Intent.ACTION_DEVICE_STORAGE_OK);
+ context.registerReceiver(this, filter);
+ }
+
+ /**
+ * Compare the IMSI to the one stored in the login service's
+ * database. If they differ, erase all passwords and
+ * authtokens (and store the new IMSI).
+ */
+ @Override
+ public void onReceive(Context context, Intent intent) {
+ // Check IMSI on every update; nothing happens if the IMSI is missing or unchanged.
+ String imsi = ((TelephonyManager) context.getSystemService(
+ Context.TELEPHONY_SERVICE)).getSubscriberId();
+ if (TextUtils.isEmpty(imsi)) return;
+
+ String storedImsi = getMetaValue("imsi");
+
+ if (Log.isLoggable(TAG, Log.VERBOSE)) {
+ Log.v(TAG, "current IMSI=" + imsi + "; stored IMSI=" + storedImsi);
+ }
+
+ if (!imsi.equals(storedImsi) && !"initial".equals(storedImsi)) {
+ if (Log.isLoggable(TAG, Log.VERBOSE)) {
+ Log.v(TAG, "wiping all passwords and authtokens");
+ }
+ SQLiteDatabase db = mOpenHelper.getWritableDatabase();
+ db.beginTransaction();
+ try {
+ db.execSQL("DELETE from " + TABLE_AUTHTOKENS);
+ db.execSQL("UPDATE " + TABLE_ACCOUNTS + " SET " + ACCOUNTS_PASSWORD + " = ''");
+ mContext.sendBroadcast(ACCOUNTS_CHANGED_INTENT);
+ db.setTransactionSuccessful();
+ } finally {
+ db.endTransaction();
+ }
+ }
+ setMetaValue("imsi", imsi);
+ }
+ }
+
+ public IBinder onBind(Intent intent) {
+ return asBinder();
+ }
+}