web-dev-qa-db-ja.com

AngularJSでキー押下イベントを使用する方法

下のテキストボックスでEnterキーを押すイベントをキャッチしたいです。より明確にするために、tbodyを生成するためにng-repeatを使用しています。これがHTMLです。

<td><input type="number" id="closeqty{{$index}}" class="pagination-right closefield" 
    data-ng-model="closeqtymodel" data-ng-change="change($index)" required placeholder="{{item.closeMeasure}}" /></td>

これは私のモジュールです:

angular.module('components', ['ngResource']);

私はテーブルを埋めるためにリソースを使っています、そして私のコントローラコードは次のとおりです。

function Ajaxy($scope, $resource) {
//controller which has resource to populate the table 
}
396
Venkata Tata

このようにdirectiveを追加する必要があります。

Javascript

app.directive('myEnter', function () {
    return function (scope, element, attrs) {
        element.bind("keydown keypress", function (event) {
            if(event.which === 13) {
                scope.$apply(function (){
                    scope.$eval(attrs.myEnter);
                });

                event.preventDefault();
            }
        });
    };
});

_ html _

<div ng-app="" ng-controller="MainCtrl">
    <input type="text" my-enter="doSomething()">    
</div>
797
EpokK

別の方法は標準的なディレクティブng-keypress="myFunct($event)"を使うことです

それからあなたのコントローラーであなたは持つことができます:

...

$scope.myFunct = function(keyEvent) {
  if (keyEvent.which === 13)
    alert('I am an alert');
}

...
334
Chris Reynolds

角度付きの組み込みディレクティブを使用した私の最も簡単なアプローチ:

ng-keypressng-keydownまたはng-keyup

通常、ng-clickで既に処理されているものにキーボードサポートを追加したいです。

例えば:

<a ng-click="action()">action</a>

それでは、キーボードサポートを追加しましょう。

エンターキーでトリガーする:

<a ng-click="action()" 
   ng-keydown="$event.keyCode === 13 && action()">action</a>

スペースキーで

<a ng-click="action()" 
   ng-keydown="$event.keyCode === 32 && action()">action</a>

スペースで入力するかキーを入力してください。

<a ng-click="action()" 
   ng-keydown="($event.keyCode === 13 || $event.keyCode === 32) && action()">action</a>

最新のブラウザを使用している場合

<a ng-click="action()" 
   ng-keydown="[13, 32].includes($event.keyCode) && action()">action</a>

KeyCodeについてもっと詳しく:
keyCodeは廃止予定ですが、よくサポートされているAPIです。代わりに、サポートされているブラウザで$ evevt.keyを使用できます。
https://developer.mozilla.org/en-US/docs/Web/API/KeyboardEvent/key で詳細を参照してください。

165
Eric Chen

もう1つの簡単な方法:

<input ng-model="edItem" type="text" 
    ng-keypress="($event.which === 13)?foo(edItem):0"/>

そしてng-uiの代替手段:

<input ng-model="edItem" type="text" ui-keypress="{'enter':'foo(edItem)'}"/>

これは私が似たような要件でアプリを構築していたときに私が考え出したものです、それはディレクティブを書くことを必要としません、そしてそれが何をするかを言うのは比較的簡単です:

<input type="text" ng-keypress="($event.charCode==13)?myFunction():return" placeholder="Will Submit on Enter">
19
marcinzajkowski

属性として ng-keydown = "myFunction($ event)"を使用できます。

<input ng-keydown="myFunction($event)" type="number">

myFunction(event) {
    if(event.keyCode == 13) {   // '13' is the key code for enter
        // do what you want to do when 'enter' is pressed :)
    }
}
15
Fineas

html

<textarea id="messageTxt" 
    rows="5" 
    placeholder="Escriba su mensaje" 
    ng-keypress="keyPressed($event)" 
    ng-model="smsData.mensaje">
</textarea>

controller.js

$scope.keyPressed = function (keyEvent) {
    if (keyEvent.keyCode == 13) {
        alert('presiono enter');
        console.log('presiono enter');
    }
};

親要素のコントローラにも適用できます。この例は、上下の矢印キーを押してテーブル内の行を強調表示するために使用できます。

app.controller('tableCtrl', [ '$scope', '$element', function($scope, $element) {
  $scope.index = 0; // row index
  $scope.data = []; // array of items
  $scope.keypress = function(offset) {
    console.log('keypress', offset);
    var i = $scope.index + offset;
    if (i < 0) { i = $scope.data.length - 1; }
    if (i >= $scope.data.length) { i = 0; }
  };
  $element.bind("keydown keypress", function (event) {
    console.log('keypress', event, event.which);
    if(event.which === 38) { // up
      $scope.keypress(-1);
    } else if (event.which === 40) { // down
      $scope.keypress(1);
    } else {
      return;
    }
    event.preventDefault();
  });
}]);


<table class="table table-striped" ng-controller="tableCtrl">
<thead>
    <tr>
        <th ng-repeat="(key, value) in data[0]">{{key}}</th>
    </tr>
</thead>
<tbody>
    <tr ng-repeat="row in data track by $index" ng-click="draw($index)" ng-class="$index == index ? 'info' : ''">
        <td ng-repeat="(key, value) in row">{{value}}</td>
    </tr>
</tbody>
</table>
3
will Farrell

やってみる

ng-keypress="console.log($event)"
ng-keypress="alert(123)"

私には何もしませんでした。

Strangley https://docs.angularjs.org/api/ng/directive/ngKeypress にあるサンプルで、ng-keypress = "count = count + 1"が機能します。

Enterキーを押してボタンをクリックするという別の解決策が見つかりました。

<input ng-model="..." onkeypress="if (event.which==13) document.getElementById('button').click()"/>
<button id="button" ng-click="doSomething()">Done</button>
3
snaran
<!DOCTYPE html>
<html>
<script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.6.4/angular.min.js"></script>
<body>
<div ng-app="myApp" ng-controller="myCtrl">
Informe your name:<input type="text" ng-model="pergunta" ng-keypress="pressionou_enter($event)" ></input> 
<button ng-click="chamar()">submit</button>
<h1>{{resposta}}</h1> 
</div>
<script>
var app = angular.module('myApp', []);
//create a service mitsuplik
app.service('mitsuplik', function() {
    this.myFunc = function (parametro) {
        var tmp = ""; 
        for (var x=0;x<parametro.length;x++)
            {
            tmp = parametro.substring(x,x+1) + tmp;
            } 
        return tmp;
    }
});
//Calling our service
app.controller('myCtrl', function($scope, mitsuplik) { 
  $scope.chamar = function() { 
        $scope.resposta = mitsuplik.myFunc($scope.pergunta); 
    };
  //if mitsuplik press [ENTER], execute too
  $scope.pressionou_enter = function(keyEvent) {
             if (keyEvent.which === 13) 
                { 
                $scope.chamar();
                }

    }
});
</script>
</body>
</html>
2
Marcus Poli

これはEpokKからの回答の拡張です。

Enterが入力フィールドにプッシュされたときにスコープ関数を呼び出さなければならないという同じ問題がありました。しかし、私はまた 入力フィールドの値 を指定された関数に渡したいと思いました。これが私の解決策です:

app.directive('ltaEnter', function () {
return function (scope, element, attrs) {
    element.bind("keydown keypress", function (event) {
        if(event.which === 13) {
          // Create closure with proper command
          var fn = function(command) {
            var cmd = command;
            return function() {
              scope.$eval(cmd);
            };
          }(attrs.ltaEnter.replace('()', '("'+ event.target.value +'")' ));

          // Apply function
          scope.$apply(fn);

          event.preventDefault();
        }
    });
};

;));

HTMLでの使用は以下のとおりです。

<input type="text" name="itemname" lta-enter="add()" placeholder="Add item"/>

EpokKの答えを称賛します。

2
tassaert.l

これはどうですか?:

<form ng-submit="chat.sendMessage()">
    <input type="text" />
    <button type="submit">
</form>

入力に何かを書いた後にエンターキーを押すと、フォームはそれをどのように処理するかを知っています。

1
Juan Moreno

Document.bindを使う方がもう少しエレガントだと思います

constructor($scope, $document) {
  var that = this;
  $document.bind("keydown", function(event) {
    $scope.$apply(function(){
      that.handleKeyDown(event);
    });
  });
}

ドキュメントをコントローラのコンストラクタに渡すには:

controller: ['$scope', '$document', MyCtrl]
0
FreshPow
(function(angular) {
  'use strict';
angular.module('dragModule', [])
  .directive('myDraggable', ['$document', function($document) {
    return {
      link: function(scope, element, attr) {
         element.bind("keydown keypress", function (event) {
           console.log('keydown keypress', event.which);
            if(event.which === 13) {
                event.preventDefault();
            }
        });
      }
    };
  }]);
})(window.angular);
0
Mukundhan

私が自分のプロジェクトのためにしたコードのいくつかの例。基本的にあなたのエンティティにタグを追加します。あなたが入力テキストを持っていると想像してください。Tag nameを入力すると、あなたはそこから選ぶためにあらかじめロードされたタグを持つドロップダウンメニューを得ます、あなたは矢印でナビゲートしEnterで選びます:

HTML + Angular JS v1.2.0-rc.3

    <div>
        <form ng-submit="addTag(newTag)">
            <input id="newTag" ng-model="newTag" type="text" class="form-control" placeholder="Enter new tag"
                   style="padding-left: 10px; width: 700px; height: 33px; margin-top: 10px; margin-bottom: 3px;" autofocus
                   data-toggle="dropdown"
                   ng-change="preloadTags()"
                   ng-keydown="navigateTags($event)">
            <div ng-show="preloadedTags.length > 0">
                <nav class="dropdown">
                    <div class="dropdown-menu preloadedTagPanel">
                        <div ng-repeat="preloadedTag in preloadedTags"
                             class="preloadedTagItemPanel"
                             ng-class="preloadedTag.activeTag ? 'preloadedTagItemPanelActive' : '' "
                             ng-click="selectTag(preloadedTag)"
                             tabindex="{{ $index }}">
                            <a class="preloadedTagItem"
                               ng-class="preloadedTag.activeTag ? 'preloadedTagItemActive' : '' "
                               ng-click="selectTag(preloadedTag)">{{ preloadedTag.label }}</a>
                        </div>
                    </div>
                </nav>
            </div>
        </form>
    </div>

Controller.js

$scope.preloadTags = function () {
    var newTag = $scope.newTag;
    if (newTag && newTag.trim()) {
        newTag = newTag.trim().toLowerCase();

        $http(
            {
                method: 'GET',
                url: 'api/tag/gettags',
                dataType: 'json',
                contentType: 'application/json',
                mimeType: 'application/json',
                params: {'term': newTag}
            }
        )
            .success(function (result) {
                $scope.preloadedTags = result;
                $scope.preloadedTagsIndex = -1;
            }
        )
            .error(function (data, status, headers, config) {
            }
        );
    } else {
        $scope.preloadedTags = {};
        $scope.preloadedTagsIndex = -1;
    }
};

function checkIndex(index) {
    if (index > $scope.preloadedTags.length - 1) {
        return 0;
    }
    if (index < 0) {
        return $scope.preloadedTags.length - 1;
    }
    return index;
}

function removeAllActiveTags() {
    for (var x = 0; x < $scope.preloadedTags.length; x++) {
        if ($scope.preloadedTags[x].activeTag) {
            $scope.preloadedTags[x].activeTag = false;
        }
    }
}

$scope.navigateTags = function ($event) {
    if (!$scope.newTag || $scope.preloadedTags.length == 0) {
        return;
    }
    if ($event.keyCode == 40) {  // down
        removeAllActiveTags();
        $scope.preloadedTagsIndex = checkIndex($scope.preloadedTagsIndex + 1);
        $scope.preloadedTags[$scope.preloadedTagsIndex].activeTag = true;
    } else if ($event.keyCode == 38) {  // up
        removeAllActiveTags();
        $scope.preloadedTagsIndex = checkIndex($scope.preloadedTagsIndex - 1);
        $scope.preloadedTags[$scope.preloadedTagsIndex].activeTag = true;
    } else if ($event.keyCode == 13) {  // enter
        removeAllActiveTags();
        $scope.selectTag($scope.preloadedTags[$scope.preloadedTagsIndex]);
    }
};

$scope.selectTag = function (preloadedTag) {
    $scope.addTag(preloadedTag.label);
};

CSS +ブートストラップv2.3.2

.preloadedTagPanel {
    background-color: #FFFFFF;
    display: block;
    min-width: 250px;
    max-width: 700px;
    border: 1px solid #666666;
    padding-top: 0;
    border-radius: 0;
}

.preloadedTagItemPanel {
    background-color: #FFFFFF;
    border-bottom: 1px solid #666666;
    cursor: pointer;
}

.preloadedTagItemPanel:hover {
    background-color: #666666;
}

.preloadedTagItemPanelActive {
    background-color: #666666;
}

.preloadedTagItem {
    display: inline-block;
    text-decoration: none;
    margin-left: 5px;
    margin-right: 5px;
    padding-top: 5px;
    padding-bottom: 5px;
    padding-left: 20px;
    padding-right: 10px;
    color: #666666 !important;
    font-size: 11px;
}

.preloadedTagItem:hover {
    background-color: #666666;
}

.preloadedTagItemActive {
    background-color: #666666;
    color: #FFFFFF !important;
}

.dropdown .preloadedTagItemPanel:last-child {
    border-bottom: 0;
}
0
Dmitri Algazin

少し遅れていますが、auto-focusを使ったもっと簡単な解決策を見つけました。これはdialogをポップするときにボタンやその他のものに役立つでしょう:

<button auto-focus ng-click="func()">ok</button>

ボタンonSpaceまたはEnterクリックを押したいのであれば、これで問題ありません。

0
Abdellah Alaoui

これが私の指令です:

mainApp.directive('number', function () {
    return {
        link: function (scope, el, attr) {
            el.bind("keydown keypress", function (event) {
                //ignore all characters that are not numbers, except backspace, delete, left arrow and right arrow
                if ((event.keyCode < 48 || event.keyCode > 57) && event.keyCode != 8 && event.keyCode != 46 && event.keyCode != 37 && event.keyCode != 39) {
                    event.preventDefault();
                }
            });
        }
    };
});

使用法:

<input number />
0
WtFudgE

ng-keydown、ng-keyup、ng-pressなどが使えます。

関数をトライする:

   <input type="text" ng-keypress="function()"/>

または、エスケープキーを押したときのような状況が1つある場合(27はエスケープのキーコードです)

 <form ng-keydown=" event.which=== 27?cancelSplit():0">
....
</form>
0
Eassa Nassar

イベントを取得するために必要なことは次のとおりです。

console.log(angular.element(event.which));

ディレクティブcan実行しますが、それはhow yo実行しません。

0
Konkret