我想在Android的应用程序中添加一个按钮,并在按下按钮几秒钟后捕获该按钮上的事件(单击),因此它在第一次触摸时不会使用react。
这可以在Android上实现吗?

现在,我有了下一个捕获对主页按钮(在ActionBar中)的onclick的代码。

public boolean onOptionsItemSelected(MenuItem item) {
    if (item.getItemId() == android.R.id.home) {
        showSendLogAlert();
    }

    return super.onOptionsItemSelected(item);
}

当用户单击此按钮时,它会通过电子邮件发送一些报告,而我不想意外地启动此事件,这就是为什么我希望用户按下几秒钟以确保他愿意这样做手术。

解决方案:

根据下面的评论,我得到了这个可行的解决方案:
@Override
protected void onCreate(final Bundle savedInstanceState) {
    // stuff

    // Set the home button clickable
    getActionBar().setHomeButtonEnabled(true);

    // Define a long click listener instead of normal one
    View homeButton = findViewById(android.R.id.home);
    homeButton.setOnLongClickListener(new View.OnLongClickListener() {

        @Override
        public boolean onLongClick(View v) {
            showSendLogAlert();
            return false;
        }
    });

    // more stuff
}

最佳答案

我做了类似的事情,但就我而言,如果连续按下按钮3秒钟,我想显示一个新的 Activity 。
使用此代码作为引用。

Runnable mRunnable,timeRunnable;
Handler mHandler=new Handler();

btnBackoffice = (Button) findViewById(R.id.btn_backoffice);

btnBackoffice.setOnTouchListener(buttonOnTouchListener);

private OnTouchListener buttonOnTouchListener = new OnTouchListener() {
    @Override
    public boolean onTouch(View v, MotionEvent event) {
        switch ( event.getAction() ) {
        case MotionEvent.ACTION_DOWN:
            mHandler.postDelayed(timeRunnable, 3000);
            break;
        case MotionEvent.ACTION_UP:
             mHandler.removeCallbacks(timeRunnable);
            break;
        }
        return true;
    }
};

timeRunnable=new Runnable(){
        @Override
        public void run() {
            Intent intent = new Intent(MainActivity.this, BackofficeActivity.class);
            startActivity(intent);

        }
    };

希望能帮助到你。

10-07 20:50