내 애플리케이션에 Wi-Fi가 활발하게 연결되어 있는지 감지하는 코드가 있습니다. 이 코드는 비행기 모드가 활성화 된 경우 RuntimeException을 트리거합니다. 어쨌든이 모드에서 별도의 오류 메시지를 표시하고 싶습니다. Android 기기가 비행기 모드인지 어떻게 안정적으로 감지 할 수 있나요?
답변:
/**
* Gets the state of Airplane Mode.
*
* @param context
* @return true if enabled.
*/
private static boolean isAirplaneModeOn(Context context) {
return Settings.System.getInt(context.getContentResolver(),
Settings.Global.AIRPLANE_MODE_ON, 0) != 0;
}
Settings.Global
.
android.intent.action.AIRPLANE_MODE
모드 변경이 완료되는 데 시간이 걸리기 때문에 인 텐트에 대한 응답으로 호출했을 때 불확실한 결과를 제공했습니다 . Intent.ACTION_AIRPLANE_MODE_CHANGED
그렇게 하려는지 확인하십시오 .
Alex의 답변을 SDK 버전 확인을 포함하도록 확장하면 다음과 같은 이점이 있습니다.
/**
* Gets the state of Airplane Mode.
*
* @param context
* @return true if enabled.
*/
@SuppressWarnings("deprecation")
@TargetApi(Build.VERSION_CODES.JELLY_BEAN_MR1)
public static boolean isAirplaneModeOn(Context context) {
if (Build.VERSION.SDK_INT < Build.VERSION_CODES.JELLY_BEAN_MR1) {
return Settings.System.getInt(context.getContentResolver(),
Settings.System.AIRPLANE_MODE_ON, 0) != 0;
} else {
return Settings.Global.getInt(context.getContentResolver(),
Settings.Global.AIRPLANE_MODE_ON, 0) != 0;
}
}
@TargetApi(Build.VERSION_CODES.JELLY_BEAN_MR1)
메소드 앞에 추가하지 않는 한 Eclipse는 이것을 컴파일하지 않습니다 .
비행기 모드가 활성화되어 있는지 여부를 폴링하지 않으려면 SERVICE_STATE 인 텐트에 대해 BroadcastReceiver를 등록하고 이에 반응 할 수 있습니다.
ApplicationManifest (Android 8.0 이전)에서 :
<receiver android:enabled="true" android:name=".ConnectivityReceiver">
<intent-filter>
<action android:name="android.intent.action.AIRPLANE_MODE"/>
</intent-filter>
</receiver>
또는 프로그래밍 방식 (모든 Android 버전) :
IntentFilter intentFilter = new IntentFilter("android.intent.action.AIRPLANE_MODE");
BroadcastReceiver receiver = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
Log.d("AirplaneMode", "Service state changed");
}
};
context.registerReceiver(receiver, intentFilter);
다른 솔루션에 설명 된대로 수신기가 알림을 받았을 때 비행기 모드를 폴링하고 예외를 throw 할 수 있습니다.
IntentFilter intentFilter = new IntentFilter(Intent.ACTION_AIRPLANE_MODE_CHANGED);
/<action android:name="android.intent.action.AIRPLANE_MODE" />
boolean isPlaneModeOn = intent.getBooleanExtra("state", false);
부울이 isPlaneModeOn
될 것입니다 true
사용자가 비행기 모드에 설정되어있는 경우 또는 false
이 꺼져있는 경우
비행기 모드를 등록 할 때 BroadcastReceiver
(답 @saxos) 나는 그것이 비행기 모드가 바로에서 설정의 상태를 얻기 위해 많은 이해 생각 Intent Extras
호출하지 않도록하기 위해 Settings.Global
또는를 Settings.System
:
@Override
public void onReceive(Context context, Intent intent) {
boolean isAirplaneModeOn = intent.getBooleanExtra("state", false);
if(isAirplaneModeOn){
// handle Airplane Mode on
} else {
// handle Airplane Mode off
}
}
감가 상각 불만을 없애기 위해 (API17 +를 대상으로하고 이전 버전과의 호환성에 대해 너무 신경 쓰지 않을 때) Settings.Global.AIRPLANE_MODE_ON
다음 과 비교해야합니다 .
/**
* @param Context context
* @return boolean
**/
private static boolean isAirplaneModeOn(Context context) {
return Settings.System.getInt(context.getContentResolver(), Settings.System.AIRPLANE_MODE_ON, 0) != 0);
}
더 낮은 API를 고려할 때 :
/**
* @param Context context
* @return boolean
**/
@TargetApi(Build.VERSION_CODES.JELLY_BEAN_MR1)
@SuppressWarnings({ "deprecation" })
private static boolean isAirplaneModeOn(Context context) {
if (android.os.Build.VERSION.SDK_INT >= android.os.Build.VERSION_CODES.JELLY_BEAN_MR1){
/* API 17 and above */
return Settings.Global.getInt(context.getContentResolver(), Settings.Global.AIRPLANE_MODE_ON, 0) != 0;
} else {
/* below */
return Settings.System.getInt(context.getContentResolver(), Settings.System.AIRPLANE_MODE_ON, 0) != 0;
}
}
Oreo에서는 비행기 모드 broadCastReceiver를 사용하지 마십시오. 암시 적 의도입니다. 제거되었습니다. 다음은 현재 예외 목록 입니다. 현재 목록에 없으므로 데이터 수신에 실패해야합니다. 죽은 것으로 간주하십시오.
위의 다른 사용자가 언급 한대로 다음 코드를 사용하십시오.
@TargetApi(Build.VERSION_CODES.JELLY_BEAN_MR1)
@SuppressWarnings({ "deprecation" })
public static boolean isAirplaneModeOn(Context context) {
if (android.os.Build.VERSION.SDK_INT >= android.os.Build.VERSION_CODES.JELLY_BEAN_MR1){
/* API 17 and above */
return Settings.Global.getInt(context.getContentResolver(), Settings.Global.AIRPLANE_MODE_ON, 0) != 0;
} else {
/* below */
return Settings.System.getInt(context.getContentResolver(), Settings.System.AIRPLANE_MODE_ON, 0) != 0;
}
}
매니페스트 코드 :
<receiver android:name=".airplanemodecheck" android:enabled="true"
android:exported="true">
<intent-filter>
<action android:name="android.intent.action.AIRPLANE_MODE"></action>
</intent-filter>
</receiver>
자바 코드 : 브로드 캐스트 수신기 자바 파일
if(Settings.System.getInt(context.getContentResolver(), Settings.Global.AIRPLANE_MODE_ON, 0)== 0)
{
Toast.makeText(context, "AIRPLANE MODE Off", Toast.LENGTH_SHORT).show();
}
else
{
Toast.makeText(context, "AIRPLANE MODE On", Toast.LENGTH_SHORT).show();
}
자바 코드 : 활동 자바 파일
인터넷에 액세스 할 때 비행기 모드가 켜져 있거나 꺼져있을 때와 같은 활동이 열려있을 때만 조치를 취하면 애플리케이션 열기에 브로드 캐스트 수신기를 등록 할 필요가 없습니다.
airplanemodecheck reciver;
@Override
protected void onResume() {
super.onResume();
IntentFilter intentFilter = new IntentFilter();
intentFilter.addAction(Intent.ACTION_AIRPLANE_MODE_CHANGED);
reciver = new airplanemodecheck();
registerReceiver(reciver, intentFilter);
}
@Override
protected void onStop() {
super.onStop();
unregisterReceiver(reciver);
}
자바 코드 : 브로드 캐스트 수신기 자바 파일
if(Settings.System.getInt(context.getContentResolver(), Settings.Global.AIRPLANE_MODE_ON, 0)== 0)
{
Toast.makeText(context, "AIRPLANE MODE Off", Toast.LENGTH_SHORT).show();
}
else
{
Toast.makeText(context, "AIRPLANE MODE On", Toast.LENGTH_SHORT).show();
}
API 레벨에서-17
/**
* Gets the state of Airplane Mode.
*
* @param context
* @return true if enabled.
*/
private static boolean isAirplaneModeOn(Context context) {
return Settings.Global.getInt(context.getContentResolver(),
Settings.Global.AIRPLANE_MODE_ON, 0) != 0;
}
도움이 될만한 수업을 작성했습니다. 비행기 모드가 활성화되었는지 여부를 알려주는 부울을 직접 반환하지는 않지만 비행기 모드가 하나에서 다른 모드로 변경되면 알려줍니다.
public abstract class AirplaneModeReceiver extends BroadcastReceiver {
private Context context;
/**
* Initialize tihe reciever with a Context object.
* @param context
*/
public AirplaneModeReceiver(Context context) {
this.context = context;
}
/**
* Receiver for airplane mode status updates.
*
* @param context
* @param intent
*/
@Override
public void onReceive(Context context, Intent intent) {
if(Settings.System.getInt(
context.getContentResolver(),
Settings.Global.AIRPLANE_MODE_ON, 0
) == 0) {
airplaneModeChanged(false);
} else {
airplaneModeChanged(true);
}
}
/**
* Used to register the airplane mode reciever.
*/
public void register() {
IntentFilter intentFilter = new IntentFilter();
intentFilter.addAction(Intent.ACTION_AIRPLANE_MODE_CHANGED);
context.registerReceiver(this, intentFilter);
}
/**
* Used to unregister the airplane mode reciever.
*/
public void unregister() {
context.unregisterReceiver(this);
}
/**
* Called when airplane mode is changed.
*
* @param enabled
*/
public abstract void airplaneModeChanged(boolean enabled);
}
용법
// Create an AirplaneModeReceiver
AirplaneModeReceiver airplaneModeReceiver;
@Override
protected void onResume()
{
super.onResume();
// Initialize the AirplaneModeReceiver in your onResume function
// passing it a context and overriding the callback function
airplaneModeReceiver = new AirplaneModeReceiver(this) {
@Override
public void airplaneModeChanged(boolean enabled) {
Log.i(
"AirplaneModeReceiver",
"Airplane mode changed to: " +
((active) ? "ACTIVE" : "NOT ACTIVE")
);
}
};
// Register the AirplaneModeReceiver
airplaneModeReceiver.register();
}
@Override
protected void onStop()
{
super.onStop();
// Unregister the AirplaneModeReceiver
if (airplaneModeReceiver != null)
airplaneModeReceiver.unregister();
}
저에게 효과가 있었던 유일한 방법은 다음과 같습니다 (API 27).
IntentFilter filter = new IntentFilter(ConnectivityManager.CONNECTIVITY_ACTION);
filter.addAction(Intent.ACTION_AIRPLANE_MODE_CHANGED);
this.registerReceiver(br, filter);
br
BroadcastReceiver는 어디에 있습니까 ? 지금 허락 최근 변화에 모두 있다고 생각 ConnectivityManager.CONNECTIVITY_ACTION
하고 Intent.ACTION_AIRPLANE_MODE_CHANGED
필요하다.
Jelly Bean (빌드 코드 17) 이후로이 필드는 전역 설정으로 이동되었습니다. 따라서 최상의 호환성과 견고성을 달성하려면 두 경우 모두 처리해야합니다. 다음 예제는 Kotlin으로 작성되었습니다.
fun isInAirplane(context: Context): Boolean {
return if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.JELLY_BEAN_MR1) {
Settings.Global.getInt(
context.contentResolver, Settings.Global.AIRPLANE_MODE_ON, 0
)
} else {
Settings.System.getInt(
context.contentResolver, Settings.System.AIRPLANE_MODE_ON, 0
)
} != 0
}
참고 : Jelly Bean 이전 버전에 대한 지원을 유지하지 않는 경우 if 절을 생략 할 수 있습니다.
참조하는 동안 얻은 값은Settings.System.AIRPLANE_MODE_ON
Global에서 찾은 값 과 동일합니다. *
/**
* @deprecated Use {@link android.provider.Settings.Global#AIRPLANE_MODE_ON} instead
*/
@Deprecated
public static final String AIRPLANE_MODE_ON = Global.AIRPLANE_MODE_ON;
이것은 이전 코드의 젤리 빈 버전입니다.
fun isInAirplane(context: Context): Boolean {
return Settings.Global.getInt(
context.contentResolver, Settings.Global.AIRPLANE_MODE_ON, 0
) != 0
}
인터넷이 켜져 있는지 확인할 수 있습니다.
public class ConnectionDetector {
private Context _context;
public ConnectionDetector(Context context){
this._context = context;
}
public boolean isConnectingToInternet(){
ConnectivityManager connectivity = (ConnectivityManager) _context.getSystemService(Context.CONNECTIVITY_SERVICE);
if (connectivity != null)
{
NetworkInfo[] info = connectivity.getAllNetworkInfo();
if (info != null)
for (int i = 0; i < info.length; i++)
if (info[i].getState() == NetworkInfo.State.CONNECTED)
{
return true;
}
}
return false;
}
}