32

今、私は1つのAndroidアプリケーションを作成しようとしています。これは、「X」の概念で問題ないと想定しています。だから私は1つのログイン画面を作成しています。私がやりたいのは、モバイルでそのアプリケーションにログインした場合、そのアプリケーションにアクセスしようとするたびに常にログインする必要があるということです。

たとえば、携帯電話のFacebook、Gmail、yahooなど。

そのために何をしますか?

4

8 に答える 8

67

自動ログイン機能には共有設定を使用します。ユーザーがアプリケーションにログインするときは、ログインステータスをsharedPreferenceに保存し、ユーザーがログアウトするときにsharedPreferenceをクリアします。

ユーザーがアプリケーションに入るたびに、共有設定からのユーザーステータスがtrueであるかどうかを確認し、それ以外の場合はログインページに直接ログインする必要はありません。

これを実現するには、最初にクラスを作成します。このクラスでは、共有設定の値の取得と設定に関するすべての関数を記述する必要があります。以下のコードをご覧ください。

public class SaveSharedPreference 
{
    static final String PREF_USER_NAME= "username";

    static SharedPreferences getSharedPreferences(Context ctx) {
        return PreferenceManager.getDefaultSharedPreferences(ctx);
    }

    public static void setUserName(Context ctx, String userName) 
    {
        Editor editor = getSharedPreferences(ctx).edit();
        editor.putString(PREF_USER_NAME, userName);
        editor.commit();
    }

    public static String getUserName(Context ctx)
    {
        return getSharedPreferences(ctx).getString(PREF_USER_NAME, "");
    }
}

メインアクティビティ(ログイン時にユーザーがリダイレクトされる「アクティビティ」)で、最初にチェックします

if(SaveSharedPreference.getUserName(MainActivity.this).length() == 0)
{
     // call Login Activity
}
else
{
     // Stay at the current activity.
}

ログインアクティビティで、ユーザーのログインが成功した場合は、setUserName()関数を使用してUserNameを設定します。

于 2012-10-05T10:34:17.897 に答える
15

SaveSharedPreference.javaのログアウト操作用に以下を追加できます。

public static void clearUserName(Context ctx) 
{
    Editor editor = getSharedPreferences(ctx).edit();
    editor.clear(); //clear all stored data
    editor.commit();
}
于 2014-01-01T07:28:41.367 に答える
9

いつでもいつでも...これは自動ログインアプローチのようです。アプリケーションが起動します。ユーザーは、認証情報を入力すると、再度ログインする必要はありません。これを達成する方法はいくつかあります。Facebook APIは、たとえば、フォーム要素を使用せずにログインするためのメカニズムを提供します。したがって、基本的には、ユーザーが認証情報を1回提供し、それらをSharedPreferencesに保存して、次回は自動的にログインできるビューを作成する必要があります。そのようなAPIベースのログインがなく、提供されているログインフォームを使用する必要がある場合でも、POSTログイン要求をシミュレートできる場合があります。これは、そのフォームの実際のサーバー側の実装によって異なります。ただし、これはセキュリティの問題であることを忘れないでください。したがって、認証資格情報をクリアテキスト形式で保存しないでください。ドン' このキーはAPKのリバースエンジニアリングによって検出される可能性があるため、アプリケーションで定義されたキーによる暗号化に依存します。代わりに、デバイスとユーザーが入力する必要のあるキーに関する多くの集合情報を使用するか、アプリによってランダムに生成および保存されます。

于 2014-01-09T13:00:59.590 に答える
1

SharedPreferencesの使用は、Androidでキーと値のペアのデータを保存および取得し、アプリケーション全体でセッションを維持する方法です。

SharedPreferencesを使用するには、次の手順を実行する必要があります。

  1. コンストラクターに2つの引数(文字列と整数)を渡すことによる共有SharedPreferencesインターフェイスの初期化
        // Sharedpref file name
        private static final String PREF_NAME = "PreName";
        // Shared pref mode
        int PRIVATE_MODE = 0;
       //Initialising the SharedPreferences
        SharedPreferences pref = getApplicationContext().getSharedPreferences("MyPref", 0); // 0 - for private mode
  1. Editorインターフェースとそのメソッドを使用して、SharedPreferences値を変更し、将来の取得のためにデータを保存する
    //Initialising the Editor
    Editor editor = pref.edit();
    editor.putBoolean("key_name", true); // Storing boolean - true/false
    editor.putString("key_name", "string value"); // Storing string
    editor.putInt("key_name", "int value"); // Storing integer
    editor.putFloat("key_name", "float value"); // Storing float
    editor.putLong("key_name", "long value"); // Storing long

    editor.commit(); // commit changes
  1. データの取得

getString()(文字列の場合)メソッドを呼び出すことにより、保存された設定からデータを取得できます。このメソッドは、エディターではなく共有設定で呼び出す必要があることに注意してください。

        // returns stored preference value
        // If value is not present return second param value - In this case null
        pref.getString("key_name", null); // getting String
        pref.getInt("key_name", null); // getting Integer
        pref.getFloat("key_name", null); // getting Float
        pref.getLong("key_name", null); // getting Long
        pref.getBoolean("key_name", null); // getting boolean
  1. 最後に、ログアウトの場合のようにデータをクリア/削除します

共有設定から削除する場合は、remove(“ key_name”)を呼び出してその特定の値を削除できます。すべてのデータを削除する場合は、clear()を呼び出します。

    editor.remove("name"); // will delete key name
    editor.remove("email"); // will delete key email

    editor.commit(); // commit changes

    Following will clear all the data from shared preferences
    editor.clear();
    editor.commit(); // commit changes

シンプルでわかりやすい例をダウンロードするには、以下のリンクをたどってください: http ://www.androidhive.info/2012/08/android-session-management-using-shared-preferences/

このリンクを共有するためのプラットフォームの規則や規制に違反していないことを願っています。

    //This is my SharedPreferences Class 
    import java.util.HashMap;
    import android.annotation.SuppressLint;
    import android.content.Context;
    import android.content.Intent;
    import android.content.SharedPreferences;
    import android.content.SharedPreferences.Editor;

    public class SessionManager {
        // Shared Preferences
        SharedPreferences pref;
        // Editor for Shared preferences
        Editor editor;
        // Context
        Context _context;
        // Shared pref mode
        int PRIVATE_MODE = 0;
        // Sharedpref file name
        private static final String PREF_NAME = "AndroidHivePref";
        // All Shared Preferences Keys
        private static final String IS_LOGIN = "IsLoggedIn";
        // User name (make variable public to access from outside)
        public static final String KEY_NAME = "name";
        // Email address (make variable public to access from outside)
        public static final String KEY_EMAIL = "email";

        // Constructor
        @SuppressLint("CommitPrefEdits")
        public SessionManager(Context context) {
            this._context = context;
            pref = _context.getSharedPreferences(PREF_NAME, PRIVATE_MODE);
            editor = pref.edit();
        }

        /**
         * Create login session
         */
        public void createLoginSession(String name, String email) {
            // Storing login value as TRUE
            editor.putBoolean(IS_LOGIN, true);
            // Storing name in pref
            editor.putString(KEY_NAME, name);
            // Storing email in pref
            editor.putString(KEY_EMAIL, email);
            // commit changes
            editor.commit();
        }

        /**
         * Check login method wil check user login status If false it will redirect
         * user to login page Else won't do anything
         */
        public void checkLogin() {
            // Check login status
            if (!this.isLoggedIn()) {
                // user is not logged in redirect him to Login Activity
                Intent i = new Intent(_context, MainActivity.class);
                // Closing all the Activities
                i.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP);

                // Add new Flag to start new Activity
                i.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);

                // Staring Login Activity
                _context.startActivity(i);
            }

        }

        /**
         * Get stored session data
         */
        public HashMap<String, String> getUserDetails() {
            HashMap<String, String> user = new HashMap<String, String>();
            // user name
            user.put(KEY_NAME, pref.getString(KEY_NAME, null));

            // user email id
            user.put(KEY_EMAIL, pref.getString(KEY_EMAIL, null));

            // return user
            return user;
        }

        /**
         * Clear session details
         */
        public void logoutUser() {
            // Clearing all data from Shared Preferences
            editor.clear();
            editor.commit();

            // After logout redirect user to Loing Activity
            checkLogin();
        }

        /**
         * Quick check for login
         **/
        // Get Login State
        public boolean isLoggedIn() {
            return pref.getBoolean(IS_LOGIN, false);
        }
    }

最後に、アクティビティクラスのonCreateメソッドでこのSessionManagerクラスのインスタンスを作成してから、セッション全体で使用されるセッションに対してcreateLoginSessionを呼び出す必要があります。

    // Session Manager Class
    SessionManager session;
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        // Session Manager
        session = new SessionManager(getApplicationContext());
        session.createLoginSession("Username", intentValue);
    }

お役に立てば幸いです。

于 2016-11-13T23:59:25.433 に答える
1

私にとって最も簡単だと思った別の解決策を投稿したかっただけです。

SharedPreferences sharedpreferences;
int autoSave;

@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);
    setContentView(R.layout.activity_main);

    //"autoLogin" is a unique string to identify the instance of this shared preference
    sharedpreferences = getSharedPreferences("autoLogin", Context.MODE_PRIVATE);
    int j = sharedpreferences.getInt("key", 0);

    //Default is 0 so autologin is disabled
    if(j > 0){
        Intent activity = new Intent(getApplicationContext(), HomeActivity.class);
        startActivity(activity);
    }

}

    public void loginBtn(View view){
        //Once you click login, it will add 1 to shredPreference which will allow autologin in onCreate 
        autoSave = 1;
        SharedPreferences.Editor editor = sharedpreferences.edit();
        editor.putInt("key", autoSave);
        editor.apply();
}

ここで、別のアクティビティにサインアウトボタンがあるとします。

SharedPreferences sharedPreferences;

@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);
    setContentView(R.layout.activity_home);

    //Get that instance saved in the previous activity
    sharedPreferences = getSharedPreferences("autoLogin", Context.MODE_PRIVATE);
}


@Override
public void signOut(View view) {
    //Resetting value to 0 so autologin is disabled
    SharedPreferences.Editor editor = sharedPreferences.edit();
    editor.putInt("key", 0);
    editor.apply();

    Intent intent = new Intent(getApplicationContext(), MainActivity.class);
    startActivity(intent);

    }
于 2019-04-12T21:05:54.577 に答える
1

AccountManagerについての回答がないことに驚いています。これは、ユーザーが本当に本人であるかどうかを確認するための公式で正しい方法です。それを使用するには、マニフェストファイルにこれを追加して許可を得る必要があります:

<uses-permission android:name="android.permission.GET_ACCOUNTS" />

次に、これを使用して一連のアカウントを取得します(ユーザーに自分のGoogleアカウントを使用させたい場合):

AccountManager am = AccountManager.get(this);
Account[] accounts = am.getAccountsByType("com.google");

ここでの完全なリファレンス:AccountManager

于 2019-10-16T13:53:40.033 に答える
0

ログイン後、折り返し電話を押したときmoveTaskToBack(true);

これにより、アプリケーションはバックグラウンド状態になります。助けを願っています

于 2012-10-05T10:36:28.010 に答える
0

Xamarin.AndroidChirag Ravalの港とLINTUismの答え:

public class SharedPreference
{   
    static ISharedPreferences get(Context ctx)
    {
        return PreferenceManager.GetDefaultSharedPreferences(ctx);
    }

    public static void SetUsername(Context ctx, string username)
    {
        var editor = get(ctx).Edit();
        editor.PutString("USERNAME", username);
        editor.Commit();
    }

    public static string GetUsername(Context ctx)
    {
        return get(ctx).GetString("USERNAME", "");
    }

    public static void Clear(Context ctx)
    {
        var editor = get(ctx).Edit();
        editor.Clear();
        editor.Commit();
    }
}
于 2018-03-01T11:58:09.563 に答える