Skip to content
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

fix: hubspot: search for contact using secondary prop #3258

Merged
merged 3 commits into from
Apr 15, 2024
Merged
Show file tree
Hide file tree
Changes from 2 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion src/v0/destinations/hs/HSTransform-v2.js
Original file line number Diff line number Diff line change
Expand Up @@ -12,7 +12,6 @@ const {
defaultPatchRequestConfig,
getFieldValueFromMessage,
getSuccessRespEvents,
addExternalIdToTraits,
defaultBatchRequestConfig,
removeUndefinedAndNullValues,
getDestinationExternalID,
Expand Down Expand Up @@ -42,6 +41,7 @@ const {
getEventAndPropertiesFromConfig,
getHsSearchId,
populateTraits,
addExternalIdToTraits,
anantjain45823 marked this conversation as resolved.
Show resolved Hide resolved
} = require('./util');
const { JSON_MIME_TYPE } = require('../../util/constant');

Expand Down
4 changes: 4 additions & 0 deletions src/v0/destinations/hs/config.js
Original file line number Diff line number Diff line change
Expand Up @@ -84,6 +84,9 @@ const RETL_SOURCE = 'rETL';
const mappingConfig = getMappingConfig(ConfigCategory, __dirname);
const hsCommonConfigJson = mappingConfig[ConfigCategory.COMMON.name];

const primaryToSecondaryFields = {
email: 'hs_additional_emails',
};
module.exports = {
BASE_ENDPOINT,
CONTACT_PROPERTY_MAP_ENDPOINT,
Expand Down Expand Up @@ -112,5 +115,6 @@ module.exports = {
RETL_SOURCE,
RETL_CREATE_ASSOCIATION_OPERATION,
MAX_CONTACTS_PER_REQUEST,
primaryToSecondaryFields,
DESTINATION: 'HS',
};
113 changes: 98 additions & 15 deletions src/v0/destinations/hs/util.js
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
/* eslint-disable no-await-in-loop */
const lodash = require('lodash');
const set = require('set-value');
const get = require('get-value');
const {
NetworkInstrumentationError,
Expand Down Expand Up @@ -27,6 +28,7 @@ const {
IDENTIFY_CRM_SEARCH_ALL_OBJECTS,
SEARCH_LIMIT_VALUE,
hsCommonConfigJson,
primaryToSecondaryFields,
DESTINATION,
MAX_CONTACTS_PER_REQUEST,
} = require('./config');
Expand Down Expand Up @@ -574,16 +576,30 @@ const performHubSpotSearch = async (
checkAfter = after; // assigning to the new value if no after we assign it to 0 and no more calls will take place

const results = processedResponse.response?.results;
const extraProp = primaryToSecondaryFields[identifierType];
if (results) {
searchResults.push(
...results.map((result) => ({
id: result.id,
property: result.properties[identifierType],
})),
...results.map((result) => {
const contact = {
id: result.id,
property: result.properties[identifierType],
};
// Following maps the extra property to the contact object which
// help us to know if the contact was found using secondary property
if (extraProp) {
contact[extraProp] = result.properties?.[extraProp];
}
return contact;
}),
);
}
}

/*
searchResults = {
id: 'existing_contact_id',
property: 'existing_contact_email', // when email is identifier
hs_additional_emails: ['secondary_email'] // when email is identifier
} */
return searchResults;
};

Expand All @@ -610,7 +626,25 @@ const getRequestData = (identifierType, chunk) => {
limit: SEARCH_LIMIT_VALUE,
after: 0,
};

/* In case of email as identifier we add a filter for hs_additional_emails field
* and append hs_additional_emails to properties list
* We are doing this because there might be emails exisitng as hs_additional_emails for some conatct but
* will not come up in search API until we search with hs_additional_emails as well.
* Not doing this resulted in erro 409 Duplicate records found
*/
const secondaryProp = primaryToSecondaryFields[identifierType];
if (secondaryProp) {
requestData.filterGroups.push({
filters: [
{
propertyName: secondaryProp,
values: chunk,
operator: 'IN',
},
],
});
requestData.properties.push(secondaryProp);
}
return requestData;
};

Expand All @@ -621,7 +655,7 @@ const getRequestData = (identifierType, chunk) => {
*/
const getExistingContactsData = async (inputs, destination) => {
const { Config } = destination;
const updateHubspotIds = [];
const hsIdsToBeUpdated = [];
const firstMessage = inputs[0].message;

if (!firstMessage) {
Expand Down Expand Up @@ -649,13 +683,19 @@ const getExistingContactsData = async (inputs, destination) => {
destination,
);
if (searchResults.length > 0) {
updateHubspotIds.push(...searchResults);
hsIdsToBeUpdated.push(...searchResults);
}
}
return updateHubspotIds;
return hsIdsToBeUpdated;
};

const setHsSearchId = (input, id) => {
/**
* This functions sets HsSearchId in the externalId array
* @param {*} input -> Input message
* @param {*} id -> Id to be added
* @param {*} useSecondaryProp -> Let us know if that id was found using secondary property and not primnary
* @returns
*/
const setHsSearchId = (input, id, useSecondaryProp = false) => {
const { message } = input;
const resultExternalId = [];
const externalIdArray = message.context?.externalId;
Expand All @@ -666,6 +706,11 @@ const setHsSearchId = (input, id) => {
if (type.includes(DESTINATION)) {
extIdObjParam.hsSearchId = id;
}
if (useSecondaryProp) {
// we are using it so that when final payload is made
// then primary key shouldn't be overidden
extIdObjParam.useSecondaryObject = useSecondaryProp;
}
resultExternalId.push(extIdObjParam);
});
}
Expand All @@ -678,27 +723,51 @@ const setHsSearchId = (input, id) => {
* We do search for all the objects before router transform and assign the type (create/update)
* accordingly to context.hubspotOperation
*
* For email as primary key we use `hs_additional_emails` as well property to search existing contacts
* */

const splitEventsForCreateUpdate = async (inputs, destination) => {
// get all the id and properties of already existing objects needed for update.
const updateHubspotIds = await getExistingContactsData(inputs, destination);
const hsIdsToBeUpdated = await getExistingContactsData(inputs, destination);

const resultInput = inputs.map((input) => {
const { message } = input;
const inputParam = input;
const { destinationExternalId } = getDestinationExternalIDInfoForRetl(message, DESTINATION);
const { destinationExternalId, identifierType } = getDestinationExternalIDInfoForRetl(
message,
DESTINATION,
);

const filteredInfo = updateHubspotIds.filter(
const filteredInfo = hsIdsToBeUpdated.filter(
(update) =>
update.property.toString().toLowerCase() === destinationExternalId.toString().toLowerCase(),
update.property.toString().toLowerCase() === destinationExternalId.toString().toLowerCase(), // second condition is for secondary property for identifier type
);

if (filteredInfo.length > 0) {
inputParam.message.context.externalId = setHsSearchId(input, filteredInfo[0].id);
inputParam.message.context.hubspotOperation = 'updateObject';
return inputParam;
}
const secondaryProp = primaryToSecondaryFields[identifierType];
if (secondaryProp) {
// second condition is for secondary property for identifier type
const filteredInfoForSecondaryProp = hsIdsToBeUpdated.filter((update) =>
update[secondaryProp]
?.toString()
.toLowerCase()
.includes(destinationExternalId.toString().toLowerCase()),
);
if (filteredInfoForSecondaryProp.length > 0) {
inputParam.message.context.externalId = setHsSearchId(
input,
filteredInfoForSecondaryProp[0].id,
true,
);
inputParam.message.context.hubspotOperation = 'updateObject';
return inputParam;
}
}
// if not found in the existing contacts, then it's a new contact
inputParam.message.context.hubspotOperation = 'createObject';
return inputParam;
});
Expand Down Expand Up @@ -746,8 +815,22 @@ const populateTraits = async (propertyMap, traits, destination) => {
return populatedTraits;
};

const addExternalIdToTraits = (message) => {
const externalIdObj = message.context?.externalId?.[0];
if (externalIdObj.useSecondaryObject) {
/* this condition help us to NOT override the primary key value with the secondary key value
example:
for `email` as primary key and `hs_additonal_emails` as secondary key we don't want to override `email` with `hs_additional_emails`.
neither we want to map anything for `hs_additional_emails` as this property can not be set
*/
return;
}
set(getFieldValueFromMessage(message, 'traits'), externalIdObj.identifierType, externalIdObj.id);
};

module.exports = {
validateDestinationConfig,
addExternalIdToTraits,
formatKey,
fetchFinalSetOfTraits,
getProperties,
Expand Down
14 changes: 12 additions & 2 deletions src/v0/destinations/hs/util.test.js
Original file line number Diff line number Diff line change
Expand Up @@ -4,6 +4,7 @@ const {
validatePayloadDataTypes,
getObjectAndIdentifierType,
} = require('./util');
const { primaryToSecondaryFields } = require('./config');

const propertyMap = {
firstName: 'string',
Expand Down Expand Up @@ -205,7 +206,7 @@ describe('extractUniqueValues utility test cases', () => {
describe('getRequestDataAndRequestOptions utility test cases', () => {
it('Should return an object with requestData and requestOptions', () => {
const identifierType = 'email';
const chunk = '[email protected]';
const chunk = ['[email protected]'];
const accessToken = 'dummyAccessToken';

const expectedRequestData = {
Expand All @@ -219,8 +220,17 @@ describe('getRequestDataAndRequestOptions utility test cases', () => {
},
],
},
{
filters: [
{
propertyName: primaryToSecondaryFields[identifierType],
values: chunk,
operator: 'IN',
},
],
},
],
properties: [identifierType],
properties: [identifierType, primaryToSecondaryFields[identifierType]],
limit: 100,
after: 0,
};
Expand Down
31 changes: 31 additions & 0 deletions test/integrations/destinations/hs/network.ts
Original file line number Diff line number Diff line change
Expand Up @@ -460,6 +460,37 @@ export const networkCallsData = [
status: 200,
},
},
{
httpReq: {
url: 'https://api.hubapi.com/crm/v3/objects/contacts/search',
method: 'POST',
headers: {
'Content-Type': 'application/json',
Authorization: 'Bearer dummy-access-token-hs-additonal-email',
},
},
httpRes: {
data: {
total: 1,
results: [
{
id: '103689',
properties: {
createdate: '2022-07-15T15:25:08.975Z',
email: '[email protected]',
hs_object_id: '103604',
hs_additional_emails: '[email protected];[email protected]',
lastmodifieddate: '2022-07-15T15:26:49.590Z',
},
createdAt: '2022-07-15T15:25:08.975Z',
updatedAt: '2022-07-15T15:26:49.590Z',
archived: false,
},
],
},
status: 200,
},
},
{
httpReq: {
url: 'https://api.hubapi.com/crm/v3/objects/contacts/search',
Expand Down
Loading
Loading