欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

详解Angular中的自定义服务Service、Provider以及Factory

程序员文章站 2022-11-20 10:31:38
背景来源于前段时间的一场面试,面试官看着我angular控制器中添加各种功能重复的方法,脸都发绿了,不过还是耐心地跟我指出提高angular代码复用性需要service、p...

背景来源于前段时间的一场面试,面试官看着我angular控制器中添加各种功能重复的方法,脸都发绿了,不过还是耐心地跟我指出提高angular代码复用性需要service、provider和factory三种复用性很高的方法,遂习之,以下是我的学习成果:

先说说factory:

通过注册.factory('my注册名',方法()),返回一个对象,你就能在控制器中引入这个方法并访问这个对象:
例子:

<!-- factory模式 -->
  <div ng-controller="thefactoryctrl">
    <h3>factory模式</h3>
    <ul>
      <li ng-repeat="i in names">
        {{i}}
      </li>
    </ul>

  </div>

js代码:

/*工厂模式,注入参数中调用的是这个函数里的返回值*/
  app.factory("myfactory",function(){

    var args = arguments;
    var obj = {}

    obj.exec = function(){
      var arr = [];
      for(let i = 0; i<arguments.length; i++){
        arr.push(arguments[i]);
      }
      return arr;
    }
    return obj;
  })
app.controller("thefactoryctrl",function ($scope,myfactory) {

    $scope.names = myfactory.exec("张三的歌","赵四的舞","老王贼六");

  })

效果:

详解Angular中的自定义服务Service、Provider以及Factory

service:

在service使用构造函数的方法去用它,在控制器中是以new的方式引入,所以可以调用service中定义的属性

html:

<!-- service模式 -->
  <div ng-controller="theservicectrl">
    <h3>service模式</h3>
    <p>prop:{{prop}}</p>
    <p>num:{{num}}</p>
  </div>

js:

app.controller("theservicectrl",function($scope,myservice){
    $scope.prop = myservice.prop("呵呵");
    $scope.num = myservice.num;
  })
/*service是new出来的,所以可以直接调用里面的属性*/
  app.service("myservice",function(){
    this.num = math.floor(math.random()*10);//0到10的随机数
    this.prop = function(arg){
      return arg;
    };
  })

效果:

详解Angular中的自定义服务Service、Provider以及Factory

provider:

如果你想在创建服务之前先对服务进行配置,那么你需要provider,因为provider可以通过定义config,并在$get中访问config
html:

<!-- provider模式 -->
  <div ng-controller="theproviderctrl">
    <h3>provider模式</h3>
    <p>姓名:{{info.name}}</p>
    <p>部队:{{info.squad}}</p>
    <p>职务:{{info.role}}</p>
  </div>

js:

/*使用$get方法关联对应的config*/
  app.provider("myprovider",function(){

    this.$get = function(){

      return {
        name : "朱子明",
        squad : "八路军386旅独立团",
        role : this.roleset

      }
    }

  })
  /*名字必须符合规范:xxxxxxprovider*/
  app.config(function(myproviderprovider){
    myproviderprovider.roleset = "保卫干事"
  })
app.controller("theproviderctrl",function($scope,myprovider){
    $scope.info = {
      name : myprovider.name,
      squad : myprovider.squad,
      role : myprovider.role

    }
  })

效果:

详解Angular中的自定义服务Service、Provider以及Factory

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。