Evento onclick de preferências Android


111

Em minhas preferências.xml, tenho um elemento de preferência como este:

<Preference android:title="About" />

Quero atribuir um onClickevento, então se o usuário clicar nele, eu conseguiria abrir um novo Intentou navegador. Tentei fazer como faço com botões, mas não pareceu funcionar.

Respostas:


230

Badr,

Você precisa definir android:keypara o item, então em seu código você pode fazer ...

Supondo que você use o seguinte em seu XML:

<Preference android:title="About" android:key="myKey"></Preference>

Em seguida, você pode fazer o seguinte em seu código:

Preference myPref = (Preference) findPreference("myKey");
myPref.setOnPreferenceClickListener(new OnPreferenceClickListener() {
             public boolean onPreferenceClick(Preference preference) {
                 //open browser or intent here
                 return true;
             }
         });

3
Onde devo colocar isso? no meu SettingsActivity onPostCreatenão funcionará porque é muito cedo (Nullpointer-Exception). Qualquer ajuda é apreciada
Wandang

2
findPreferenceestá obsoleto.
zackygaurav

6
PreferenceActivity.findPreferenceestá obsoleto. No entanto, a documentação diz "[E] esta funcionalidade agora deve ser encontrada na nova classe PreferenceFragment. Se você estiver usando PreferenceActivity em seu modo antigo, a documentação lá se aplica às APIs obsoletas aqui.", E PreferenceFragment.findPreferencenão está obsoleto (a partir da API nível 23, atual no momento da redação). Portanto, em findPreferencesi não está obsoleto; é o uso direto PreferenceActivityque está obsoleto. O Google quer que mudemos para PreferenceFragment, não abandonemos findPreference.
Mike Playle

Em onPreferenceClick, retorne truese o clique foi manipulado de outra forma false.
Thupten,

Isso funciona para mim com PreferenceFragmentCompatDividers.
Joseph Lam

59

para lançar um site:

<PreferenceScreen android:title="website">
    <intent
        android:action="android.intent.action.VIEW"
        android:data="http://www.example.com"
        />
</PreferenceScreen>

para lançar uma atividade específica:

<PreferenceScreen android:title="something">
    <intent
        android:action="android.intent.action.MAIN"
        android:targetPackage="com.example.foo"
        android:targetClass="com.example.foo.SomeActivity"
        />
</PreferenceScreen>

você também pode usar "android: mimetype" para definir o mimetype.


1
Eu concordo, essa abordagem é melhor, especialmente porque ela não usa o método findPreference (String key) obsoleto e porque é mais limpo no geral.
Lyallcooper

Muito bom, mas também é possível criar um IntentChooser dessa forma?
Peterdk

@jasongilbert É possível enviar uma transmissão com ACTION em vez de iniciar a atividade com um clique de preferência?
Sazzad Hissain Khan

1
@jasongilbert Devo especificar algum intent-filterno manifesto de SomeActivity, porque estou recebendo ActivityNotFoundException:(
theapache64 de

11

Você precisa usar o evento onPreferenceTreeClick.

Por exemplo, consulte http://www.javased.com/index.php?source_dir=platform_packages_apps_phone/src/com/android/phone/MobileNetworkSettings.java

 @Override 
    public boolean onPreferenceTreeClick(PreferenceScreen preferenceScreen, Preference preference) { 
        /** TODO: Refactor and get rid of the if's using subclasses */ 
        if (mGsmUmtsOptions != null && 
                mGsmUmtsOptions.preferenceTreeClick(preference) == true) { 
            return true; 
        } else if (mCdmaOptions != null && 
                   mCdmaOptions.preferenceTreeClick(preference) == true) { 
            if (Boolean.parseBoolean( 
                    SystemProperties.get(TelephonyProperties.PROPERTY_INECM_MODE))) { 

                mClickedPreference = preference; 

                // In ECM mode launch ECM app dialog 
                startActivityForResult( 
                    new Intent(TelephonyIntents.ACTION_SHOW_NOTICE_ECM_BLOCK_OTHERS, null), 
                    REQUEST_CODE_EXIT_ECM); 
            } 
            return true; 
        } else if (preference == mButtonPreferredNetworkMode) { 
            //displays the value taken from the Settings.System 
            int settingsNetworkMode = android.provider.Settings.Secure.getInt(mPhone.getContext(). 
                    getContentResolver(), android.provider.Settings.Secure.PREFERRED_NETWORK_MODE, 
                    preferredNetworkMode); 
            mButtonPreferredNetworkMode.setValue(Integer.toString(settingsNetworkMode)); 
            return true; 
        } else if (preference == mButtonDataRoam) { 
            if (DBG) log("onPreferenceTreeClick: preference == mButtonDataRoam."); 

            //normally called on the toggle click 
            if (mButtonDataRoam.isChecked()) { 
                // First confirm with a warning dialog about charges 
                mOkClicked = false; 
                new AlertDialog.Builder(this).setMessage( 
                        getResources().getString(R.string.roaming_warning)) 
                        .setTitle(android.R.string.dialog_alert_title) 
                        .setIconAttribute(android.R.attr.alertDialogIcon) 
                        .setPositiveButton(android.R.string.yes, this) 
                        .setNegativeButton(android.R.string.no, this) 
                        .show() 
                        .setOnDismissListener(this); 
            } else { 
                mPhone.setDataRoamingEnabled(false); 
            } 
            return true; 
        } else if (preference == mButtonDataEnabled) { 
            if (DBG) log("onPreferenceTreeClick: preference == mButtonDataEnabled."); 
            ConnectivityManager cm = 
                    (ConnectivityManager)getSystemService(Context.CONNECTIVITY_SERVICE); 

            cm.setMobileDataEnabled(mButtonDataEnabled.isChecked()); 
            return true; 
        } else if (preference == mLteDataServicePref) { 
            String tmpl = android.provider.Settings.Secure.getString(getContentResolver(), 
                        android.provider.Settings.Secure.SETUP_PREPAID_DATA_SERVICE_URL); 
            if (!TextUtils.isEmpty(tmpl)) { 
                TelephonyManager tm = (TelephonyManager) getSystemService( 
                        Context.TELEPHONY_SERVICE); 
                String imsi = tm.getSubscriberId(); 
                if (imsi == null) { 
                    imsi = ""; 
                } 
                final String url = TextUtils.isEmpty(tmpl) ? null 
                        : TextUtils.expandTemplate(tmpl, imsi).toString(); 
                Intent intent = new Intent(Intent.ACTION_VIEW, Uri.parse(url)); 
                startActivity(intent); 
            } else { 
                android.util.Log.e(LOG_TAG, "Missing SETUP_PREPAID_DATA_SERVICE_URL"); 
            } 
            return true; 
        } else { 
            // if the button is anything but the simple toggle preference, 
            // we'll need to disable all preferences to reject all click 
            // events until the sub-activity's UI comes up. 
            preferenceScreen.setEnabled(false); 
            // Let the intents be launched by the Preference manager 
            return false; 
        } 
    } 

O link é 404
JZAU

6

ATUALIZAÇÃO 2018+ Hoje, o findPreferencemétodo está obsoleto. Então, para conseguir isso, basta substituir o onPreferenceTreeClickmétodo em seu fragmento de preferência. Por exemplo:

public class MySettingsFragment extends PreferenceFragment {

    @Override
    public boolean onPreferenceTreeClick (PreferenceScreen preferenceScreen,
                                          Preference preference)
    {
        String key = preference.getKey();
        if(key.equals("someKey")){
            // do your work
            return true;
        }
        return false;
    }
}

Além disso, se você precisa lidar com um clique dentro de um elemento de preferência particular (por exemplo ListPreference), você deve registrar setOnPreferenceChangeListenero onCreatemétodo dentro do MySettingsFragment:

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

    // Load the preferences from an XML resource
    addPreferencesFromResource(R.xml.preferences);

    // register listener
    final Preference prefList = findPreference("key");
    prefList.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() {
        public boolean onPreferenceChange(Preference preference, Object value) {
            System.out.println("Selected: " + value);
            return true;
        }
    });
}

Qual é a diferença entre onPreferenceClicke onPreferenceTreeClick ?
Yousha Aleayoub

3

Uma continuação da resposta de @jason gilbert

Estou na targetSdkVersion 25 e a resposta dele não funcionou. Tive de envolver a tag de intenção com uma tag de preferência. Exemplo:

<PreferenceScreen android:title="something">
    <Preference title="Title">
       <intent
       android:action="android.intent.action.MAIN"
       android:targetPackage="com.example.foo"
       android:targetClass="com.example.foo.SomeActivity"
       />
    </Preference>
</PreferenceScreen>
Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.