2011年9月28日水曜日

Android からApp EngineのフォームにPOSTする

「Google アカウントを使用して Google App Engine の認証を行う」の続きです。

Google App Engine のスタートガイドで作成しているゲストブックのフォームにポストするサンプルです。



以前のソースはActivityクラスにコードを記載してましたが、もう少し汎用的なクラスを作成しました。

GoogleServiceAuthenticator
public class GoogleServiceAuthenticator {
public static final String ACCOUNT_TYPE = "com.google";
public enum GOOGLE_ACCOUNT_TYPE {
APPENGINE { public String toString() { return "ah"; } },
}
public interface PostExecuteCallback {
void run(String acsid);
}
private Context context;
private AccountManager accountManager;
private String hostname;
private String appPath;
private PostExecuteCallback postExecuteCallback;
private DefaultHttpClient httpClient = new DefaultHttpClient();
public GoogleServiceAuthenticator(Context context) {
this.context = context;
}
public Account[] getGoogleAccounts() {
if (accountManager == null) {
accountManager = AccountManager.get(context);
}
return accountManager.getAccountsByType(ACCOUNT_TYPE);
}
public void execute(Account account, GOOGLE_ACCOUNT_TYPE type, PostExecuteCallback postExecuteCallback) throws Exception {
if (hostname == null) {
throw new Exception("hostname must not be null");
}
if (appPath == null) {
throw new Exception("appPath must not be null");
}
this.postExecuteCallback = postExecuteCallback;
// Gets an auth token of the specified type.
accountManager.getAuthToken(
account, // The account to fetch an auth token for
type.toString(), // The auth token type, an authenticator-dependent string token, must not be null
false, // True to add a notification to prompt the user for a password if necessary, false to leave that to the caller
new GetAuthTokenCallback(), // Callback to invoke when the request completes, null for no callback
null // Handler identifying the callback thread, null for the main thread
);
}
public void setHostname(String hostname) {
this.hostname = hostname;
}
public void setAppPath(String appPath) {
this.appPath = appPath;
}
private String getLoginUrl(String hostname, String appPath, String authToken) {
return "https://" + hostname + "/_ah/login?continue=" + appPath + "&auth=" + authToken;
}
private class GetAuthTokenCallback implements AccountManagerCallback<Bundle> {
@Override
public void run(AccountManagerFuture<Bundle> result) {
Bundle bundle;
try {
bundle = result.getResult();
Intent intent = (Intent)bundle.get(AccountManager.KEY_INTENT);
if(intent != null) {
// User input required
context.startActivity(intent);
} else {
String acsid = getAuthToken(bundle);
// If authentication succeeds and gets the SACSID/ACSID, the post-process is called.
if (acsid != null) {
if (postExecuteCallback != null) {
postExecuteCallback.run(acsid);
}
}
}
} catch (OperationCanceledException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (AuthenticatorException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
};
private String getAuthToken(Bundle bundle) {
boolean validated = false;
int count = 3;
try {
while (!validated) {
String authToken = bundle.getString(AccountManager.KEY_AUTHTOKEN);
httpClient.getParams().setBooleanParameter(ClientPNames.HANDLE_REDIRECTS, false);
String uri = getLoginUrl(hostname, appPath, authToken);
HttpGet httpGet = new HttpGet(uri);
HttpResponse httpResponse = httpClient.execute(httpGet);
int status = httpResponse.getStatusLine().getStatusCode();
if (status == HttpStatus.SC_INTERNAL_SERVER_ERROR) {
// Authenticate error (500)
try {
StringBuilder buf = new StringBuilder();
buf.append(String.format("Status:%d ", status));
InputStream in = httpResponse.getEntity().getContent();
BufferedReader reader = new BufferedReader(new InputStreamReader(in));
String l = null;
while ((l = reader.readLine()) != null) {
buf.append(l + "\n");
}
Log.w(TAG, buf.toString());
} catch (Exception e) {
}
// Removes an auth token from the AccountManager's cache.
String accountType = bundle.getString(AccountManager.KEY_ACCOUNT_TYPE);
accountManager.invalidateAuthToken(accountType, authToken);
} else {
// Authenticate success
validated = true;
break;
}
// retry count down
if (0 < count--) {
break;
}
}
// If authentication succeeds, get the SACSID/ACSID from the Cookie
if (validated) {
for (Cookie cookie : httpClient.getCookieStore().getCookies()) {
if ("SACSID".equals(cookie.getName()) || "ACSID".equals(cookie.getName())) {
return cookie.getName() + "=" + cookie.getValue();
}
}
}
} catch (ClientProtocolException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return null;
}
}


  • コンストラクタにはContextを指定してます。
  • getGoogleAccounts() で、アカウントリストを取得できます。
  • execute()で、認証を実行してます。
    • 引数 accountには、リストから選ばられた一意のアカウントを指定します。typeは、Googleのアカウントタイプ(AppEngineの場合は"ah")。postExecuteCallbackには、認証終了後にコールしたいクラスを指定します。
    • AccountManagerのgetAuthTokenを呼び出します。
      • GetAuthTokenCallbackをcallbackに指定してます。
      • GetAuthTokenCallbackのrun()の認証処理の実態のgetAuthToken()を呼び出してます。
    • getAuthToken()では、認証処理を失敗時のリトライのためにループさせてます。
      • getLoginUrl()を呼び出して、アプリのUrlを作成。
        • https://yourappl.appspot.com/_ah/login?continue=http://localhost/&auth=[authToken]
        • authTokenは、AccountManagerから取得した文字列を指定してます。
      • urlを読んで、レスポンスを取得。
      • 取得したレスポンスが500の場合、AccountManagerのキャッシュからauthTokenを削除して、リトライをさせてます。
      • 認証に成功したら、Cookieから、ASCID または、SACSIDを取得します。
        • httpsで認証した場合は、SACSID、httpの場合は、ASCIDが取得できます。
    • その後、postExecuteCallbackを実行させてます。
      • postExecuteCallback内で、App Engineにアクセスするときに、Http Headerの CookieにASCID/SACSIDをセットする必要があります。


Activityの実装例

GoogleServiceAuthExampleActivity
public class GoogleServiceAuthExampleActivity extends ListActivity {
private static final String TAG = GoogleServiceAuthExampleActivity.class.getName();
GoogleServiceAuthenticator authenticator;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
authenticator = new GoogleServiceAuthenticator(this);
Account[] accounts = authenticator.getGoogleAccounts();
this.setListAdapter(new ArrayAdapter<Account>(this, android.R.layout.simple_list_item_1, accounts));
}
@Override
protected void onListItemClick(ListView l, View v, int position, long id) {
Account account = (Account)getListView().getItemAtPosition(position);
authenticator.setHostname("yourappl.appspot.com");
authenticator.setAppPath("http://localhost/");
try {
authenticator.execute(account, GOOGLE_ACCOUNT_TYPE.APPENGINE,
new GoogleServiceAuthenticator.PostExecuteCallback() {
@Override
public void run(String acsid) {
DefaultHttpClient httpClient = new DefaultHttpClient();
HttpPost httpPost = new HttpPost("http://yourappl.appspot.com/sign");
HttpResponse httpResponse = null;
try {
List<BasicNameValuePair> parms = new ArrayList<BasicNameValuePair>();
parms.add(new BasicNameValuePair("content", "InputData=" + new SimpleDateFormat().format(new Date()) ));
httpPost.setEntity(new UrlEncodedFormEntity(parms, HTTP.UTF_8));
httpPost.setHeader("Cookie", acsid);
httpResponse = httpClient.execute(httpPost);
} catch (UnsupportedEncodingException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (ClientProtocolException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
if (httpResponse != null) {
int status = httpResponse.getStatusLine().getStatusCode();
StringBuilder buf = new StringBuilder();
buf.append(String.format("status:%d", status));
try {
InputStream in = httpResponse.getEntity().getContent();
BufferedReader reader = new BufferedReader(new InputStreamReader(in));
String l = null;
while((l = reader.readLine()) != null) {
buf.append(l + "\n");
}
if (status != HttpStatus.SC_OK) {
Log.e(TAG, buf.toString());
}
} catch(Exception e) {
e.printStackTrace();
}
(Toast.makeText(
GoogleServiceAuthExampleActivity.this,
buf.toString(),
Toast.LENGTH_LONG)).show();
Log.d(TAG, buf.toString());
}
}
});
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}


フルプロジェクトはgithubに上げました。
http://github.com/granoeste/GoogleServiceAuthExample

Google アカウントを使用して Google App Engine の認証を行う

AccountManager から、端末に登録されているGoogleアカウントを取得して、
そのアカウントでGoogle App Engineの認証を行う簡単なサンプルです。


AndroidManifest.xmlは、次のパーミッションを指定します。

  • android.permission.GET_ACCOUNTS
  • android.permission.MANAGE_ACCOUNTS
  • android.permission.USE_CREDENTIALS

  1. <!--xml version="1.0" encoding="utf-8"?-->  
  2. <manifest xmlns:android="http://schemas.android.com/apk/res/android" package="net.granoeste.creador.AuthenticatorTest" android:versioncode="1" android:versionname="1.0">  
  3.   <uses-sdk android:minsdkversion="7">  
  4.   
  5.   <uses-permission android:name="android.permission.GET_ACCOUNTS"></uses-permission>  
  6.   <uses-permission android:name="android.permission.MANAGE_ACCOUNTS"></uses-permission>  
  7.   <uses-permission android:name="android.permission.USE_CREDENTIALS"></uses-permission>  
  8.   
  9.   <application android:icon="@drawable/icon" android:label="@string/app_name">  
  10.     <activity android:label="@string/app_name" android:name="AccountList">  
  11.       <intent-filter>  
  12.         <action android:name="android.intent.action.MAIN">  
  13.         <category android:name="android.intent.category.LAUNCHER">  
  14.       </category></action></intent-filter>  
  15.     </activity>  
  16.   
  17.   </application>  
  18. </uses-sdk></manifest>  



Activity


AccountManagerから、AccountsByTypeに"com.google"を指定して、Googleアカウントの一覧を取得します。
それをリスト表示してます。
※リストは簡易的に標準のレイアウトを使用してます。

  1. public class AccountList extends ListActivity {  
  2.     protected AccountManager accountManager;  
  3.     protected Intent intent;  
  4.   
  5.     /** Called when the activity is first created. */  
  6.     @Override  
  7.     public void onCreate(Bundle savedInstanceState) {  
  8.         super.onCreate(savedInstanceState);  
  9.         accountManager = AccountManager.get(getApplicationContext());  
  10.         Account[] accounts = accountManager.getAccountsByType("com.google");  
  11.         this.setListAdapter(new ArrayAdapter<account>(  
  12.                          this, android.R.layout.simple_list_item_1, accounts));  
  13.     }  
  14.   
  15.     @Override  
  16.     protected void onListItemClick(ListView l, View v, int position, long id) {  
  17.         Account account = (Account)getListView().getItemAtPosition(position);  
  18.         AccountManagerFuture<bundle> accountManagerFuture =   
  19.             accountManager.getAuthToken(account, "ah"nullthisnullnull);  
  20.         Bundle authTokenBundle;  
  21.         try {  
  22.             authTokenBundle = accountManagerFuture.getResult();  
  23.             String authToken = authTokenBundle.get(  
  24.                                    AccountManager.KEY_AUTHTOKEN).toString();  
  25.             Log.i(TAG,"authToken:"+authToken);  
  26.   
  27.         } catch (OperationCanceledException e) {  
  28.             // TODO Auto-generated catch block  
  29.             e.printStackTrace();  
  30.         } catch (AuthenticatorException e) {  
  31.             // TODO Auto-generated catch block  
  32.             e.printStackTrace();  
  33.         } catch (IOException e) {  
  34.             // TODO Auto-generated catch block  
  35.             e.printStackTrace();  
  36.         }  
  37.     }  
  38. }  
  39. </bundle></account>  

リストで選んだAccountでGoogle App Engineの認証を行ってます。
AccountManager#getAuthToken() の 第2引数に AuthTokenTypeを指定します。
"ah"がGoogle App EngineのAuthTokenTypeとなってます。

AuthTokenTypeについては、次のサイトが参考になると思います。
  Account Managerについて - adsaria mood
  Google Data APIs Frequently Asked Questions - Google Base Data API - Google Code

認証画面が表示されます。

ユーザがAllowを選択するとauthTokenを取得することができます。


2011年9月19日月曜日

外部メディア (SDカード) へのインストール不可にする


Android 2.2.x (Froyo) から、アプリケーションは内蔵ストレージ(携帯端末)だけでなく、外部メディア(SDカード) にインストールさせることが可能になってます。

端末によっては、内蔵ストレージは、通常数百MBとサイズが小さく、プリインストールのアプリケーションなどで、ユーザが使用できるサイズ100MB以下の場合があります。
その場合、ゲームなどサイズの大きいアプリケーションは、2GB-32GBとサイズの大きい外部メディアにインストールさせることで、内蔵ストレージの消費を抑えることができます。

しかし、常に常駐するタイプのものや、ホームに配置するウィジェットの場合、外部メディアにインストールされてしまうと問題が発生します。

外部メディアは、端末から取り外したり、USBでパソコンと接続した場合にアンマウントされてしまいます。アンマウントされてしまうと、端末から外部メディアが認識できなくなり、その上で動作していたアプリケーションも停止することなります。

この問題を防ぐために、アプリケーションの開発時に外部メディアに移動できないように設定することが可能です。


AndroidManifest.xmlの<manifest>タグに、android:installLocation属性を定義します。
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="net.granoeste.creador.InternalOnlyAppWidget"
android:versionCode="1"
android:versionName="1.0"
android:installLocation="internalOnly"
>
</manifest>
"internalOnly"と定義することで、外部メディアへの移動が出来なくなります。

android:installLocation属性の詳細はDev Guideを参照してください。
<manifest> | Android Developers

android:installLocation属性には、他に"auto"と"preferExternal"が設定することが可能です。
auto - アプリケーションは、外部ストレージにインストールすることができますが、システムはデフォルトで内部ストレージにアプリケーションをインストールします。内部ストレージがいっぱいになっている場合、システムは外部ストレージにインストールします。
preferExternal - アプリケーションは、外部ストレージ(SDカード)にインストールされることを優先します。


Android 2.1.x (Eclar) までは、外部メディアへのインストールができないため、android:installLocation属性はありませんので、通常のインストール先は内蔵ストレージとなります。
Android 2.2.x (Froyo)でも、android:installLocation属性を設定していない場合、通常のインストール先は内蔵ストレージとなります。

通常の端末の状態では、問題はありませんが、アプリケーションの通常のインストール先を内蔵ストレージから外部ストレージに変更することが出来てしまいます。

USB接続して、次のコマンドを実行します。

adb shell pm setInstallLocation 2
コマンドを実行することで、アプリケーションの通常のインストール先を外部メディアに変更します。

このような場合、android:installLocation属性に"internalOnly"を指定してない場合、外部メディアにインストールされてしまうことになります。
ウィジェットの場合、外部メディアにインストールされると、ホーム画面でウィジェットの一覧に表示されなくなります。


なので、
ウィジェットや常駐アプリは android:installLocation属性に "internalOnly" を指定しましょう!!

Android 2.1 以下を対象とするアプリケーションの場合、プロジェクトのビルドターゲットにAndroid 2.2 以上を指定して、AndroidManifest.xmlにuses-sdkタグでターゲットバージョンを指定します。