안드로이드 키보드의 완료 버튼을 사용하여 버튼을 클릭하십시오.


131

내 응용 프로그램에는 사용자가 숫자를 입력 할 수있는 필드가 있습니다. 숫자 만 허용하도록 필드를 설정했습니다. 사용자가 필드를 클릭하면 키보드가 나타납니다. 키보드 (ICS)에는 완료 버튼이 있습니다. 키보드의 완료 버튼으로 응용 프로그램에있는 제출 버튼을 트리거하고 싶습니다. 내 코드는 다음과 같습니다.

package com.michaelpeerman.probability;

import android.app.Activity;
import android.app.ProgressDialog;
import android.content.DialogInterface;
import android.content.DialogInterface.OnCancelListener;
import android.os.Bundle;
import android.os.Handler;
import android.os.Message;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.Button;
import android.widget.EditText;
import android.widget.TextView;
import java.util.Random;

public class ProbabilityActivity extends Activity implements OnClickListener {

private Button submit;
ProgressDialog dialog;
int increment;
Thread background;
int heads = 0;
int tails = 0;

public void onCreate(Bundle paramBundle) {
    super.onCreate(paramBundle);
    setContentView(R.layout.main);
    submit = ((Button) findViewById(R.id.submit));
    submit.setOnClickListener(this);
}

public void onClick(View view) {
    increment = 1;
    dialog = new ProgressDialog(this);
    dialog.setCancelable(true);
    dialog.setMessage("Flipping Coin...");
    dialog.setProgressStyle(ProgressDialog.STYLE_HORIZONTAL);
    dialog.setProgress(0);
    EditText max = (EditText) findViewById(R.id.number);
    int maximum = Integer.parseInt(max.getText().toString());
    dialog.setMax(maximum);
    dialog.show();
    dialog.setOnCancelListener(new OnCancelListener(){

          public void onCancel(DialogInterface dialog) {

              background.interrupt();
              TextView result = (TextView) findViewById(R.id.result);
                result.setText("heads : " + heads + "\ntails : " + tails);


          }});


    background = new Thread(new Runnable() {
        public void run() {
            heads=0;
            tails=0;
            for (int j = 0; !Thread.interrupted() && j < dialog.getMax(); j++) {
                int i = 1 + new Random().nextInt(2);
                if (i == 1)
                    heads++;
                if (i == 2)
                    tails++;
                progressHandler.sendMessage(progressHandler.obtainMessage());
            }
        }
    });
    background.start();
}

Handler progressHandler = new Handler() {
    public void handleMessage(Message msg) {

        dialog.incrementProgressBy(increment);
        if (dialog.getProgress() == dialog.getMax()) {
            dialog.dismiss();
            TextView result = (TextView) findViewById(R.id.result);
            result.setText("heads : " + heads + "\ntails : " + tails);


        }
    }

};

}


이는 텍스트 상자 업데이트를 나타냅니다.
mpeerman

내가하고 싶은 것은 이미 가지고있는 버튼을 트리거하는 것입니다. 어떤 사람들은 버튼이없는 키보드를 사용하고 있기 때문에 버튼을 제거하고 싶지 않습니다.
mpeerman

답변:


313

이 것을 사용할 수도 있습니다 (EditText에서 작업을 수행 할 때 호출되도록 특수 리스너를 설정). DONE과 RETURN 모두에서 작동합니다.

max.setOnEditorActionListener(new OnEditorActionListener() {
        @Override
        public boolean onEditorAction(TextView v, int actionId, KeyEvent event) {
            if ((event != null && (event.getKeyCode() == KeyEvent.KEYCODE_ENTER)) || (actionId == EditorInfo.IME_ACTION_DONE)) {
                Log.i(TAG,"Enter pressed");
            }    
            return false;
        }
    });

1
제출 버튼을 이미 실행했을 때 클릭을 트리거하도록 설정하는 방법 public void onClick (View view) {
mpeerman

3
모든 코드를 단일 함수로 옮긴 다음 호출하거나 performClick ()을
vladexologija

6
DONE 버튼을 눌렀을 때 이것은 작동하지 않았으며 KeyEvent는 항상 null입니다. actionId는 EditorInfo.IME_ACTION_DONE으로 설정되어 대신 사용할 수있었습니다. (이것은 안드로이드 4.2.2에 있으며 현재 안드로이드 SDK 문서와 일치하지 않습니다)
James

28

당신은 시도 할 수 있습니다 IME_ACTION_DONE.

이 조치는 입력 할 내용이 없으면 "완료"작업을 수행하며 IME가 닫힙니다.

 Your_EditTextObj.setOnEditorActionListener(new TextView.OnEditorActionListener() {
            @Override
            public boolean onEditorAction(TextView v, int actionId, KeyEvent event) {
                boolean handled = false;
                if (actionId == EditorInfo.IME_ACTION_DONE) {
                  /* Write your logic here that will be executed when user taps next button */


                    handled = true;
                }
                return handled;
            }
        });

8
이것은 나를 위해 완벽하게 작동합니다. TRUE 반환에주의하십시오. 키보드가 계속 표시됩니다. 키보드를 숨기려면 FALSE를 반환하십시오.
Matwosk

1
보석처럼 작동합니다!
sam

16

이 시도:

max.setOnKeyListener(new OnKeyListener(){
    @Override
    public boolean onKey(View v, int keyCode, KeyEvent event){
        if(keyCode == event.KEYCODE_ENTER){
            //do what you want
        }
    }
});

버튼을 누르면 뷰가 onKey 이벤트를 생성하고 keyCode가 오른쪽 버튼과 일치하면 원하는 작업을 수행합니다
Roman Black

1
버튼에 초점이 있어야합니다
Jeffrey Blattman

8

Xamarin.Android (Cross Platform)에 이것을 사용해보십시오.

edittext.EditorAction += (object sender, TextView.EditorActionEventArgs e) {
       if (e.ActionId.Equals (global::Android.Views.InputMethods.ImeAction.Done)) {
           //TODO Something
       }
};

7

코 틀린 솔루션

Kotlin에서 수행 된 작업을 처리하는 기본 방법은 다음과 같습니다.

edittext.setOnEditorActionListener { _, actionId, _ ->
    if (actionId == EditorInfo.IME_ACTION_DONE) {
        // Call your code here
        true
    }
    false
}

코 틀린 확장

이것을 사용 edittext.onDone {/*action*/}하여 메인 코드 를 호출 하십시오. 더 읽기 쉽고 유지 관리 가능

edittext.onDone { submitForm() }

fun EditText.onDone(callback: () -> Unit) {
    setOnEditorActionListener { _, actionId, _ ->
        if (actionId == EditorInfo.IME_ACTION_DONE) {
            callback.invoke()
            true
        }
        false
    }
}

이 옵션을 편집 텍스트에 추가하는 것을 잊지 마십시오

<EditText ...
    android:imeOptions="actionDone"
    android:inputType="text"/>

inputType="textMultiLine"지원 이 필요하면 이 게시물을 읽으십시오


4

LoginActivity를 만들 때 AndroidStudio에서 다음 코드를 복사했습니다. ime 속성을 사용합니다

레이아웃에서

<EditText android:id="@+id/unidades" android:layout_width="match_parent"
                    android:layout_height="wrap_content" android:hint="@string/prompt_unidades"
                    android:inputType="number" android:maxLines="1"
                    android:singleLine="true"
                    android:textAppearance="?android:textAppearanceSmall"
                    android:enabled="true" android:focusable="true"
                    android:gravity="right"
                    android:imeActionId="@+id/cantidad"
                    android:imeActionLabel="@string/add"
                    android:imeOptions="actionUnspecified"/>

당신의 활동에서

editTextUnidades.setOnEditorActionListener(new TextView.OnEditorActionListener() {
        @Override
        public boolean onEditorAction(TextView v, int actionId, KeyEvent event) {
            if (actionId == R.id.cantidad || actionId == EditorInfo.IME_NULL) {
                addDetalle(null);
                return true;
            }
            return false;
        }
    });

2

키 리스너에서 구현할 수 있습니다.

public class ProbabilityActivity extends Activity implements OnClickListener, View.OnKeyListener {

onCreate에서 :

max.setOnKeyListener(this);

...

@Override
public boolean onKey(View v, int keyCode, KeyEvent event){
    if(keyCode == event.KEYCODE_ENTER){
        //call your button method here
    }
    return true;
}

1

버튼 클릭과 같은 이벤트를 통해 수행하려는 작업을 수행하기 위해 키보드 입력 버튼을 잡으려면 해당 텍스트보기에 대해 아래 간단한 코드를 작성할 수 있습니다

Edittext ed= (EditText) findViewById(R.id.edit_text);

ed.setOnEditorActionListener(new TextView.OnEditorActionListener() {
@Override
public boolean onEditorAction(TextView v, int actionId, KeyEvent event) {
    if (actionId == EditorInfo.IME_ACTION_DONE) {
        // Do you job here which you want to done through event
    }
    return false;
}
});

1

코 틀린과 숫자 키보드

숫자 키보드를 사용하는 경우 키보드를 해제해야합니다.

editText.setOnEditorActionListener { v, actionId, event ->
  if (action == EditorInfo.IME_ACTION_DONE || action == EditorInfo.IME_ACTION_NEXT || action == EditorInfo.IME_ACTION_UNSPECIFIED) {
      //hide the keyboard
      val imm = context.getSystemService(Context.INPUT_METHOD_SERVICE) as InputMethodManager
      imm.hideSoftInputFromWindow(windowToken, 0)
      //Take action
      editValue.clearFocus()
      return true
  } else {
      return false
  }
}

0

이 클래스를 레이아웃에서 사용하십시오.

public class ActionEditText extends EditText
{
    public ActionEditText(Context context)
    {
        super(context);
    }

    public ActionEditText(Context context, AttributeSet attrs)
    {
        super(context, attrs);
    }

    public ActionEditText(Context context, AttributeSet attrs, int defStyle)
    {
        super(context, attrs, defStyle);
    }

    @Override
    public InputConnection onCreateInputConnection(EditorInfo outAttrs)
    {
        InputConnection conn = super.onCreateInputConnection(outAttrs);
        outAttrs.imeOptions &= ~EditorInfo.IME_FLAG_NO_ENTER_ACTION;
        return conn;
    }

}

xml에서 :

<com.test.custom.ActionEditText
                android:id="@+id/postED"
                android:layout_width="match_parent"
                android:layout_height="wrap_content"
                android:layout_weight="1"
                android:background="@android:color/transparent"
                android:gravity="top|left"
                android:hint="@string/msg_type_message_here"
                android:imeOptions="actionSend"
                android:inputType="textMultiLine"
                android:maxLines="5"
                android:padding="5dip"
                android:scrollbarAlwaysDrawVerticalTrack="true"
                android:textColor="@color/white"
                android:textSize="20sp" />

0
max.setOnKeyListener(new OnKeyListener(){
  @Override
  public boolean onKey(View v, int keyCode, KeyEvent event){
    if(keyCode == event.KEYCODE_ENTER){
        //do what you want
    }
  }
});

1
코드에 주석을
달면

이 코드는 질문에 대답 할 수 있지만 문제를 해결하는 방법 및 / 또는 이유에 대한 추가 컨텍스트 를 제공 하면 답변의 장기적인 가치가 향상됩니다. 지금 질문하는 사람뿐만 아니라 앞으로 독자들에게 질문에 대답하고 있음을 기억하십시오! 제발 편집 설명을 추가하고, 제한 및 가정이 적용 무엇의 표시를 제공하는 답변을. 이 답변이 왜 다른 사람들보다 더 적합한 지 언급하는 것도 아프지 않습니다.
Dev-iL

0

마지막 Edittext .setOnEditorActionListener는이 메소드를 자동 적중 API로 호출합니다.

et_password에서 LoginActivity에서 전화했습니다.

 et_Pass.setOnEditorActionListener(new TextView.OnEditorActionListener() {
            public boolean onEditorAction(TextView v, int actionId, KeyEvent event) {
                if ((event != null && (event.getKeyCode() == KeyEvent.KEYCODE_ENTER)) || (actionId == EditorInfo.IME_ACTION_DONE)) {

                    Log.i(TAG,"Enter pressed");
                    Log.i(Check Internet," and Connect To Server");

                }
                return false;
            }
        });

잘 작동


0

그리고 이것은 Kotlin 버전입니다.

editText.setOnEditorActionListener { v, actionId, event ->
  if(actionId == EditorInfo.IME_ACTION_DONE){
      //Put your action there
      true
  } else {
      false
  }
}
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.