Переместить события ПОСЛЕ LongPress - PullRequest
11 голосов
/ 13 апреля 2011

Как я могу прослушивать события перемещения после того, как LongPress вызывается в моем GestureDetector?

Когда пользователь LongClick запускает режим выбора и может перетащить квадрат на экран.Но я заметил, что onScroll не вызывается после использования LongPress.

Ответы [ 2 ]

18 голосов
/ 23 апреля 2011

Пытался бороться с этим некоторое время, и на данный момент решение:

  1. Отключите длинное нажатие, используя setIsLongpressEnabled (isLongpressEnabled) для вашего жеста-детектора

Вот мой метод OnTouch моего просмотра:

public boolean onTouchEvent(MotionEvent event) {
        if (mGestureDetector.onTouchEvent(event)== true)
        {
            //Fling or other gesture detected (not logpress because it is disabled)
        }
        else
        {
            //Manually handle the event.
            if (event.getAction() == MotionEvent.ACTION_DOWN)
            {
                //Remember the time and press position
                Log.e("test","Action down");
            }
            if (event.getAction() == MotionEvent.ACTION_MOVE)
            {
                //Check if user is actually longpressing, not slow-moving 
                // if current position differs much then press positon then discard whole thing
                // If position change is minimal then after 0.5s that is a longpress. You can now process your other gestures 
                Log.e("test","Action move");
            }
            if (event.getAction() == MotionEvent.ACTION_UP)
            {
                //Get the time and position and check what that was :)
                Log.e("test","Action down");
            }

        }
        return true;
    }

Мое устройство возвращало ACTION_MOVE всякий раз, когда я держу палец на экране. Если это не так, просто проверьте состояние какого-либо нажатого флага через 0,5 с, используя таймер или поток.

Надеюсь, это поможет!

4 голосов
/ 21 августа 2015

Я выполнил эту задачу, используя следующие понятия:

Предположим, у меня есть изображение и при длительном нажатии на него изображение внутри этого изображения будет перетаскиваемым и помещено в другое представление (например, относительное расположение). Установите MyClickListner в методе setOnLongClickListener () представления изображения.

 private final class MyClickListener implements View.OnLongClickListener {

    // called when the item is long-clicked
    @Override
    public boolean onLongClick(View view) {
        // TODO Auto-generated method stub

        // create it from the object's tag
        ClipData.Item item = new ClipData.Item((CharSequence)view.getTag());

        String[] mimeTypes = { ClipDescription.MIMETYPE_TEXT_PLAIN };
        ClipData data = new ClipData(view.getTag().toString(), mimeTypes, item);
        View.DragShadowBuilder shadowBuilder = new View.DragShadowBuilder(view);

        view.startDrag( data, //data to be dragged
                shadowBuilder, //drag shadow
                view, //local data about the drag and drop operation
                0   //no needed flags
        );
        //  view.setVisibility(View.INVISIBLE);
        return true;
    }
}

Затем установите MyDragListner на Относительную компоновку (например, bigImageRelativeLayoutVw.setOnDragListener (new MyDragListener ());)

 class MyDragListener implements View.OnDragListener {

    @Override
    public boolean onDrag(View v, DragEvent event) {

        int X=(int)event.getX();
        int Y=(int)event.getY();
        int touchX = 0,touchY=0;
        // Handles each of the expected events
        switch (event.getAction()) {

            //signal for the start of a drag and drop operation.
            case DragEvent.ACTION_DRAG_STARTED:
                // do nothing
                break;

            //the drag point has entered the bounding box of the View
            case DragEvent.ACTION_DRAG_ENTERED:


                break;

            //the user has moved the drag shadow outside the bounding box of the View
            case DragEvent.ACTION_DRAG_EXITED:
                //    v.setBackground(normalShape); //change the shape of the view back to normal
                break;

            //drag shadow has been released,the drag point is within the bounding box of the View
            case DragEvent.ACTION_DROP:
                // if the view is the bottomlinear, we accept the drag item
                if(v == bigImageRelativeLayoutVw) {
                    View view = (View) event.getLocalState();


                    touchX=X-viewCoords[0]-20;
                    touchY=Y-viewCoords[1]-20;


                    View view1=new View(getActivity());
                    RelativeLayout.LayoutParams layoutParams = new RelativeLayout.LayoutParams(30,30);

                    layoutParams.leftMargin =touchX;
                    layoutParams.topMargin = touchY;


                  view1.setBackgroundResource(R.drawable.heavy_damage);




                    view1.setLayoutParams(layoutParams);
                    RelativeLayout containView = (RelativeLayout) v;
                    containView.addView(view1);


                    view.setVisibility(View.VISIBLE);

                } else {
                    View view = (View) event.getLocalState();
                    view.setVisibility(View.VISIBLE);

                    break;
                }
                break;

            //the drag and drop operation has concluded.
            case DragEvent.ACTION_DRAG_ENDED:
                //     v.setBackground(normalShape);    //go back to normal shape

            default:
                break;
        }
        return true;
    }
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...