web-dev-qa-db-ja.com

Enterキーを押すと、Javascriptのタブのように動作します

Enterキーを押すと、ページの「次の」フォーム要素にフォーカスが移動するフォームを作成しようとしています。私がウェブで見つけ続ける解決策は...

 <body onkeydown="if(event.keyCode==13){event.keyCode=9; return event.keyCode}">

残念ながら、それはIEでのみ機能するようです。だから、この質問の本当の意味は、FFとChromeで機能するソリューションを誰かが知っているのですか?さらに、フォーム要素自体にonkeydownイベントを追加する必要はありませんが、それが唯一の方法である場合、それを行う必要があります。

この問題は question 905222 に似ていますが、私の意見では当然の質問です。

編集:また、ユーザーが慣れているフォームの動作とは異なるため、これは良いスタイルではないという問題を提起する人を見てきました。同意する!クライアントのリクエストです:(

65
Ross

Andrewが提案した非常に効果的なロジックを使用しました。そして、これは私のバージョンです:

$('body').on('keydown', 'input, select, textarea', function(e) {
    var self = $(this)
      , form = self.parents('form:eq(0)')
      , focusable
      , next
      ;
    if (e.keyCode == 13) {
        focusable = form.find('input,a,select,button,textarea').filter(':visible');
        next = focusable.eq(focusable.index(this)+1);
        if (next.length) {
            next.focus();
        } else {
            form.submit();
        }
        return false;
    }
});
79
tcdona

[Enter]キーを[Tab]キーのように機能させる

Andre Van Zuydam の答えを書き直しました。これはjQueryでうまくいきませんでした。これは両方をキャプチャします Enter そして Shift+Enter。 Enter 前方のタブ、および Shift+Enter タブが戻ります。

selfがフォーカスされている現在のアイテムによって初期化される方法も書き直しました。フォームもそのように選択されます。コードは次のとおりです。

// Map [Enter] key to work like the [Tab] key
// Daniel P. Clark 2014

// Catch the keydown for the entire document
$(document).keydown(function(e) {

  // Set self as the current item in focus
  var self = $(':focus'),
      // Set the form by the current item in focus
      form = self.parents('form:eq(0)'),
      focusable;

  // Array of Indexable/Tab-able items
  focusable = form.find('input,a,select,button,textarea,div[contenteditable=true]').filter(':visible');

  function enterKey(){
    if (e.which === 13 && !self.is('textarea,div[contenteditable=true]')) { // [Enter] key

      // If not a regular hyperlink/button/textarea
      if ($.inArray(self, focusable) && (!self.is('a,button'))){
        // Then prevent the default [Enter] key behaviour from submitting the form
        e.preventDefault();
      } // Otherwise follow the link/button as by design, or put new line in textarea

      // Focus on the next item (either previous or next depending on shift)
      focusable.eq(focusable.index(self) + (e.shiftKey ? -1 : 1)).focus();

      return false;
    }
  }
  // We need to capture the [Shift] key and check the [Enter] key either way.
  if (e.shiftKey) { enterKey() } else { enterKey() }
});

理由textarea

含まれているのは、「do」にタブで移動するためです。また、一度、のデフォルトの動作を停止したくない Enter 新しい行を入れることから。

理由aおよびbutton

デフォルトのアクションである「and」が引き続き次のアイテムにフォーカスできるようにします。これは、常に別のページをロードするとは限らないためです。アコーディオンやタブ付きコンテンツなどのトリガー/効果があります。したがって、デフォルトの動作をトリガーし、ページが特別な効果を発揮すると、トリガーがそれを十分に導入している可能性があるため、次のアイテムに移動する必要があります。

17
6ft Dan

これは私のために働いた

 $(document).on('keydown', ':tabbable', function (e) {

 if (e.which == 13  || e.keyCode == 13  ) 
 {      e.preventDefault();
        var $canfocus = $(':tabbable:visible')
        var index = $canfocus.index(document.activeElement) + 1;
        if (index >= $canfocus.length) index = 0;
        $canfocus.eq(index).focus();
}   

});

JsFiddle

13
Mayur Sarang

良いスクリプトをありがとう。

上記の関数に要素間を移動するためのshiftイベントを追加したところ、誰かがこれを必要とするかもしれないと思いました。

$('body').on('keydown', 'input, select, textarea', function(e) {
var self = $(this)
  , form = self.parents('form:eq(0)')
  , focusable
  , next
  , prev
  ;

if (e.shiftKey) {
 if (e.keyCode == 13) {
     focusable =   form.find('input,a,select,button,textarea').filter(':visible');
     prev = focusable.eq(focusable.index(this)-1); 

     if (prev.length) {
        prev.focus();
     } else {
        form.submit();
    }
  }
}
  else
if (e.keyCode == 13) {
    focusable = form.find('input,a,select,button,textarea').filter(':visible');
    next = focusable.eq(focusable.index(this)+1);
    if (next.length) {
        next.focus();
    } else {
        form.submit();
    }
    return false;
}
});
11

私が思いついた最も単純なバニラJSスニペット:

document.addEventListener('keydown', function (event) {
  if (event.keyCode === 13 && event.target.nodeName === 'INPUT') {
    var form = event.target.form;
    var index = Array.prototype.indexOf.call(form, event.target);
    form.elements[index + 1].focus();
    event.preventDefault();
  }
});

IE 9+および最新のブラウザで動作します。

7

ここに記載されているすべての実装には問題があります。一部はテキストエリアと送信ボタンで適切に動作せず、ほとんどはシフトを使用して後方に移動することを許可しません。最後まで。

[Enter]キーを[tab]キーのように機能させながら、テキスト領域と送信ボタンで適切に機能させるには、次のコードを使用します。さらに、このコードを使用すると、Shiftキーを使用して後方に移動し、タブ移動を前後に折り返すことができます。

ソースコード: https://github.com/mikbe/SaneEnterKey

CoffeeScript

mbsd_sane_enter_key = ->
  input_types = "input, select, button, textarea"
  $("body").on "keydown", input_types, (e) ->
    enter_key = 13
    tab_key = 9

    if e.keyCode in [tab_key, enter_key]
      self = $(this)

      # some controls should just press enter when pressing enter
      if e.keyCode == enter_key and (self.prop('type') in ["submit", "textarea"])
        return true

      form = self.parents('form:eq(0)')

      # Sort by tab indexes if they exist
      tab_index = parseInt(self.attr('tabindex'))
      if tab_index
        input_array = form.find("[tabindex]").filter(':visible').sort((a,b) -> 
          parseInt($(a).attr('tabindex')) - parseInt($(b).attr('tabindex'))
        )
      else
        input_array = form.find(input_types).filter(':visible')

      # reverse the direction if using shift
      move_direction = if e.shiftKey then -1 else 1
      new_index = input_array.index(this) + move_direction

      # wrap around the controls
      if new_index == input_array.length
        new_index = 0
      else if new_index == -1
        new_index = input_array.length - 1

      move_to = input_array.eq(new_index)
      move_to.focus()
      move_to.select()

      false

$(window).on 'ready page:load', ->
  mbsd_sane_enter_key()

JavaScript

var mbsd_sane_enter_key = function() {
  var input_types;
  input_types = "input, select, button, textarea";

  return $("body").on("keydown", input_types, function(e) {
    var enter_key, form, input_array, move_direction, move_to, new_index, self, tab_index, tab_key;
    enter_key = 13;
    tab_key = 9;

    if (e.keyCode === tab_key || e.keyCode === enter_key) {
      self = $(this);

      // some controls should react as designed when pressing enter
      if (e.keyCode === enter_key && (self.prop('type') === "submit" || self.prop('type') === "textarea")) {
        return true;
      }

      form = self.parents('form:eq(0)');

      // Sort by tab indexes if they exist
      tab_index = parseInt(self.attr('tabindex'));
      if (tab_index) {
        input_array = form.find("[tabindex]").filter(':visible').sort(function(a, b) {
          return parseInt($(a).attr('tabindex')) - parseInt($(b).attr('tabindex'));
        });
      } else {
        input_array = form.find(input_types).filter(':visible');
      }

      // reverse the direction if using shift
      move_direction = e.shiftKey ? -1 : 1;
      new_index = input_array.index(this) + move_direction;

      // wrap around the controls
      if (new_index === input_array.length) {
        new_index = 0;
      } else if (new_index === -1) {
        new_index = input_array.length - 1;
      }

      move_to = input_array.eq(new_index);
      move_to.focus();
      move_to.select();
      return false;
    }
  });
};

$(window).on('ready page:load', function() {
  mbsd_sane_enter_key();
}
6
Mike Bethany

この動作を変更すると、実際にネイティブに実装されたデフォルトの動作よりもはるかに優れたユーザーエクスペリエンスが作成されます。 Enterキーの動作は、ユーザーの観点からはすでに一貫していないことを考慮してください。単一行の入力では、enterはフォームを送信する傾向がありますが、複数行のテキストエリアでは、フィールド。

私は最近このようにしました(jQueryを使用):

$('input.enterastab, select.enterastab, textarea.enterastab').live('keydown', function(e) {
 if (e.keyCode==13) {
  var focusable = $('input,a,select,button,textarea').filter(':visible');
  focusable.eq(focusable.index(this)+1).focus();
  return false;
 }
});

これは非常に効率的ではありませんが、十分に機能し、信頼性があります。この方法で動作する必要がある入力要素に「enterastab」クラスを追加するだけです。

4
Andrew

OPソリューションをKnockoutバインディングに作り直し、共有すると思いました。どうもありがとう :-)

こちら フィドル

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" >
<head>
    <script src="http://ajax.googleapis.com/ajax/libs/jquery/1.9.1/jquery.min.js" type="text/javascript"></script>
    <script src="http://ajax.aspnetcdn.com/ajax/knockout/knockout-2.2.1.js" type="text/javascript"></script>


</head>
<body>

    <div data-bind="nextFieldOnEnter:true">
        <input type="text" />
        <input type="text" />
        <select>
          <option value="volvo">Volvo</option>
          <option value="saab">Saab</option>
          <option value="mercedes">Mercedes</option>
          <option value="audi">Audi</option>
        </select>
        <input type="text" />
        <input type="text" />
    </div>


    <script type="text/javascript">
    ko.bindingHandlers.nextFieldOnEnter = {
        init: function(element, valueAccessor, allBindingsAccessor) {
            $(element).on('keydown', 'input, select', function (e) {
                var self = $(this)
                , form = $(element)
                  , focusable
                  , next
                ;
                if (e.keyCode == 13) {
                    focusable = form.find('input,a,select,button,textarea').filter(':visible');
                    var nextIndex = focusable.index(this) == focusable.length -1 ? 0 : focusable.index(this) + 1;
                    next = focusable.eq(nextIndex);
                    next.focus();
                    return false;
                }
            });
        }
    };

    ko.applyBindings({});
    </script>
</body>
</html>
4
Damien Sawyer

次に、他の回答をインスピレーションとして使用して、enterを次のフィールドに移動させるangular.jsディレクティブを示します。ここには、おそらく奇妙なコードがいくつかあります。なぜなら、angularでパッケージ化されたjQliteしか使用していないからです。ここでの機能のほとんどは、すべてのブラウザー> IE8で機能すると考えています。

angular.module('myapp', [])
.directive('pdkNextInputOnEnter', function() {
    var includeTags = ['INPUT', 'SELECT'];

    function link(scope, element, attrs) {
        element.on('keydown', function (e) {
            // Go to next form element on enter and only for included tags
            if (e.keyCode == 13 && includeTags.indexOf(e.target.tagName) != -1) {
                // Find all form elements that can receive focus
                var focusable = element[0].querySelectorAll('input,select,button,textarea');

                // Get the index of the currently focused element
                var currentIndex = Array.prototype.indexOf.call(focusable, e.target)

                // Find the next items in the list
                var nextIndex = currentIndex == focusable.length - 1 ? 0 : currentIndex + 1;

                // Focus the next element
                if(nextIndex >= 0 && nextIndex < focusable.length)
                    focusable[nextIndex].focus();

                return false;
            }
        });
    }

    return {
        restrict: 'A',
        link: link
    };
});

要素にpdk-next-input-on-enterディレクティブを追加するだけで、作業中のアプリで使用する方法を次に示します。私はバーコードスキャナーを使用してフィールドにデータを入力しています。スキャナーのデフォルトの機能はキーボードをエミュレートし、スキャンしたバーコードのデータを入力した後にEnterキーを挿入することです。

このコードには副作用が1つあります(ユースケースではプラス)。ボタンにフォーカスを移動すると、Enterキーアップイベントによってボタンのアクションがアクティブになります。マークアップの最後のフォーム要素は、バーコードをスキャンすることですべてのフィールドが「タブ化」されたらアクティブにするボタンであるため、これは私のフローにとって本当にうまくいきました。

<!DOCTYPE html>
<html ng-app=myapp>
  <head>
      <script src="angular.min.js"></script>
      <script src="controller.js"></script>
  </head>
  <body ng-controller="LabelPrintingController">
      <div class='.container' pdk-next-input-on-enter>
          <select ng-options="p for p in partNumbers" ng-model="selectedPart" ng-change="selectedPartChanged()"></select>
          <h2>{{labelDocument.SerialNumber}}</h2>
          <div ng-show="labelDocument.ComponentSerials">
              <b>Component Serials</b>
              <ul>
                  <li ng-repeat="serial in labelDocument.ComponentSerials">
                      {{serial.name}}<br/>
                      <input type="text" ng-model="serial.value" />
                  </li>
              </ul>
          </div>
          <button ng-click="printLabel()">Print</button>
      </div>
  </body>
</html>
2
joshperry

私は同様の問題を抱えていました。 + テンキーで次のフィールドにタブで移動します。今、私はあなたを助けると思うライブラリをリリースしました。

PlusAsTab :テンキーのプラスキーをタブキーに相当するものとして使用するjQueryプラグイン。

あなたが欲しいので enter/ 代わりに、オプションを設定できます。 jQuery event.which demo で使用するキーを見つけます。

JoelPurra.PlusAsTab.setOptions({
  // Use enter instead of plus
  // Number 13 found through demo at
  // https://api.jquery.com/event.which/
  key: 13
});

// Matches all inputs with name "a[]" (needs some character escaping)
$('input[name=a\\[\\]]').plusAsTab();

PlusAsTabタブデモとして入力 で自分で試すことができます。

1
Joel Purra

可能であれば、これを行うことを再検討します:フォーム内で<Enter>を押すデフォルトのアクションはフォームを送信し、このデフォルトのアクション/期待される動作を変更するためにあなたがすることはサイトのユーザビリティの問題を引き起こす可能性があります。

0
Ian Oxley

Shift + Enterをサポートし、フォーカス可能なHTMLタグを選択する機能を持つVanilla js。 IE9 +で動作するはずです。

  onKeyUp(e) {
    switch (e.keyCode) {
      case 13: //Enter
        var focusableElements = document.querySelectorAll('input, button')
        var index = Array.prototype.indexOf.call(focusableElements, document.activeElement)
        if(e.shiftKey)
          focus(focusableElements, index - 1)
        else
          focus(focusableElements, index + 1)

        e.preventDefault()
        break;
    }
    function focus(elements, index) {
      if(elements[index])
        elements[index].focus()
    }
  }
0
jiv-e

これが私が思いついたものです。

form.addEventListener("submit", (e) => { //On Submit
 let key = e.charCode || e.keyCode || 0 //get the key code
 if (key = 13) { //If enter key
    e.preventDefault()
    const inputs = Array.from(document.querySelectorAll("form input")) //Get array of inputs
    let nextInput = inputs[inputs.indexOf(document.activeElement) + 1] //get index of input after the current input
    nextInput.focus() //focus new input
}
}
0

これを試して...

$(document).ready(function () {
    $.fn.enterkeytab = function () {
        $(this).on('keydown', 'input,select,text,button', function (e) {
            var self = $(this)
              , form = self.parents('form:eq(0)')
              , focusable
              , next
            ;
            if (e.keyCode == 13) {
                focusable = form.find('input,a,select').filter(':visible');
                next = focusable.eq(focusable.index(this) + 1);
                if (next.length) {
                    //if disable try get next 10 fields
                    if (next.is(":disabled")){
                        for(i=2;i<10;i++){
                            next = focusable.eq(focusable.index(this) + i);
                            if (!next.is(":disabled"))
                                break;
                        }
                    }
                    next.focus();
                }
                return false;
            }
        });
    }
    $("form").enterkeytab();
});
0
Lucio Pelinson

JavaScriptのみで動作します。 FirefoxではkeyCodeを更新できないため、keyCode 13をトラップし、keyCode 9が押されたかのようにtabIndexで次の要素にフォーカスするようにするだけです。トリッキーな部分は、次のtabIndexを見つけることです。 IE8-IE10とFirefoxでのみこれをテストしましたが、動作します:

function ModifyEnterKeyPressAsTab(event)
{
    var caller;
    var key;
    if (window.event)
    {
        caller = window.event.srcElement; //Get the event caller in IE.
        key = window.event.keyCode; //Get the keycode in IE.
    }
    else
    {
        caller = event.target; //Get the event caller in Firefox.
        key = event.which; //Get the keycode in Firefox.
    }
    if (key == 13) //Enter key was pressed.
    {
        cTab = caller.tabIndex; //caller tabIndex.
        maxTab = 0; //highest tabIndex (start at 0 to change)
        minTab = cTab; //lowest tabIndex (this may change, but start at caller)
        allById = document.getElementsByTagName("input"); //Get input elements.
        allByIndex = []; //Storage for elements by index.
        c = 0; //index of the caller in allByIndex (start at 0 to change)
        i = 0; //generic indexer for allByIndex;
        for (id in allById) //Loop through all the input elements by id.
        {
            allByIndex[i] = allById[id]; //Set allByIndex.
            tab = allByIndex[i].tabIndex;
            if (caller == allByIndex[i])
                c = i; //Get the index of the caller.
            if (tab > maxTab)
                maxTab = tab; //Get the highest tabIndex on the page.
            if (tab < minTab && tab >= 0)
                minTab = tab; //Get the lowest positive tabIndex on the page.
            i++;
        }
        //Loop through tab indexes from caller to highest.
        for (tab = cTab; tab <= maxTab; tab++)
        {
            //Look for this tabIndex from the caller to the end of page.
            for (i = c + 1; i < allByIndex.length; i++)
            {
                if (allByIndex[i].tabIndex == tab)
                {
                    allByIndex[i].focus(); //Move to that element and stop.
                    return;
                }
            }
            //Look for the next tabIndex from the start of page to the caller.
            for (i = 0; i < c; i++)
            {
                if (allByIndex[i].tabIndex == tab + 1)
                {
                    allByIndex[i].focus(); //Move to that element and stop.
                    return;
                }
            }
            //Continue searching from the caller for the next tabIndex.
        }

        //The caller was the last element with the highest tabIndex,
        //so find the first element with the lowest tabIndex.
        for (i = 0; i < allByIndex.length; i++)
        {
            if (allByIndex[i].tabIndex == minTab)
            {
                allByIndex[i].focus(); //Move to that element and stop.
                return;
            }
        }
    }
}

このコードを使用するには、HTML入力タグに追加します。

<input id="SomeID" onkeydown="ModifyEnterKeyPressAsTab(event);" ... >

または、javascriptの要素に追加します。

document.getElementById("SomeID").onKeyDown = ModifyEnterKeyPressAsTab;

その他のメモ:

入力要素で作業するためだけに必要でしたが、必要に応じて他のドキュメント要素に拡張することもできます。このためには、getElementsByClassNameは非常に役立ちますが、それはまったく別のトピックです。

制限は、allById配列に追加した要素間でのみタブ移動することです。 HTMLドキュメントの外部のツールバーやメニューなど、ブラウザが使用する可能性のある他の項目に移動しません。おそらく、これは制限ではなく機能です。必要に応じて、keyCode 9をトラップすると、この動作はタブキーでも機能します。

0
Jroonk

ここでの多くの答えは、廃止された_e.keyCode_と_e.which_を使用しています。

代わりに_e.key === 'Enter'_を使用する必要があります。

ドキュメント: https://developer.mozilla.org/en-US/docs/Web/API/KeyboardEvent/keyCode

  • 申し訳ありませんが、今はこれらのスニペットをテストできません。それをテストした後に戻ってきます。

HTMLの場合:

_<body onkeypress="if(event.key==='Enter' && event.target.form){focusNextElement(event); return false;}">
_

JQueryの場合:

_$(window).on('keypress', function (ev)
{
    if (ev.key === "Enter" && ev.currentTarget.form) focusNextElement(ev)
}
_

そして、バニラJSで:

_document.addEventListener('keypress', function (ev) {
    if (ev.key === "Enter" && ev.currentTarget.form) focusNextElement(ev);
});
_

ここからfocusNextElement()関数を使用できます。 https://stackoverflow.com/a/35173443/3356679

0
oriadam

Mozilla、IE、Chromeでテストした以下のコードを使用できます

   // Use to act like tab using enter key
    $.fn.enterkeytab=function(){
         $(this).on('keydown', 'input, select,', function(e) {
        var self = $(this)
          , form = self.parents('form:eq(0)')
          , focusable
          , next
          ;
            if (e.keyCode == 13) {
                focusable = form.find('input,a,select,button').filter(':visible');
                next = focusable.eq(focusable.index(this)+1);
                if (next.length) {
                    next.focus();
                } else {
                    alert("wd");
                    //form.submit();
                }
                return false;
            }
        });

    }

使い方?

$( "#form")。enterkeytab(); //キータブを入力します

0
Francis Tudlong