Skip to content

This issue was moved to a discussion.

You can continue the conversation there. Go to discussion →

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Apex_CustomRule: Check existence of specific class / method name using count function #1919

Closed
haigsn opened this issue Jul 17, 2019 · 24 comments
Labels
a:question Request for information that doesn't necessarily entail changes to the code base

Comments

@haigsn
Copy link

haigsn commented Jul 17, 2019

I'm writing customrule to verify an ApexTestClass has specific class (with specific name e.g. "bulkApexTest") implemented. To achieve this, I'm planning the following

Check the ApexTestClass not having class with name = 'bulkApexTest'. To do this, I was trying using count function (//UserClass[count(/UserClassMethods[@image="bulkApexTest"])=0]. But this expression is not returning the expected results. please find the sample code below.

/***************************************************************************************************
Class Name: AddSite_CX
****************************************************************************************************/

public class AddSite_CX {
public Site_Contacts__c siteContactObj {get; set;}
Public Case caseRecord {get; Set;}
Public String contactId {get; set;}
Public String siteContactRecordTypeId {get; set;}
Public String locIdString {get; set;}
Public String locIAddressString {get; set;}
Public String siteSFId {get; set;}
Public Boolean showSaveButton{get; set;}
Public String noValue{get; set;}
Public Boolean throwError {get; Set;}
Public Boolean hasrecords {get; set;}
Public Boolean showAdvSearchComponent {get; set;}
Public String caseId {get; set;}
Public String newSiteId {get; set;}
Public Set setRelatedSites {get; set;}
Public Map<String, Id> mapOfSiteRecordTypeNamesAndId {get; set;}
Public AddressSearch_CX.addressWrapper unStructuredAddress {get; set;}

public AddSite_CX(ApexPages.StandardController sController){          
    throwError = False;
    caseRecord = new Case();
    caseRecord = (Case)sController.getRecord();
    if (caseRecord!=null)
    {
        caseRecord = [select id, status, casenumber,site__c from case where id=:caseRecord.Id];
        caseId = caseRecord.Id;
    } 
    
    if(caseRecord.status=='Closed')
    {
        throwError = True;
        ApexPages.Message PageErrorMessage = new ApexPages.Message(ApexPages.Severity.ERROR,HelperUtility.getErrorMessage('032'));
        ApexPages.addMessage(PageErrorMessage);
    }  
}

public AddSite_CX(ApexPages.StandardSetController controller) {  
   showSaveButton = False;
   throwError = False;
   showAdvSearchComponent = False;
   contactId  = ApexPages.currentPage().getParameters().get('id');
   // Get the RecordType Id of SiteContact by passing the RecordType Name - Default RecordType is 'Customer Service' 
   // Using CustomLabel: DefaultSiteContactRecordType - Customer Service
   Id siteContactRecordTypeId = Schema.SObjectType.Site_Contacts__c.getRecordTypeInfosByName().get(Label.DefaultSiteContactRecordType).getRecordTypeId();
   siteContactObj = new Site_Contacts__c(RecordTypeID=siteContactRecordTypeId, Related_Contact__c=contactId);
   // Prepare map of Site Record Type and its corresponding ID
   mapOfSiteRecordTypeNamesAndId = new Map<String, Id>();
   mapOfSiteRecordTypeNamesAndId = HelperUtility.pullAllRecordTypes('site__c');
   // Prepare a set of RelatedSite ids
   setRelatedSites = new Set<String>(); 
   for(Site_Contacts__c c: [select id,Related_Contact__c,Related_Site__c from Site_Contacts__c where Related_Contact__c =: contactId])
       setRelatedSites.add(c.Related_Site__c);
       
   system.debug('***setRelatedSites*'+setRelatedSites);    
   system.debug('***mapofCaseRecordTypeNameandId*'+mapOfSiteRecordTypeNamesAndId );
} 

public pagereference saveSiteContact()
{        
    pagereference p;
     List<Site__c> s = new List<Site__c>();
    // Site is available in SF map that ID to the related Site
    // If the Searched Site is already Associated to the Contact throw error message.
    // If Site is not available in SF create a new Unverified Site and map that ID to the related site.
    
    system.debug('****siteSFId'+siteSFId);
    if(siteSFId!=null && siteSFId!='')
    {
       If(setRelatedSites.size()>0)
          checkAssociatedSite(setRelatedSites, siteSFId);
       else
          siteContactObj.Related_Site__c = siteSFId;  
    }
    else
    {            
        Site__c newUnverifiedSite = new Site__c();
        if(HelperUtility.checkNullValue(locIdString))
           s = [select id, Location_Id__c from Site__c where Location_Id__c=: locIdString];            
       try{
            If(HelperUtility.checkNullValue(locIAddressString))
            {
                // If a Site is available with the Location Id
                if(s.size()>0)
                  newUnverifiedSite = s[0];                   
                else
                { 
                     newUnverifiedSite.RecordTypeID= (HelperUtility.checkNullValue(locIdString))? mapOfSiteRecordTypeNamesAndId.get('Verified') : mapOfSiteRecordTypeNamesAndId.get('Unverified');                       
                     newUnverifiedSite.Site_Address__c= 'locIAddressString';
                     newUnverifiedSite.Location_Id__c=locIdString;
                     newUnverifiedSite.Name = locIAddressString;                                                               
                }

                // perform ServiceQualification from External System.                   
                newUnverifiedSite = HelperUtility.executeServiceQualification(newUnverifiedSite, newUnverifiedSite.Location_Id__c);   
                System.debug('*** newUnverifiedSite ==>'+ newUnverifiedSite);
                Upsert newUnverifiedSite; 

                // Check If the site is already Associated with Contact or not                     
               If(setRelatedSites.size()>0)
                  checkAssociatedSite(setRelatedSites, string.valueof(newUnverifiedSite.id));                       
                else
                  siteContactObj.Related_Site__c=newUnverifiedSite.id;  
            }
            else
            {
                throwError = True;
                ApexPages.Message PageErrorMessage = new ApexPages.Message(ApexPages.Severity.ERROR,HelperUtility.getErrorMessage('005'));
                ApexPages.addMessage(PageErrorMessage);
            }
        }
        catch(exception ex)
        {
           apexpages.addmessages(ex);
        }
    }
    // Insert SiteContact once we have associated Site.
    if(siteContactObj.Related_Site__c!=null)
    {
        insert siteContactObj;
        p = new PageReference('/'+siteContactObj.id);
        p.setRedirect(true);
    }
    else {
        p=null;
        showSaveButton = True;
    }                
    return p; 
}

 public class sWrapper{
    public string technologyType { get; set; }
    public integer serviceClass { get; set; }
    public string rolloutType { get; set; }
}

public void getaddressDetails()
{
    system.debug('*** siteSFId ==>'+ siteSFId );
    system.debug('*** locIdString ==>'+ locIdString);
    system.debug('*** locIAddressString ==>'+ locIAddressString); 
    if(HelperUtility.checkNullValue(siteSFId) || HelperUtility.checkNullValue(locIdString))
     hasrecords = True;
}

Public void flipAddressComponent(){
    showAdvSearchComponent = True;
}

Public void checkAssociatedSite(set<String> relatedSites, string relatedSiteId)
{
    If(!relatedSites.contains(relatedSiteId))
        siteContactObj.Related_Site__c=relatedSiteId;
    else
    {
        throwError = True;
        ApexPages.Message PageErrorMessage = new ApexPages.Message(ApexPages.Severity.ERROR,HelperUtility.getErrorMessage('004'));
        ApexPages.addMessage(PageErrorMessage);
    }  

}

public pagereference updateCaseWithSiteInfo(){
system.debug('*** newSiteId ==>'+ newSiteId);
case c= [select id,site__c,site__r.name from case where id=:caseId];
c.site__c = ID.valueof(newSiteId);
update c;

   // Get all SiteContacts for the related site               
   set<string> setSiteContacts = new set<String>();
   if(newSiteId!=null)
   {
        for(Site_Contacts__c siteC : [Select id, Related_Contact__c, Related_Site__c, Role__c from Site_Contacts__c where Related_Site__c =: newSiteId])
        {
            setSiteContacts.add(siteC.Related_Contact__c);
        }
   }
   // Create siteContacts which are not already associated.
   List<Site_Contacts__c> lstSC = new List<Site_Contacts__c>();       
   for(Case_Contact__c cc: [Select id, Case__c, Case__r.Site__c, Contact__c, Role__c from Case_Contact__c where Case__c=:c.Id])
   {
      if(!setSiteContacts.Contains(string.valueof(cc.Contact__c)))
      {
            Site_Contacts__c sc = new Site_Contacts__c();
            sc.Related_Contact__c = cc.Contact__c;
            sc.Related_Site__c = cc.Case__r.Site__c;
            sc.Role__c = cc.Role__c ;
            lstSC.add(sc);
      }
    }
    // Insert SiteContacts.
    if(lstSC.size()>0)
     upsert lstSC;
    
    pagereference p;       
    p = new pagereference('/'+caseId);
    p.setRedirect(true);
    return p;
}     

@RemoteAction
public static string getAddressSearchData(AddressSearch_CX.addressWrapper selectedAddress, string cId){
   site__c s = HelperUtility.instantiateUnStructuredVerifiedSite(selectedAddress);
   upsert s;      
   return string.valueof(s.id);
}

 public class bulkApexTest
{
    Public string technologyType
    public string serviceClass
    public string Isbulk

newsArticles = [SELECT Id, KnowledgeArticleId FROM News__kav WHERE PublishStatus = 'Draft' AND Language = 'en_US' ORDER BY Title];
    for (News__kav article : newsArticles) 
    {
        KbManagement.PublishingService.publishArticle(article.KnowledgeArticleId, true);
        articleIds.add(article.Id);
    }
}

@RemoteAction
public static AddressSearch_CX.addressWrapper createUnverifiedSite(AddressSearch_CX.StructuredAddress inputAddress){
    site__c siteRec = HelperUtility.instantiateStructuredUnVerifiedSite(inputAddress);
    insert siteRec;
    AddressSearch_CX.addressWrapper createdUnverifiedAddress = new AddressSearch_CX.addressWrapper ();
    List<Site__c> siteRecords = [SELECT Id, Name, Site_Address__c, Location_Id__c, Asset_Number__c FROM site__c WHERE Id =: siteRec.id LIMIT 1];
    createdUnverifiedAddress.address = siteRecords.get(0).Site_Address__c;
    createdUnverifiedAddress.locationId = siteRecords.get(0).Location_Id__c;
    createdUnverifiedAddress.addressFrom =  'UnVerified';
    createdUnverifiedAddress.assetNumber = siteRecords.get(0).Asset_Number__c;
    createdUnverifiedAddress.sfRecordId = siteRecords.get(0).Id;
    createdUnverifiedAddress.SiteSfRecordName = siteRecords.get(0).Name;
    return createdUnverifiedAddress;
}
@oowekyala
Copy link
Member

Hi, on a first look there are two things that are wrong with your XPath expression:

  • A nested class in Apex is a UserClass directly under another UserClass (UserClassMethods is not a node, at least with PMD 6.16.0)
  • When you want to look for the children of a node, you shouldn't prefix the nested XPath expression with / -> this would search for children of the root of the document, not of the context node.
    So
//UserClass[count(/UserClassMethods[@Image="bulkApexTest"])=0]

becomes

//UserClass[count(./UserClass[@Image="bulkApexTest"])=0]

Notice the nested expression starts with ./, to select the children of the context node (which here is the outer UserClass).

@haigsn
Copy link
Author

haigsn commented Jul 17, 2019 via email

@oowekyala
Copy link
Member

A method in the Apex AST is represented by a node named Method, their name is accessible just like for classes, with the @Image attribute.

  • Eg //UserClass[./Method[@Image="bulkApexTest"]] selects classes that contain a method named bulkApexTest. This won't work with the code sample you provided since bulkApexTest is a class there.
  • Eg //Method[@Image="bulkApexTest"] selects all methods named bulkApexTest

I don't really understand what you did with that code fragment. Did you replace your method with a class? Does this Apex code compile? The AST looks broken.

Are you using the rule designer to inspect the AST? Be aware that it might show a parse tree even though the code does not compile (that's Apex-specific behaviour, which #1741 intends to fix). So until that's implemented, you should check yourself that the code is valid Apex

Not sure why I'm getting 2 nodes as a result for the above expression.

The expression

//UserClass[count(./UserClass[@Image="bulkApexTest"])=0]

selects all classes that do not have a nested class called bulkApexTest. The classes sWrapper and bulkApexTest itself don't have such a nested class, so get selected by the expression.

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

Thanks again for the response. First of all, I didn't make any changes to the code. To avoid any confusion, please use the below one.

@IsTest
public class NS_CISCalloutAPIService_Test {

    @isTest static void test_shouldBuildCorrectQueryFilterStringForSearchByLatLong(){

        String latitude = '-45.000000';
        String longitude = '45.000000';

        DF_SF_Request__c request = new DF_SF_Request__c();
//        request.Opportunity_Bundle__c = opptyBundle.Id;
        request.Search_Type__c = NS_CISCalloutAPIUtils.SEARCH_TYPE_LAT_LONG;
        request.Latitude__c = latitude;
        request.Longitude__c = longitude;
        request.Status__c = NS_CISCalloutAPIUtils.STATUS_PENDING;
        request.Response__c = JSON.serialize(new SF_ServiceFeasibilityResponse());

        // stub cis
        RequestCapturingCisCalloutMock cisCalloutMock = new RequestCapturingCisCalloutMock();
        Test.setMock(HttpCalloutMock.class, cisCalloutMock);

        Test.startTest();

        NS_CISCalloutAPIService.makeCISCallOut(request);

        System.assert(cisCalloutMock.getRequestQueryString().endsWith('?filter=geocode.latitude='+latitude+',geocode.longitude='+longitude+'&include=containmentBoundaries'));

        Test.stopTest();
    }

    private class RequestCapturingCisCalloutMock implements HttpCalloutMock {

        private String requestQueryString;

        public HttpResponse respond(HttpRequest httpRequest){

            requestQueryString = httpRequest.getEndpoint();

            HttpResponse resp = new HttpResponse();
            resp.setStatusCode(200);
            resp.setStatus('ok');
            resp.setHeader('Content-Type', 'application/json');
            resp.setBody('{ 	"data": [{	"type": "location",	"id": "LOC000000000025",	"attributes": {	"dwellingType": "MDU",	"region": "Urban",	"regionValueDefault": "FALSE",	"externalTerritory": "FALSE",	"address": {	"unstructured": "HILLSIDE NURSING HOME  UNIT 212 3 VIOLET TOWN RD MOUNT HUTTON NSW 2290",	"roadNumber1": "3",	"roadName": "VIOLET TOWN",	"roadTypeCode": "RD",	"locality": "MOUNT HUTTON",	"postCode": "2290",	"unitNumber": "212",	"unitType": "UNIT",	"state": "NSW",	"siteName": "HILLSIDE NURSING HOME"	},	"primaryAccessTechnology": {	"technologyType": "Fibre to the node",	"serviceClass": "13",	"rolloutType": "Brownfields"	},	"csaId": "CSA200000010384",	"serviceabilityMessage": null,	"serviceabilityDate": null,	"serviceabilityClassReason": null,	"geoCode": {	"latitude": "-32.9873616",	"longitude": "151.67177704",	"geographicDatum": "GDA94",	"srid": "4283"	},	"landUse": "RESIDENTIAL"	},	"relationships": {	"containmentBoundaries": {	"data": [{	"id": "2BLT-03-11",	"type": "NetworkBoundary",	"boundaryType": "ADA"	},	{	"id": "2BLT-03",	"type": "NetworkBoundary",	"boundaryType": "SAM"	},	{	"id": "S2 - Mount Hutton - Windale",	"type": "NetworkBoundary",	"boundaryType": "SSA"	},	{	"id": "2BLT",	"type": "NetworkBoundary",	"boundaryType": "FSA"	},	{	"id": "2HAM",	"type": "NetworkBoundary",	"boundaryType": "AAR"	}]	},	"MDU": {	"data": {	"id": "LOC100062870710",	"type": "location"	}	}	} 	}], 	"included": [{	"type": "NetworkBoundary",	"id": "2BLT-03-11",	"attributes": {	"boundaryType": "ADA",	"status": "INSERVICE",	"technologyType": "Copper",	"technologySubType": "FTTN"	} 	}, 	{	"type": "NetworkBoundary",	"id": "2BLT-03",	"attributes": {	"boundaryType": "SAM",	"status": "INSERVICE",	"technologyType": "Multiple"	} 	}, 	{	"type": "NetworkBoundary",	"id": "S2 - Mount Hutton - Windale",	"attributes": {	"boundaryType": "SSA",	"status": "PLANNED",	"technologyType": "Satellite"	} 	}, 	{	"type": "NetworkBoundary",	"id": "2BLT",	"attributes": {	"boundaryType": "FSA",	"status": "INSERVICE",	"technologyType": "Multiple"	} 	}, 	{	"type": "NetworkBoundary",	"id": "2HAM",	"attributes": {	"boundaryType": "AAR",	"status": "PLANNED",	"technologyType": "Multiple"	} 	}] }');
            return resp;
        }

        public String getRequestQueryString(){
            return requestQueryString;
        }
    }
    
    @isTest static void shouldSetErrorStatusesOnSFRequests() {
        // stub cis
        CisExceptionCalloutMock cisCalloutMock = new CisExceptionCalloutMock();
        Test.setMock(HttpCalloutMock.class, cisCalloutMock);

        List<DF_SF_Request__c> requests = new List<DF_SF_Request__c>();
        
        requests.add(createSFRequest('wrong_search_type', null, null, null, null));
        
        requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LOCATION_ID, '', null, null, null));
        requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LOCATION_ID, null, null, null, null));
        
        requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LAT_LONG, null, '', '', null));
        requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LAT_LONG, null, null, null, null));
        
        requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_ADDRESS, null, null, null, 'wrong_postcode'));
        requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_ADDRESS, null, null, null, null));
        
        requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LOCATION_ID, 'LOC123456789012', null, null, null));
        
        Test.startTest();
        List<DF_SF_Request__c> results = NS_CISCalloutAPIService.getLocation(requests);
        Test.stopTest();
        
        Assert.equals(8, results.size());
        
        DF_SF_Request__c result;
        
        result = results.get(0);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_UNKNOWN, getResponseStatus(result));
        
        result = results.get(1);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_LOCID, getResponseStatus(result));
        
        result = results.get(2);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_LOCID, getResponseStatus(result));
        
        result = results.get(3);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_LATLONG, getResponseStatus(result));
        
        result = results.get(4);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_LATLONG, getResponseStatus(result));
        
        result = results.get(5);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_ADDRESS, getResponseStatus(result));
        
        result = results.get(6);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_ADDRESS, getResponseStatus(result));
        
        result = results.get(7);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
        Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_UNKNOWN, getResponseStatus(result));
        
    }
    
    private static String getResponseStatus(DF_SF_Request__c request){
        SF_ServiceFeasibilityResponse sfResponse = (SF_ServiceFeasibilityResponse) System.JSON.deserialize(request.Response__c, SF_ServiceFeasibilityResponse.class);
        return sfResponse.Status;
    }
    
    private static DF_SF_Request__c createSFRequest(String searchType, String locId, String latitude, String longitude, String postcode){
        DF_SF_Request__c request = new DF_SF_Request__c();
        request.Search_Type__c = searchType;
        request.Location_Id__c = locId;
        request.Latitude__c = latitude;
        request.Longitude__c = longitude;
        request.Status__c = NS_CISCalloutAPIUtils.STATUS_PENDING;
        request.Postcode__c = postcode;
        request.Response__c = JSON.serialize(new SF_ServiceFeasibilityResponse());
        
        return request;
    }
    
    private class CisExceptionCalloutMock implements HttpCalloutMock {
        public HttpResponse respond(HttpRequest httpRequest){
            throw new CustomException('CIS server error');
        }
    }

    public static bulkApexTest()
    {
	string ABCD
	if (caseRecord!= sCase)
        {
            caseRecord = ABCD
            caseId = caseRecord.Id;
        } 
    }
}

This is the high level AST structure of the code. One base class & 2 child class.

  • UserClass (NS_CISCalloutAPIService_Test)
    UserClass (RequestCapturingCisCalloutMock)
    UserClass (CisExceptionCalloutMock)

When I used the below expression

//UserClass[count(./Method[@Image='bulkApexTest'])=0]

I get 2 nodes

  • RequestCapturingCisCalloutMock
  • CisExceptionCalloutMock.

As you pointed out in your earlier post this is correct, as the expression is executed against all classes (Both Base & Child) and the above child classes doesn't have the "bulkApexTest" method.

Now, my question is Is it possible to check the method existence at the base class only? So, when I execute the expression

//UserClass[count(./Method[@Image='bulkApexTest'])=0]

This should verify only the base class and throw an alert

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

Did this expression works to check existence of method (bulkApexTest) under the base class

//Method[@image='bulkApexTest']../[@image] == .[@image]

Please suggest

@oowekyala
Copy link
Member

Now, my question is Is it possible to check the method existence at the base class only?

Absolutely :) An XPath expressions may start in one of three ways:

  • With //: then the expression is applied to all nodes in the tree. Eg //UserClass selects all UserClass in the tree, regardless of where they are
  • With /: then the expression is applied only to the root node. Eg /UserClass selects only those UserClass nodes that are children of the root -> this is what you're looking for
  • With no slash prefix: this applies to the context node. Eg in [count(./Method)=0], the expression ./Method is not prefixed, and explicitly refers to the context node . to fetch its children named Method (note that that is equivalent to just count(Method)=0 but easier to read IMO.
    • Note that in a filter (expression in square brackets), it's usually wrong to use any other form than this one. Eg count(/Method) counts all methods that are children of the root, and count(//Method) counts all methods of the entire tree. But usually in a filter you want to test the context node.

So to check only the toplevel class you just use / instead of // at the start of your expression.

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

Thanks again for your response Clement. I'm able to get the method under the root element using the below expression
/Method[@image='bulkApexTest'].

Need your further input to validate the below expression to get the count of the method occurrence. Because, In my custom rule, I'm planning to throw an alert if the count =0

/Method[@image='bulkApexTest'][count(.)=0]

Please check and suggest

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

I have tried Boolean, String functions without any success :-(

@oowekyala
Copy link
Member

oowekyala commented Jul 18, 2019

You should instead use

/UserClass[count(./Method[@Image='bulkApexTest'])=0]

There are no Method nodes under the root element, so /Method doesn't match anything. The "root element" is the root of the entire AST. A Method is necessarily nested within a UserClass (AFAIK).

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

Hi Mate, I have tried this before. Unfortunately, this return 2 nodes
CisExceptionCalloutMock
RequestCapturingCisCalloutMock

Which means this expression is executed against each userclass eventhough we used "/" prefix instead of the base class. The expectation is that this rule should not be violated as it has the method "bulkApexTest". your suggestion is much appreciated on solving this issue.

@oowekyala
Copy link
Member

I can't reproduce your issue. Both with the designer and with PMD 6.16.0 a Apex rule with an XPath expression exactly as defined in my last message does not match the code you provided. Using count(...) = 1 matches the outer class as expected.

Please provide more information about how you are running your rule (PMD version chiefly, ruleset file if you have one). If you are using the designer, please note that some older designer versions are bugged and may not refresh results when the XPath expression is edited, but only when the code is edited. On those versions you can trigger evaluation by changing the code trivially (eg remove a brace and readd it). Please make sure you use the latest version anyway.

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

I'm using designer v6.16.0. upon executing the below expression,

/UserClass[count(./Method[@image='bulkApexTest'])=0]

I'm getting the 2 nodes as I mentioned earlier. upon changing this to = 1 doesn't return any results

/UserClass[count(./Method[@image='bulkApexTest'])=1].

I'm using designer to see the output and copying the content by clicking "Export XPath to XML Rule button". Let me know, how I can share the screenshot / attachment.

Below is the ruleset


<rule name="BulkApexTest"
  language="apex"
  message="Apex test class should have bulk test to cover governor limits"
  class="net.sourceforge.pmd.lang.rule.XPathRule">
	<description>
	</description>
	<priority>1</priority>
	<properties>
		<property name="xpath">
			<value>
				<![CDATA[
					/UserClass[count(./Method[@Image='bulkApexTest'])=0]
				]]>
			</value>
		</property>
	</properties>
</rule>
****

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

I'm pasting the Apex code again for your reference


/**

  • Created by alan on 2019-03-04.
    */

@istest
public class NS_CISCalloutAPIService_Test {

@isTest static void test_shouldBuildCorrectQueryFilterStringForSearchByLatLong(){

    String latitude = '-45.000000';
    String longitude = '45.000000';

    DF_SF_Request__c request = new DF_SF_Request__c();

// request.Opportunity_Bundle__c = opptyBundle.Id;
request.Search_Type__c = NS_CISCalloutAPIUtils.SEARCH_TYPE_LAT_LONG;
request.Latitude__c = latitude;
request.Longitude__c = longitude;
request.Status__c = NS_CISCalloutAPIUtils.STATUS_PENDING;
request.Response__c = JSON.serialize(new SF_ServiceFeasibilityResponse());

    // stub cis
    RequestCapturingCisCalloutMock cisCalloutMock = new RequestCapturingCisCalloutMock();
    Test.setMock(HttpCalloutMock.class, cisCalloutMock);

    Test.startTest();

    NS_CISCalloutAPIService.makeCISCallOut(request);

    System.assert(cisCalloutMock.getRequestQueryString().endsWith('?filter=geocode.latitude='+latitude+',geocode.longitude='+longitude+'&include=containmentBoundaries'));

    Test.stopTest();
}

private class RequestCapturingCisCalloutMock implements HttpCalloutMock {

    private String requestQueryString;

    public HttpResponse respond(HttpRequest httpRequest){

        requestQueryString = httpRequest.getEndpoint();

        HttpResponse resp = new HttpResponse();
        resp.setStatusCode(200);
        resp.setStatus('ok');
        resp.setHeader('Content-Type', 'application/json');
        resp.setBody('{ 	"data": [{	"type": "location",	"id": "LOC000000000025",	"attributes": {	"dwellingType": "MDU",	"region": "Urban",	"regionValueDefault": "FALSE",	"externalTerritory": "FALSE",	"address": {	"unstructured": "HILLSIDE NURSING HOME  UNIT 212 3 VIOLET TOWN RD MOUNT HUTTON NSW 2290",	"roadNumber1": "3",	"roadName": "VIOLET TOWN",	"roadTypeCode": "RD",	"locality": "MOUNT HUTTON",	"postCode": "2290",	"unitNumber": "212",	"unitType": "UNIT",	"state": "NSW",	"siteName": "HILLSIDE NURSING HOME"	},	"primaryAccessTechnology": {	"technologyType": "Fibre to the node",	"serviceClass": "13",	"rolloutType": "Brownfields"	},	"csaId": "CSA200000010384",	"serviceabilityMessage": null,	"serviceabilityDate": null,	"serviceabilityClassReason": null,	"geoCode": {	"latitude": "-32.9873616",	"longitude": "151.67177704",	"geographicDatum": "GDA94",	"srid": "4283"	},	"landUse": "RESIDENTIAL"	},	"relationships": {	"containmentBoundaries": {	"data": [{	"id": "2BLT-03-11",	"type": "NetworkBoundary",	"boundaryType": "ADA"	},	{	"id": "2BLT-03",	"type": "NetworkBoundary",	"boundaryType": "SAM"	},	{	"id": "S2 - Mount Hutton - Windale",	"type": "NetworkBoundary",	"boundaryType": "SSA"	},	{	"id": "2BLT",	"type": "NetworkBoundary",	"boundaryType": "FSA"	},	{	"id": "2HAM",	"type": "NetworkBoundary",	"boundaryType": "AAR"	}]	},	"MDU": {	"data": {	"id": "LOC100062870710",	"type": "location"	}	}	} 	}], 	"included": [{	"type": "NetworkBoundary",	"id": "2BLT-03-11",	"attributes": {	"boundaryType": "ADA",	"status": "INSERVICE",	"technologyType": "Copper",	"technologySubType": "FTTN"	} 	}, 	{	"type": "NetworkBoundary",	"id": "2BLT-03",	"attributes": {	"boundaryType": "SAM",	"status": "INSERVICE",	"technologyType": "Multiple"	} 	}, 	{	"type": "NetworkBoundary",	"id": "S2 - Mount Hutton - Windale",	"attributes": {	"boundaryType": "SSA",	"status": "PLANNED",	"technologyType": "Satellite"	} 	}, 	{	"type": "NetworkBoundary",	"id": "2BLT",	"attributes": {	"boundaryType": "FSA",	"status": "INSERVICE",	"technologyType": "Multiple"	} 	}, 	{	"type": "NetworkBoundary",	"id": "2HAM",	"attributes": {	"boundaryType": "AAR",	"status": "PLANNED",	"technologyType": "Multiple"	} 	}] }');
        return resp;
    }

    public String getRequestQueryString(){
        return requestQueryString;
    }
}

@isTest static void shouldSetErrorStatusesOnSFRequests() {
    // stub cis
    CisExceptionCalloutMock cisCalloutMock = new CisExceptionCalloutMock();
    Test.setMock(HttpCalloutMock.class, cisCalloutMock);

    List<DF_SF_Request__c> requests = new List<DF_SF_Request__c>();
    
    requests.add(createSFRequest('wrong_search_type', null, null, null, null));
    
    requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LOCATION_ID, '', null, null, null));
    requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LOCATION_ID, null, null, null, null));
    
    requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LAT_LONG, null, '', '', null));
    requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LAT_LONG, null, null, null, null));
    
    requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_ADDRESS, null, null, null, 'wrong_postcode'));
    requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_ADDRESS, null, null, null, null));
    
    requests.add(createSFRequest(NS_CISCalloutAPIUtils.SEARCH_TYPE_LOCATION_ID, 'LOC123456789012', null, null, null));
    
    Test.startTest();
    List<DF_SF_Request__c> results = NS_CISCalloutAPIService.getLocation(requests);
    Test.stopTest();
    
    Assert.equals(8, results.size());
    
    DF_SF_Request__c result;
    
    result = results.get(0);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_UNKNOWN, getResponseStatus(result));
    
    result = results.get(1);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_LOCID, getResponseStatus(result));
    
    result = results.get(2);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_LOCID, getResponseStatus(result));
    
    result = results.get(3);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_LATLONG, getResponseStatus(result));
    
    result = results.get(4);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_LATLONG, getResponseStatus(result));
    
    result = results.get(5);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_ADDRESS, getResponseStatus(result));
    
    result = results.get(6);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_ADDRESS, getResponseStatus(result));
    
    result = results.get(7);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_ERROR, result.Status__c);
    Assert.equals(NS_CISCalloutAPIUtils.STATUS_INVALID_UNKNOWN, getResponseStatus(result));
    
}

private static String getResponseStatus(DF_SF_Request__c request){
    SF_ServiceFeasibilityResponse sfResponse = (SF_ServiceFeasibilityResponse) System.JSON.deserialize(request.Response__c, SF_ServiceFeasibilityResponse.class);
    return sfResponse.Status;
}

private static DF_SF_Request__c createSFRequest(String searchType, String locId, String latitude, String longitude, String postcode){
    DF_SF_Request__c request = new DF_SF_Request__c();
    request.Search_Type__c = searchType;
    request.Location_Id__c = locId;
    request.Latitude__c = latitude;
    request.Longitude__c = longitude;
    request.Status__c = NS_CISCalloutAPIUtils.STATUS_PENDING;
    request.Postcode__c = postcode;
    request.Response__c = JSON.serialize(new SF_ServiceFeasibilityResponse());
    
    return request;
}

private class CisExceptionCalloutMock implements HttpCalloutMock {
    public HttpResponse respond(HttpRequest httpRequest){
        throw new CustomException('CIS server error');
    }
}

public static bulkApexTest()
{
}
}


@oowekyala
Copy link
Member

oowekyala commented Jul 18, 2019

You're using @image uncapitalized. All attribute names start with a capital letter: @Image


Edit: that's at least true for the first snippets you pasted. Your exported XML rule has a capital i. Was that the problem?

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

This was more of copy/paste issue as I was using multiple different options. But, I'm using "@image" in the expression as well as in Rule :-)

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

Sorry, I believe it's mainly because of the editor. When I type "@image", this editor translates it into uncaptitalized

@oowekyala
Copy link
Member

Hmm it's kind of hard to follow. Does it work if you capitalize the name in the designer then?

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

No..it doesn't work :-(

@oowekyala
Copy link
Member

oowekyala commented Jul 18, 2019

Ah I got it. You're using XPath 1.0. There's an inconsistency in our implementation of XPath 1.0 vs 2.0, which I'll describe in another issue (#1938)

To make your thing work, either use this with XPath 2.0:

/UserClass[count(./Method[@Image='bulkApexTest'])=0]

or use the following with XPath 1.0,

/self::UserClass[count(./Method[@Image='bulkApexTest'])=0]

@oowekyala
Copy link
Member

Note though, that XPath 1.0 support is being deprecated and will be removed with the next major version. So you should definitely use 2.0 instead

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

oh..finally..It's working in designer by changing the XPATH to 2.0. But, it's failing in PMD. how we can let the PMD to use XPATH 2.0?

Is there any flag while running it?

@oowekyala
Copy link
Member

Try re exporting your rule from the designer. You'll see there's another property added to the rule tag:

            <property name="version" value="2.0"/>

@haigsn
Copy link
Author

haigsn commented Jul 18, 2019

Awesome Clement, Thank you very much for your assistance. I hope, I'll be able to write few more custom rules with the learning. Will get back to you, in case of any issues..you are a rockstar!!!

@oowekyala
Copy link
Member

No problem :) Please open new issues when you run into trouble - I'm closing this one

@adangel adangel added the a:question Request for information that doesn't necessarily entail changes to the code base label Jul 18, 2019
@pmd pmd locked and limited conversation to collaborators Jan 15, 2021

This issue was moved to a discussion.

You can continue the conversation there. Go to discussion →

Labels
a:question Request for information that doesn't necessarily entail changes to the code base
Projects
None yet
Development

No branches or pull requests

3 participants