使用自动化脚本实现安卓屏幕区域点击功能

如果频繁点击安卓屏幕的某个按钮,是不是觉得很繁琐很累?下面来写个脚本来实现自动点击。以下面的两个EditText和一个Button为例的一个demoapp,来演示如何自动输入文本和自动点击按钮:

image.png

这个界面的代码:
MainActivity.kt

package com.kwai.llcrm.del

import android.os.Bundle
import android.widget.EditText
import android.widget.Space
import android.widget.Toast
import androidx.activity.ComponentActivity
import androidx.activity.compose.setContent
import androidx.compose.foundation.background
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.Spacer
import androidx.compose.foundation.layout.fillMaxSize
import androidx.compose.foundation.layout.fillMaxWidth
import androidx.compose.foundation.layout.height
import androidx.compose.foundation.layout.padding
import androidx.compose.foundation.layout.width
import androidx.compose.material3.Button
import androidx.compose.material3.MaterialTheme
import androidx.compose.material3.Surface
import androidx.compose.material3.Text
import androidx.compose.material3.TextField
import androidx.compose.runtime.Composable
import androidx.compose.runtime.currentRecomposeScope
import androidx.compose.runtime.getValue
import androidx.compose.runtime.mutableStateOf
import androidx.compose.runtime.remember
import androidx.compose.runtime.rememberCoroutineScope
import androidx.compose.runtime.setValue
import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.platform.LocalContext
import androidx.compose.ui.tooling.preview.Preview
import androidx.compose.ui.unit.dp
import androidx.compose.ui.unit.sp
import com.kwai.llcrm.del.ui.theme.DelTheme

class MainActivity : ComponentActivity() {
    override fun onCreate(savedInstanceState: Bundle?) {
        super.onCreate(savedInstanceState)
        setContent {
            Surface(modifier = Modifier.fillMaxSize(), color = MaterialTheme.colorScheme.background) {
                loginContainer()
            }
        }
    }
}

@Preview(showBackground = true)
@Composable
fun loginContainer() {
    val context = LocalContext.current
    var phoneNumber by remember { mutableStateOf("") }
    var pwd by remember { mutableStateOf("") }
    Column(
        modifier = Modifier
            .fillMaxWidth()
            .background(Color.Red)
            .padding(0.dp, 60.dp, 0.dp, 0.dp)
    ) {
        // Spacer(modifier = Modifier.height(20.dp))
        TextField(
            modifier = Modifier
                .fillMaxWidth()
                .padding(10.dp, 20.dp, 10.dp, 0.dp)
                .height(65.dp),
            value = phoneNumber,
            onValueChange = {
                phoneNumber = it
            },
            placeholder = {
                Text(text = "phone number")
            })
        // Spacer(modifier = Modifier.height(20.dp))
        TextField(
            modifier = Modifier
                .fillMaxWidth()
                .padding(10.dp, 20.dp, 10.dp, 0.dp),
            value = pwd,
            onValueChange = {
                pwd = it
            },
            placeholder = {
                Text(text = "pwd")
            })
        Button(
            modifier = Modifier
                .padding(20.dp, 20.dp, 0.dp, 0.dp)
                .width(150.dp)
                .height(55.dp),
            onClick = {
                Toast.makeText(context, "click login", Toast.LENGTH_SHORT).show()
            }) {
            Text(text = "login")
        }
    }
}

一:获取触摸坐标

在手机的开发者选项里打开“指针位置”单选框,如图:


指针位置.png

这样的话, 手机的顶部会实时显示手指触摸屏幕的x、y坐标位置,这两个坐标位置是脚本里的需要的参数。

二:编写adb命令

打开demoapp,分别找到两个EditText和一个Button的共六个x、y坐标信息:username_field_x_coordusername_field_y_coordpassword_field_x_coordpassword_field_y_coordlogin_btn_x_coord and login_btn_y_coord
有了这六个参数,adb命令如下:

# 手机信息
adb shell input tap 250 460 && \
adb shell input text "{mobile_number}" && \
# 密码
adb shell input tap 250 700 && \
adb shell input text "{pwd}" && \
# 登陆按钮
adb shell input tap 280 900 && \
# 等待3秒,输入optcode,可选项
sleep 3 && adb shell input text "optcode"

把上面的命令写入shell脚本或者python脚本,脚本里可以自己添加一些循环条件来实现频繁点击,运行脚本即可实现自动化,这样比人工点击方便多了。

三:用python搭建一个本地简易服务器

下面我们写一个python脚本,来搭建一个简易的本地服务器,并与一个index.html前端交互来调用上面第二节介绍的adb命令。
创建一个login_server.py,内容如下:

from flask import Flask, send_from_directory, request
import os
import logging

app = Flask(__name__)

@app.route('/')
def index():
    return send_from_directory('static', 'index.html')

@app.route('/trigger-adb')
def trigger_adb():
    mobile_number = request.args.get('mobileNumber') # default number if not provided
    pwd = request.args.get('pwd')
    logging.warning(f"start adb phone number={mobile_number}  and pwd={pwd}")
    print(f"start adb phone number is {mobile_number} and pwd is {pwd}")
    adb_command = f'adb shell input tap 250 460 && adb shell input text "{mobile_number}" && adb shell input tap 250 700 && adb shell input text "{pwd}" && adb shell input tap 280 900 && sleep 3 && adb shell input text "optcode"'
    # Execute the ADB command
    os.system(adb_command)
    return 'ADB command executed successfully!'

@app.route('/clear-app-data') # for loggin out of the app
def clear_app_data():
    # Replace with your actual app package name and main activity
    package_name = 'com.kwai.llcrm.del'
    main_activity = 'com.kwai.llcrm.del.MainActivity' # launcher activity
    # Clear app data
    clear_command = f'adb shell pm clear {package_name}'
    os.system(clear_command)
    # Relaunch the app
    launch_command = f'adb shell am start -n {package_name}/{main_activity}'
    os.system(launch_command)
    return 'App data cleared and app relaunched successfully!'


if __name__ == '__main__':
    app.run(port=5000)

需要安装flask库。执行下面命令即可:

pip install flask

上面的login_server.py里,可以看到,写了三个函数:

  1. 第一个函数是访问static/index.html
  2. 第二个函数是static/index.html调用,就是执行上面第二节介绍的adb命令,实现自动化操作。
  3. 第三个函数是static/index.html调用,是对一个app进行清理数据的操作。

执行命令python login_server.py,即在本地起了端口号为5000的服务,运行地址是http://127.0.0.1:5000

四:创建前端页面

login_server.py同一目录下,创建static目录,在static目录下分别创建index.htmlstyle.css, 内容分别如下:

index.html:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>App Control Panel</title>
    <link rel="stylesheet" href="static/styles.css">
</head>
<body>
    <div class="container">
        <h1>App Control Panel</h1>
        <input type="text" id="mobileNumber" placeholder="Enter mobile number">
        <input type="text" id="extPwd" placeholder="Enter password">
        <div class="button-group">
            <button id="login" class="btn-custom">Login</button>
            <button id="logout" class="btn-custom">Logout</button>
        </div>
        <ul id="suggestions" class="suggestions"></ul>
        <div id="message" class="message"></div>
        <div class="bottom-buttons">
            <button id="clearAll" class="clear-all-button">Clear Suggestions</button>
        </div>
    </div>

    <script>
        document.addEventListener('DOMContentLoaded', function() {
            // Load recent numbers from cookies and display as suggestions
            const recentNumbers = getRecentNumbers();
            displaySuggestions(recentNumbers);

            document.getElementById('login').addEventListener('click', function() {
                const mobileNumber = document.getElementById('mobileNumber').value;
                const pwd = document.getElementById('extPwd').value;
                if (mobileNumber && pwd) {
                    performLogin(mobileNumber, pwd);
                }
            });

            document.getElementById('logout').addEventListener('click', function() {
                fetch('http://127.0.0.1:5000/clear-app-data')
                    .then(response => response.text())
                    .then(data => document.getElementById('message').innerText = data)
                    .catch(error => console.error('Error:', error));
            });

            document.getElementById('clearAll').addEventListener('click', function() {
                setRecentNumbers([]);
                displaySuggestions([]);
            });
        });

        function getRecentNumbers() {
            const cookies = document.cookie.split(';');
            const recentNumbers = cookies.find(cookie => cookie.trim().startsWith('recentNumbers='));
            return recentNumbers ? JSON.parse(decodeURIComponent(recentNumbers.split('=')[1])) : [];
        }

        function setRecentNumbers(numbers) {
            document.cookie = `recentNumbers=${encodeURIComponent(JSON.stringify(numbers))}; path=/`;
        }

        function addRecentNumber(number) {
            let recentNumbers = getRecentNumbers();
            if (!recentNumbers.includes(number)) {
                recentNumbers.push(number);
                if (recentNumbers.length > 5) { // Limit to 5 recent numbers
                    recentNumbers.shift();
                }
                setRecentNumbers(recentNumbers);
                displaySuggestions(recentNumbers);
            }
        }

        function displaySuggestions(numbers) {
            const suggestionsList = document.getElementById('suggestions');
            suggestionsList.innerHTML = '';
            numbers.forEach(number => {
                const listItem = document.createElement('li');
                listItem.textContent = number;
                listItem.dataset.number = number; // Store number in data attribute
                const removeIcon = document.createElement('span');
                removeIcon.className = 'remove-icon';
                removeIcon.innerHTML = '&#10005;'; // Cross icon (✗)
                removeIcon.onclick = function() {
                    let recentNumbers = getRecentNumbers();
                    recentNumbers = recentNumbers.filter(num => num !== number);
                    setRecentNumbers(recentNumbers);
                    displaySuggestions(recentNumbers);
                };
                listItem.appendChild(removeIcon);
                listItem.addEventListener('click', function() {
                    document.getElementById('mobileNumber').value = number; // Update text field
                    const pwd = document.getElementById('extPwd').value;
                    performLogin(number, pwd); // Perform login when suggestion is clicked
                });
                suggestionsList.appendChild(listItem);
            });
        }

        function performLogin(mobileNumber, pwd) {
            addRecentNumber(mobileNumber);
            fetch(`http://127.0.0.1:5000/trigger-adb?mobileNumber=${encodeURIComponent(mobileNumber)}&pwd=${encodeURIComponent(pwd)}`)
                .then(response => response.text())
                .then(data => document.getElementById('message').innerText = data)
                .catch(error => console.error('Error:', error));
        }
    </script>
</body>
</html>

style.css:

body {
    font-family: 'Product Sans', sans-serif;
    background: linear-gradient(135deg, #1e3a8a, #4b6cb7);
    display: flex;
    justify-content: center;
    align-items: center;
    height: 100vh;
    margin: 0;
    color: #333;
}

.container {
    background: #ffffff;
    border-radius: 12px;
    box-shadow: 0 10px 30px rgba(0, 0, 0, 0.2);
    padding: 40px;
    max-width: 500px;
    width: 100%;
    text-align: center;
    position: relative;
    overflow: hidden;
}

h1 {
    margin-bottom: 30px;
    font-size: 32px;
    color: #007bff;
    text-shadow: 1px 1px 4px rgba(0, 0, 0, 0.2);
}

input[type="text"] {
    width: calc(100% - 40px);
    padding: 18px;
    border: 1px solid #ced4da;
    border-radius: 8px;
    font-size: 20px;
    margin-bottom: 30px;
    box-sizing: border-box;
    outline: none;
    transition: border-color 0.3s, box-shadow 0.3s;
}

input[type="text"]:focus {
    border-color: #007bff;
    box-shadow: 0 0 8px rgba(0, 123, 255, 0.5);
}

.button-group {
    display: flex;
    justify-content: space-between;
    margin-bottom: 30px;
}

.button-group button {
    background-color: #007bff;
    border: none;
    border-radius: 8px;
    color: white;
    cursor: pointer;
    font-size: 20px;
    padding: 16px;
    width: 48%;
    transition: background-color 0.3s, transform 0.3s;
}

.button-group button:hover {
    background-color: #0056b3;
    transform: translateY(-2px);
}

.button-group button:active {
    background-color: #003d7a;
    box-shadow: 0 4px 8px rgba(0, 0, 0, 0.2);
    transform: translateY(0);
}

.message {
    margin-top: 30px;
    font-size: 18px;
    color: #555;
}

.suggestions {
    list-style: none;
    padding: 0;
    margin: 30px 0;
    text-align: left;
}

.suggestions li {
    cursor: pointer;
    background: #f8f9fa;
    border: 1px solid #ddd;
    border-radius: 8px;
    margin-bottom: 15px;
    padding: 18px;
    display: flex;
    justify-content: space-between;
    align-items: center;
    position: relative;
    transition: background-color 0.3s, color 0.3s;
}

.suggestions li:hover {
    background: #e9ecef;
    color: #007bff;
}

.suggestions li:active {
    background: #dee2e6;
}

.remove-icon {
    font-size: 20px;
    color: #dc3545;
    cursor: pointer;
    transition: color 0.3s;
}

.remove-icon:hover {
    color: #c82333;
}

.bottom-buttons {
    margin-top: 30px;
}

.clear-all-button {
    background-color: #dc3545;
    border: none;
    border-radius: 8px;
    color: white;
    cursor: pointer;
    font-size: 20px;
    padding: 16px 24px;
    margin: 10px;
    transition: background-color 0.3s, transform 0.3s;
}

.clear-all-button:hover {
    background-color: #c82333;
    transform: translateY(-2px);
}

.clear-all-button:active {
    background-color: #bd2130;
    box-shadow: 0 4px 8px rgba(0, 0, 0, 0.2);
    transform: translateY(0);
}

在浏览器中输入http://127.0.0.1:5000就能访问写好的前段页面。

五: 前后端交互,对手机实现自动化控制

index.html界面如下图所示:

image.png

分别输入手机号、密码,然后点击Login按钮,就会调用login_server.py里的trigger_adb函数,这个函数会把登陆参数传给adb命令,在手机端自动登录。






原文链接:
Boost Developer Efficiency: Automate Android Login Workflows with ADB and Python

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,324评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,303评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,192评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,555评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,569评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,566评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,927评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,583评论 0 257
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,827评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,590评论 2 320
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,669评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,365评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,941评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,928评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,159评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,880评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,399评论 2 342

推荐阅读更多精彩内容