2

我目前正在开发 OpportunityLineItem 的触发器,Salesforce 上的每个产品都是我们的“基本”产品。

当销售人员将产品添加到机会时,他还需要输入 mpn(= 产品的唯一 ID),他们将致电我们的网站以获取实际价格,因为实际价格取决于产品上设置的每个选项。我的触发器正在调用一个类来发出请求,到目前为止它正在工作!但是,当我想添加相同的一对 productID 和 mpn 时,它将不起作用。

问题:

销售人员将添加一个产品 OpportunityLineItem ,但该产品已经在他的 Opportunity 的当前 OpportunityLineItem 中,因此无法正常工作。

首先,我的触发器不会得到价格,因为我的 SOQL 请求将返回多个结果。

这是我的触发器:

trigger GetRealPrice on OpportunityLineItem (after insert) {
    for(OpportunityLineItem op : Trigger.new){
        RequestTest.getThePrice(op.Id_UAD__c,op.MPN__c,op.OpportunityId);  
    }
}

这里是被调用的类;

public class RequestTest {
    //Future annotation to mark the method as async.
    @Future(callout=true)
    public static void getThePrice(Decimal idUad, String mpnProduct,String opID){
        // Build the http request
        Http http = new Http();
        HttpRequest req = new HttpRequest();
        req.setEndpoint('http://www.site.com/mpn.getprice?id='+idUad+'&mpn='+mpnProduct);
        req.setMethod('GET'); 

         String result;
         HttpResponse res = http.send(req);
         System.debug(res.getBody());
         result = res.getBody();
          Decimal price = Decimal.valueof(result);

         System.debug(opID);
         OpportunityLineItem op = [SELECT UnitPrice FROM OpportunityLineItem 
                                  WHERE Id_UAD__c = :idUad
                                  AND OpportunityId = :opID 
                                  AND MPN__c = :mpnProduct] ;
        System.debug('you went through step1');

        op.UnitPrice = price;
        System.debug('This is the opportunity price'+op.UnitPrice);
        update op;
    }
}
4

1 回答 1

0

由于您要遍历触发器中的每个订单项,因此请传递订单项 ID。然后更改您的方法来处理每个行项目的更新:

trigger GetRealPrice on OpportunityLineItem (after insert) {
  for(OpportunityLineItem op : Trigger.new){
    RequestTest.getThePrice(op.Id_UAD__c,op.MPN__c,op.Id);  
  }
}

...

public class RequestTest {
  //Future annotation to mark the method as async.
  @Future(callout=true)
  public static void getThePrice(Decimal idUad, String mpnProduct,String opLineID){
    ...
    Decimal price = Decimal.valueof(result);
    System.debug(opID);
    OpportunityLineItem op = [SELECT UnitPrice FROM OpportunityLineItem 
                              WHERE Id = :opLineID] ;

    op.UnitPrice = price;
    System.debug('This is the opportunity price'+op.UnitPrice);
    update op;
  }
}
于 2012-07-02T18:09:51.443 回答