我是 Apex 开发的新手,我开始在 Apex 中开展我的项目。我想做以下事情:
使用电子邮件服务//我认为这部分从电子邮件中获取 emailAddress //
如果已经存在潜在客户或使用相同 emailAddress 的联系人,
请知道如何执行此操作
更新他的信息
,否则
创建新的潜在客户
我想知道如何搜索我的数据库(saleforce 的潜在客户和联系人)并更新现有用户的信息。
我是 Apex 开发的新手,我开始在 Apex 中开展我的项目。我想做以下事情:
使用电子邮件服务//我认为这部分从电子邮件中获取 emailAddress //
如果已经存在潜在客户或使用相同 emailAddress 的联系人,
请知道如何执行此操作
更新他的信息
,否则
创建新的潜在客户
我想知道如何搜索我的数据库(saleforce 的潜在客户和联系人)并更新现有用户的信息。
您应该使用电子邮件地址作为查询条件对潜在客户和联系人执行查询。如果它为潜在客户返回 0 条记录,为联系人返回 0 条记录,那么您将创建一个新的潜在客户。
您的查询可能会为线索或联系人返回超过 1 条记录,因此您必须制定策略来处理这种情况。电子邮件地址不需要是唯一的。
public class StackOverflowExample {
public static void test(String email) {
handleNewEmail(email);
}
private static void handleNewEmail(String email) {
List<Lead> leads = [select id, email from Lead where email = :email];
List<Contact> contacts = [select id, email from Contact where email = :email];
if (leads.size() == 0 && contacts.size() == 0) {
//Create new lead
insert new Lead(Company = 'Lead Company', FirstName = 'firstname', LastName = 'lastname', Email = email);
} else if (leads.size() == 1) {
// Update this lead
leads[0].FirstName = 'newfirstname';
update leads;
} else if (contacts.size() == 1) {
// Update this contact
contacts[0].FirstName = 'newfirstname';
update contacts;
} else {
// Must be more than 1 contact or lead
System.debug('\nMore than 1 contact or lead.');
}
}
}
另一种选择是执行将范围限制为电子邮件字段的搜索。
public class StackOverflowExample {
public static void test(String email) {
handleNewEmail(email);
}
private static void handleNewEmail(String email) {
List<List<SObject>> searchResults = [FIND :email IN Email Fields RETURNING
Lead(Id, FirstName, LastName),
Contact(Id, FirstName, LastName)];
List<Lead> leads = ((List<Lead>)searchResults[0]);
List<Contact> contacts = ((List<Contact>)searchResults[1]);
if (leads.size() == 0 && contacts.size() == 0) {
//Create new lead
insert new Lead(Company = 'Lead Company', FirstName = 'firstname', LastName = 'lastname', Email = email);
} else if (leads.size() == 1) {
// Update this lead
leads[0].FirstName = 'newfirstname';
update leads;
} else if (contacts.size() == 1) {
// Update this contact
contacts[0].FirstName = 'newfirstname';
update contacts;
} else {
// Must be more than 1 contact or lead
System.debug('\nMore than 1 contact or lead.');
}
}
}
在 Salesforce 内置帮助中,您可以找到有关 InboundEmail 对象的一些信息。该页面还包含 2 个基于从消息中提取的电子邮件地址处理联系人和潜在客户的示例。