在AngularJS中向输入字段添加前缀值

时间:2015-12-16 08:54:58

标签: javascript angularjs angularjs-directive

我有这样的要求。

<label>Website Address</label>
                    <span><input type="text" class="form-factor" data-ng-model="websiteUrl"/></span>

我有这样的HTML代码。用户在网站网址字段中输入文字后,我需要使用http://为网址添加前缀。

如果用户输入的网址为http://。然后无需添加http://前缀。

如何在AngularJS中使用。

请建议

1 个答案:

答案 0 :(得分:2)

好的,还可以使用formater和parser在模型级别完成任务。我把代码从另一个解决方案放在这里,因为那里的代码是托管外部的:

https://stackoverflow.com/a/19482887/3641016

&#13;
&#13;
angular.module('app', [])
  .controller('testCtrl', function($scope) {
    $scope.input1 = "";
    $scope.input2 = "";
  })
  .filter('prefixHttp', function() {
    return function(input) {
      return input.indexOf("http://") == 0 ? input : 'http://' + input;
    };
  })
  .directive('httpPrefix', function() {
    return {
      restrict: 'A',
      require: 'ngModel',
      link: function(scope, element, attrs, controller) {
        function ensureHttpPrefix(value) {
          // Need to add prefix if we don't have http:// prefix already AND we don't have part of it
          if (value && !/^(https?):\/\//i.test(value) && 'http://'.indexOf(value) !== 0 && 'https://'.indexOf(value) !== 0) {
            controller.$setViewValue('http://' + value);
            controller.$render();
            return 'http://' + value;
          } else
            return value;
        }
        controller.$formatters.push(ensureHttpPrefix);
        controller.$parsers.splice(0, 0, ensureHttpPrefix);
      }
    };
  });
&#13;
<script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.4.8/angular.min.js"></script>
<div ng-app="app" ng-controller="testCtrl">
  <label>prefix the output
    <input ng-model="input1" />{{input1 | prefixHttp}}
  </label>
  <br/>

  <label>prefix the model
    <input ng-model="input2" http-prefix/>{{input2}}
  </label>
</div>
&#13;
&#13;
&#13;