55

如何自动大写AngularJS表单元素内输入字段中的第一个字符?

我已经看到了 jQuery 解决方案,但相信这必须通过使用指令在 AngularJS 中以不同方式完成。

4

15 回答 15

100

是的,您需要定义一个指令并定义您自己的解析器函数:

myApp.directive('capitalizeFirst', function($parse) {
   return {
     require: 'ngModel',
     link: function(scope, element, attrs, modelCtrl) {
        var capitalize = function(inputValue) {
           if (inputValue === undefined) { inputValue = ''; }
           var capitalized = inputValue.charAt(0).toUpperCase() +
                             inputValue.substring(1);
           if(capitalized !== inputValue) {
              modelCtrl.$setViewValue(capitalized);
              modelCtrl.$render();
            }         
            return capitalized;
         }
         modelCtrl.$parsers.push(capitalize);
         capitalize($parse(attrs.ngModel)(scope)); // capitalize initial value
     }
   };
});

HTML:

<input type="text" ng-model="obj.name" capitalize-first>

小提琴

于 2013-03-06T17:20:35.773 回答
53

请记住,并非所有事情都需要 Angular 解决方案。你在 jQuery 人群中看到了很多。他们喜欢使用昂贵的 jQuery 函数来做一些用纯 javascript 更简单或更容易做的事情。

因此,虽然您可能非常需要一个大写函数并且上述答案提供了这一点,但仅使用 css 规则“文本转换:大写”会更有效率

<tr ng-repeat="(key, value) in item">
    <td style="text-transform: capitalize">{{key}}</td>
    <td>{{item}}</td>
</tr>
于 2013-06-04T15:46:49.510 回答
23

You can create a custom filter 'capitalize' and apply it to any string you want:

 <div ng-controller="MyCtrl">
     {{aString | capitalize}} !
</div>

JavaScript code for filter:

var app = angular.module('myApp',[]);

myApp.filter('capitalize', function() {
    return function(input, scope) {
        return input.substring(0,1).toUpperCase()+input.substring(1);
    }
});
于 2013-03-06T09:03:23.430 回答
4

我更喜欢过滤器和指令。这应该适用于光标移动:

app.filter('capitalizeFirst', function () {
    return function (input, scope) {
        var text = input.substring(0, 1).toUpperCase() + input.substring(1).toLowerCase();
        return text;
    }
});

app.directive('capitalizeFirst', ['$filter', function ($filter) {
    return {
        require: 'ngModel',
        link: function (scope, element, attrs, controller) {
            controller.$parsers.push(function (value) {
                var transformedInput = $filter('capitalizeFirst')(value);
                if (transformedInput !== value) {
                    var el = element[0];
                    el.setSelectionRange(el.selectionStart, el.selectionEnd);
                    controller.$setViewValue(transformedInput);
                    controller.$render();
                }
                return transformedInput;
            });
        }
    };
}]);

这是一个小提琴

于 2014-12-04T09:56:58.283 回答
4

修改了他的代码以大写单词的每个第一个字符。如果你给' john doe ',输出是' John Doe '

myApp.directive('capitalizeFirst', function() {
   return {
     require: 'ngModel',
     link: function(scope, element, attrs, modelCtrl) {
        var capitalize = function(inputValue) {
           var capitalized = inputValue.split(' ').reduce(function(prevValue, word){
            return  prevValue + word.substring(0, 1).toUpperCase() + word.substring(1) + ' ';
        }, '');
           if(capitalized !== inputValue) {
              modelCtrl.$setViewValue(capitalized);
              modelCtrl.$render();
            }         
            return capitalized;
         }
         modelCtrl.$parsers.push(capitalize);
         capitalize(scope[attrs.ngModel]);  // capitalize initial value
     }
   };
});
于 2014-06-05T02:16:56.427 回答
4

使用 CSS :first-letter 伪类。

您需要将所有内容都小写,然后仅将大写应用于第一个字母

p{
    text-transform: lowercase;
}
p:first-letter{
    text-transform: uppercase;
}

这是一个例子:http: //jsfiddle.net/AlexCode/xu24h/

于 2014-03-21T14:09:44.073 回答
3

要解决光标问题(从 Mark Rajcok 的解决方案那里),您可以将 element[0].selectionStart 存储在方法的开头,然后确保将 element[0].selectionStart 和 element[0].selectionEnd 重置为存储的返回前的值。这应该以角度捕获您的选择范围

于 2013-12-18T20:59:09.353 回答
2

对 Mark Rajcok 解决方案的评论:使用 $setViewValue 时,您会再次触发解析器和验证器。如果你在你的 capitalize 函数的开头添加一个 console.log 语句,你会看到它被打印了两次。

我提出以下指令解决方案(其中 ngModel 是可选的):

.directive('capitalize', function() {
   return {
     restrict: 'A',
     require: '?ngModel',
     link: function(scope, element, attrs, ngModel) {
         var capitalize = function (inputValue) {
             return (inputValue || '').toUpperCase();
         }
         if(ngModel) {
             ngModel.$formatters.push(capitalize);
             ngModel._$setViewValue = ngModel.$setViewValue;
             ngModel.$setViewValue = function(val){
                 ngModel._$setViewValue(capitalize(val));
                 ngModel.$render();
             };
         }else {
             element.val(capitalize(element.val()));
             element.on("keypress keyup", function(){
                 scope.$evalAsync(function(){
                     element.val(capitalize(element.val()));
                 });
             });
         }
     }
   };
});
于 2015-04-22T11:41:08.517 回答
2

生成指令:

ng g directive capitalizeFirst

更新文件 capitalize-first.directive.ts:

import {Directive, ElementRef, HostListener} from '@angular/core';

@Directive({
  selector: '[appCapitalizeFirst]'
})
export class CapitalizeFirstDirective {

  constructor(private ref: ElementRef) {
  }

  @HostListener('input', ['$event'])
  onInput(event: any): void {
    if (event.target.value.length === 1) {
      const inputValue = event.target.value;
      this.ref.nativeElement.value = inputValue.charAt(0).toUpperCase() + inputValue.substring(1);
    }
  }

}

用法:

  <input appCapitalizeFirst>

此代码适用于 Angular 11+

于 2020-12-07T09:15:32.717 回答
1

这是第一个字母大写的过滤器的代码笔:http: //codepen.io/WinterJoey/pen/sfFaK

angular.module('CustomFilter', []).
  filter('capitalize', function() {
    return function(input, all) {
      return (!!input) ? input.replace(/([^\W_]+[^\s-]*) */g, function(txt){return txt.charAt(0).toUpperCase() + txt.substr(1).toLowerCase();}) : '';
    }
  });
于 2014-09-06T19:44:07.063 回答
1

除了纯 CSS 的答案之外,您始终可以使用Twitter Bootstrap

<td class="text-capitalize">
于 2015-06-26T05:37:29.467 回答
0

建立 Mark Rajcok 的解决方案;重要的是要考虑该指令仅在输入字段参与时评估,否则您将收到错误消息,直到输入字段具有第一个字符。用几个条件轻松修复:一个 jsfiddle 去:https ://jsfiddle.net/Ely_Liberov/Lze14z4g/2/

      .directive('capitalizeFirst', function(uppercaseFilter, $parse) {
      return {
        require: 'ngModel',
        link: function(scope, element, attrs, modelCtrl) {
            var capitalize = function(inputValue) {
              if (inputValue != null) {
              var capitalized = inputValue.charAt(0).toUpperCase() +
                inputValue.substring(1);
              if (capitalized !== inputValue) {
                 modelCtrl.$setViewValue(capitalized);
                 modelCtrl.$render();
              }
              return capitalized;
            }
          };
          var model = $parse(attrs.ngModel);
          modelCtrl.$parsers.push(capitalize);
          capitalize(model(scope));
        }
       };
    });
于 2015-05-16T20:57:43.263 回答
0

css-ony 答案的问题是角度模型没有随视图更新。这是因为 css 仅在渲染后应用样式。

以下指令更新模型并记住光标位置

app.module.directive('myCapitalize', [ function () {
        'use strict';

    return {
        require: 'ngModel',
        restrict: "A",
        link: function (scope, elem, attrs, modelCtrl) {

            /* Watch the model value using a function */
            scope.$watch(function () {
                return modelCtrl.$modelValue;
            }, function (value) {

                /**
                 * Skip capitalize when:
                 * - the value is not defined.
                 * - the value is already capitalized.
                 */
                if (!isDefined(value) || isUpperCase(value)) {
                    return;
                }

                /* Save selection position */
                var start = elem[0].selectionStart;
                var end = elem[0].selectionEnd;

                /* uppercase the value */
                value = value.toUpperCase();

                /* set the new value in the modelControl */
                modelCtrl.$setViewValue(value);

                /* update the view */
                modelCtrl.$render();

                /* Reset the position of the cursor */
                elem[0].setSelectionRange(start, end);
            });

            /**
             * Check if the string is defined, not null (in case of java object usage) and has a length.
             * @param str {string} The string to check
             * @return {boolean} <code>true</code> when the string is defined
             */
            function isDefined(str) {
                return angular.isDefined(str) && str !== null && str.length > 0;
            }

            /**
             * Check if a string is upper case
             * @param str {string} The string to check
             * @return {boolean} <code>true</code> when the string is upper case
             */
            function isUpperCase(str) {
                return str === str.toUpperCase();
            }
        }
    };
}]);
于 2016-08-18T08:52:24.617 回答
-1

您可以使用提供的大写过滤器。

http://docs.angularjs.org/api/ng.filter:大写

于 2013-03-06T08:47:02.020 回答
-3

你可以使用纯CSS:

input { text-transform: capitalize; }

于 2013-08-20T20:31:39.703 回答