Android 보조 권한 소개 및 전체 기록 설정
본 고 는 Accessibility Service 가 더욱 우아 하 게 사용 되 고 사용 과정 에서 발생 하 는 문 제 를 어떻게 해결 해 야 하 는 지 를 소개 하 는 데 목적 을 둔다.
소개
보조 기능 서 비 스 는 배경 에서 실행 되 며,Accessibility Event 를 실행 할 때 시스템 에서 리 셋 을 받 습 니 다.이러한 사건 은 사용자 인터페이스의 일부 상태 전환 을 나타 낸다.예 를 들 어 초점 이 바 뀌 었 고 버튼 이 클릭 되 었 다 는 등 이다.현재 자동화 업무 에 자주 사용 되 고 있다.예 를 들 어 위 챗 은 자동 으로 보너스 플러그 인 을 빼 앗 고 위 챗 은 자동 으로 근처에 있 는 친 구 를 추가 하 며 친 구 를 자동 으로 평론 하고 친구 권 을 칭찬 하 며 심지어 단체 제어 시스템 에 활용 하여 계산 서 를 작성 한다.
배치
1.서 비 스 를 새로 만 들 고 AccessibilityService 계승
/**
* :
* Created by czc on 2017/6/13.
*/
public class TaskService_ extends AccessibilityService{
@Override
public void onAccessibilityEvent(AccessibilityEvent event) {
// , ,
}
@Override
public void onInterrupt() {
}
}
2.AndroidManifest.xml 설정
<service
android:name=".service.TaskService"
android:enabled="true"
android:exported="true"
android:label="@string/app_name_setting"
android:permission="android.permission.BIND_ACCESSIBILITY_SERVICE">
<intent-filter>
<action android:name="android.accessibilityservice.AccessibilityService"/>
</intent-filter>
<meta-data
android:name="android.accessibilityservice"
android:resource="@xml/accessibility"/>
</service>
3.res 디 렉 터 리 에 xml 폴 더 를 새로 만 들 고 새 프로필 accessibility.xml
<?xml version="1.0" encoding="utf-8"?>
<accessibility-service xmlns:android="http://schemas.android.com/apk/res/android"
<!-- -->
android:accessibilityEventTypes="typeAllMask"
<!-- , 。-->
android:accessibilityFeedbackType="feedbackGeneric"
<!-- view , flagDefault , onAccessibilityEvent(AccessibilityEvent event) -->
android:accessibilityFlags="flagDefault|flagRetrieveInteractiveWindows|flagIncludeNotImportantViews|flagReportViewIds|flagRequestTouchExplorationMode"
<!-- , -->
android:canRetrieveWindowContent="true"
<!-- -->
android:description="@string/description"
<!-- -->
android:notificationTimeout="100"
<!-- -->
android:packageNames="com.tencent.mm,com.eg.android.AlipayGphone" />
3.핵심 방법1.인터페이스 text 에 따라 해당 하 는 구성 요 소 를 찾 습 니 다.(주:방법 은 집합 을 되 돌려 줍 니 다.찾 은 구성 요 소 는 하나 도 유일 하지 않 습 니 다.또한 여기 text 는 우리 가 이해 하 는 TextView 의 Text 뿐만 아니 라 일부 구성 요소 의 ContentDescription 도 포함 합 니 다)
accessibilityNodeInfo.findAccessibilityNodeInfosByText(text)
2.구성 요소 id 에 따라 해당 하 는 구성 요 소 를 찾 습 니 다.
accessibilityNodeInfo.findAccessibilityNodeInfosByViewId(id)
Monitor 도구 로 노드 id 가 져 오기모니터 선택 id
4.보조 권한 으로 오픈 여 부 를 판단
public static boolean hasServicePermission(Context ct, Class serviceClass) {
int ok = 0;
try {
ok = Settings.Secure.getInt(ct.getContentResolver(), Settings.Secure.ACCESSIBILITY_ENABLED);
} catch (Settings.SettingNotFoundException e) {
}
TextUtils.SimpleStringSplitter ms = new TextUtils.SimpleStringSplitter(':');
if (ok == 1) {
String settingValue = Settings.Secure.getString(ct.getContentResolver(), Settings.Secure.ENABLED_ACCESSIBILITY_SERVICES);
if (settingValue != null) {
ms.setString(settingValue);
while (ms.hasNext()) {
String accessibilityService = ms.next();
if (accessibilityService.contains(serviceClass.getSimpleName())) {
return true;
}
}
}
}
return false;
}
5.보조 적 인 오픈 방법1.root 권한 수여 환경 에서 사용 자 를 시스템 설정 페이지 로 안내 하지 않 아 도 됩 니 다.
public static void openServicePermissonRoot(Context ct, Class service) {
String cmd1 = "settings put secure enabled_accessibility_services " + ct.getPackageName() + "/" + service.getName();
String cmd2 = "settings put secure accessibility_enabled 1";
String[] cmds = new String[]{cmd1, cmd2};
ShellUtils.execCmd(cmds, true);
}
2.targetSdk 버 전이 23 보다 작은 경우 일부 휴대 전화 도 아래 코드 를 통 해 권한 을 열 수 있 습 니 다.호 환 을 위해 try..catch 이하 이상 을 사용 하 는 것 이 좋 습 니 다.
public static void openServicePermission(Context ct, Class serviceClass) {
Set<ComponentName> enabledServices = getEnabledServicesFromSettings(ct, serviceClass);
if (null == enabledServices) {
return;
}
ComponentName toggledService = ComponentName.unflattenFromString(ct.getPackageName() + "/" + serviceClass.getName());
final boolean accessibilityEnabled = true;
enabledServices.add(toggledService);
// Update the enabled services setting.
StringBuilder enabledServicesBuilder = new StringBuilder();
for (ComponentName enabledService : enabledServices) {
enabledServicesBuilder.append(enabledService.flattenToString());
enabledServicesBuilder.append(":");
}
final int enabledServicesBuilderLength = enabledServicesBuilder.length();
if (enabledServicesBuilderLength > 0) {
enabledServicesBuilder.deleteCharAt(enabledServicesBuilderLength - 1);
}
Settings.Secure.putString(ct.getContentResolver(), Settings.Secure.ENABLED_ACCESSIBILITY_SERVICES, enabledServicesBuilder.toString());
// Update accessibility enabled.
Settings.Secure.putInt(ct.getContentResolver(), Settings.Secure.ACCESSIBILITY_ENABLED, accessibilityEnabled ? 1 : 0);
}
public static Set<ComponentName> getEnabledServicesFromSettings(Context context, Class serviceClass) {
String enabledServicesSetting = Settings.Secure.getString(context.getContentResolver(), Settings.Secure.ENABLED_ACCESSIBILITY_SERVICES);
if (enabledServicesSetting == null) {
enabledServicesSetting = "";
}
Set<ComponentName> enabledServices = new HashSet<ComponentName>();
TextUtils.SimpleStringSplitter colonSplitter = new TextUtils.SimpleStringSplitter(':');
colonSplitter.setString(enabledServicesSetting);
while (colonSplitter.hasNext()) {
String componentNameString = colonSplitter.next();
ComponentName enabledService = ComponentName.unflattenFromString(componentNameString);
if (enabledService != null) {
if (enabledService.flattenToString().contains(serviceClass.getSimpleName())) {
return null;
}
enabledServices.add(enabledService);
}
}
return enabledServices;
}
3.사용 자 를 시스템 설정 인터페이스 로 유도 하여 오픈 권한
public static void jumpSystemSetting(Context ct) {
// jump to setting permission
Intent intent = new Intent(Settings.ACTION_ACCESSIBILITY_SETTINGS);
intent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
ct.startActivity(intent);
}
4.결합 하면 우 리 는 이렇게 보조 권한 을 열 수 있다.
public static void openServicePermissonCompat(final Context ct, final Class service) {
// : root, root
if (isAppRoot()) {
if (!hasServicePermission(ct, service)) {
new Thread(new Runnable() {
@Override
public void run() {
openServicePermissonRoot(ct, service);
}
}).start();
}
} else {
try {
openServicePermission(ct, service);
} catch (Exception e) {
e.printStackTrace();
if (!hasServicePermission(ct, service)) {
jumpSystemSetting(ct);
}
}
}
}
총결산이상 은 이 글 의 전체 내용 입 니 다.본 논문 의 내용 이 여러분 의 학습 이나 업무 에 어느 정도 참고 학습 가치 가 있 기 를 바 랍 니 다.궁금 한 점 이 있 으 시 면 댓 글 을 남 겨 주 셔 서 저희 에 대한 지지 에 감 사 드 립 니 다.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
Kotlin의 기초 - 2부지난 글에서는 Kotlin이 무엇인지, Kotlin의 특징, Kotlin에서 변수 및 데이터 유형을 선언하는 방법과 같은 Kotlin의 기본 개념에 대해 배웠습니다. 유형 변환은 데이터 변수의 한 유형을 다른 데이터...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.