From 10d6aee4bbb1e5f0f26e8834e61cc4b2dfa851a7 Mon Sep 17 00:00:00 2001 From: Patrick Peng Sun Date: Mon, 3 Jul 2017 13:39:43 +1000 Subject: [PATCH] wechat_hitxy_id -> wechatOpenID --- crmEntity_test.go | 4 ++-- crmLead.go | 6 +++--- crmLead_test.go | 10 +++++----- eventSubscribe_test.go | 2 +- sample_data/crm_view_lead.json | 2 +- sample_data/crmhar/save-lead.har | 6 +++--- sample_data/crmhar/search-ldea.har | 2 +- .../search-lead-Archive 17-06-04 14-01-27.har | 8 ++++---- ...search-lead-by-wechat-id-c.hitxy.org.au.har | 6 +++--- sample_data/crmhar/view-specific-lead.har | 4 ++-- .../duplicate_err-when-creating-entity.json | 2 +- sample_data/sample_crm_lead_query.json | 18 +++++++++--------- 12 files changed, 35 insertions(+), 35 deletions(-) diff --git a/crmEntity_test.go b/crmEntity_test.go index 187b29b..b0e5df5 100644 --- a/crmEntity_test.go +++ b/crmEntity_test.go @@ -121,7 +121,7 @@ func TestCrmReplaceEntity(t *testing.T) { nb, _ := json.Marshal(e) entity, err = crmReplaceEntity("Lead", id, nb) AssertEqual(t, err, nil, "put should have no error") - AssertEqual(t, entity.(crmdLead).WechatHitxyID, "newid", "wechat_hitxy_id should be updated") + AssertEqual(t, entity.(crmdLead).WechatHitxyID, "newid", "wechatOpenID should be updated") AssertEqual(t, entity.(crmdLead).Password, "newpass", "password should have been changed to newpass") //delete @@ -192,7 +192,7 @@ func TestSearchByAttr(t *testing.T) { AssertEqual(t, result[0].ID, ids[i], "the id should be correct.") log.Printf("trying to match %d using WechatId,%s", i, ids[i]) - total, list, err = crmFindEntityByAttr("Lead", "wechat_hitxy_id", fmt.Sprintf("someopenid-%d", i)) + total, list, err = crmFindEntityByAttr("Lead", "wechatOpenID", fmt.Sprintf("someopenid-%d", i)) result = list.([]crmdLead) AssertEqual(t, err, nil, "find by attr should have no error") AssertEqual(t, total, 1, "should have found 1 and only 1") diff --git a/crmLead.go b/crmLead.go index c2ce7f3..fecd900 100644 --- a/crmLead.go +++ b/crmLead.go @@ -34,7 +34,7 @@ type crmdLead struct { //ModifiedAt string `json:"ModifiedAt,omitempty"` AccountName string `json:"accountName,omitempty"` Password string `json:"password,omitempty"` - WechatHitxyID string `json:"wechat_hitxy_id,omitempty"` + WechatHitxyID string `json:"wechatOpenID,omitempty"` Verifier []string `json:"verifier,omitempty"` OpportunityAmountCurrency string `json:"opportunityAmountCurrency,omitempty"` OpportunityAmountConverted int `json:"opportunityAmountConverted,omitempty"` @@ -70,7 +70,7 @@ type crmdSearchLead struct { } func crmFindLeadByOpenID(openID string) (info crmdLead, found bool, err error) { - total, list, err := crmFindEntityByAttr("Lead", "wechat_hitxy_id", openID) + total, list, err := crmFindEntityByAttr("Lead", "wechatOpenID", openID) if err != nil { return } @@ -83,7 +83,7 @@ func crmFindLeadByOpenID(openID string) (info crmdLead, found bool, err error) { found = false if total > 1 { - msg := fmt.Sprintf("wechat_hitxy_id %s has %d record", openID, total) + msg := fmt.Sprintf("wechatOpenID %s has %d record", openID, total) log.Printf(msg) } return diff --git a/crmLead_test.go b/crmLead_test.go index f409d6d..94bd9fa 100644 --- a/crmLead_test.go +++ b/crmLead_test.go @@ -33,7 +33,7 @@ func TestDecodeLeadInfo(t *testing.T) { "modifiedAt": "2017-04-18 04:41:06", "accountName": "", "password": "abcdefg", - "wechat_hitxy_id": "the user id obtained from wechat public account", + "wechatOpenID": "the user id obtained from wechat public account", "verifier": [ "231823091", "adkdaifaskfsafsa", @@ -131,7 +131,7 @@ func TestCrmdLeadByCompleteInfo(t *testing.T) { "modifiedAt": "2017-06-04 04:08:16", "accountName": "", "password": "abcdefg", - "wechat_hitxy_id": "the user id obtained from wechat public account", + "wechatOpenID": "the user id obtained from wechat public account", "verifier": [ "231823091", "adkdaifaskfsafsa", @@ -308,7 +308,7 @@ func TestSearchResult(t *testing.T) { "modifiedAt": "2017-06-04 06:57:48", "accountName": "", "password": "abcdefg", - "wechat_hitxy_id": "the user id obtained from wechat public account", + "wechatOpenID": "the user id obtained from wechat public account", "verifier": [ "231823091", "adkdaifaskfsafsa", @@ -354,7 +354,7 @@ func TestSearchResult(t *testing.T) { "modifiedAt": "2017-04-18 05:09:36", "accountName": "", "password": null, - "wechat_hitxy_id": "the user id obtained from wechat public account", + "wechatOpenID": "the user id obtained from wechat public account", "verifier": [], "opportunityAmountCurrency": null, "opportunityAmountConverted": null, @@ -405,7 +405,7 @@ func TestGetLead(t *testing.T) { AssertEqual(t, lead.FirstName, e.FirstName, "first name should match") AssertEqual(t, lead.LastName, e.LastName, "lastname should match") - AssertEqual(t, lead.WechatHitxyID, e.WechatHitxyID, "wechat_hitxy_id should match") + AssertEqual(t, lead.WechatHitxyID, e.WechatHitxyID, "wechatOpenID should match") AssertEqual(t, lead.Password, e.Password, "password should match") //start query diff --git a/eventSubscribe_test.go b/eventSubscribe_test.go index 4ede24b..b455834 100644 --- a/eventSubscribe_test.go +++ b/eventSubscribe_test.go @@ -77,7 +77,7 @@ func TestRegisterNewUser(t *testing.T) { json.Unmarshal([]byte(msg), &s) newuser, err := s.registerNewLeadWithInfo(in) AssertEqual(t, err, nil, "should be successfully added new user") - AssertEqual(t, newuser.WechatHitxyID, in.header.FromUserName, "wechat_hitxy_id mismatch") + AssertEqual(t, newuser.WechatHitxyID, in.header.FromUserName, "wechatOpenID mismatch") log.Printf("created temp Lead %s ", newuser.ID) deleted, err := crmDeleteEntity("Lead", newuser.ID) diff --git a/sample_data/crm_view_lead.json b/sample_data/crm_view_lead.json index 66a56e7..91b0927 100644 --- a/sample_data/crm_view_lead.json +++ b/sample_data/crm_view_lead.json @@ -24,7 +24,7 @@ "modifiedAt": "2017-06-04 04:08:16", "accountName": "", "password": "abcdefg", - "wechat_hitxy_id": "the user id obtained from wechat public account", + "wechatOpenID": "the user id obtained from wechat public account", "verifier": [ "231823091", "adkdaifaskfsafsa", diff --git a/sample_data/crmhar/save-lead.har b/sample_data/crmhar/save-lead.har index e096a33..e996862 100644 --- a/sample_data/crmhar/save-lead.har +++ b/sample_data/crmhar/save-lead.har @@ -1515,7 +1515,7 @@ "postData": { "mimeType": "application/json", "params": [], - "text": "{\"firstName\":\"name\",\"lastName\":\"last\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"assignedUserId\":\"58ef420cac3cf6c95\",\"assignedUserName\":\"wechat robot\",\"imagesIds\":[],\"imagesNames\":{},\"imagesTypes\":{},\"salutationName\":\"\",\"wechat_hitxy_id\":\"weid\",\"password\":\"123\",\"accountName\":\"\",\"emailAddressData\":[],\"emailAddress\":null,\"phoneNumberData\":[],\"phoneNumber\":null,\"title\":\"\",\"doNotCall\":false,\"addressPostalCode\":\"\",\"addressStreet\":\"\",\"addressState\":\"\",\"addressCity\":\"\",\"addressCountry\":\"\",\"website\":\"\",\"verifier\":[],\"opportunityAmount\":null,\"opportunityAmountCurrency\":null,\"campaignName\":null,\"campaignId\":null,\"description\":\"\",\"teamsIds\":[],\"teamsNames\":{}}" + "text": "{\"firstName\":\"name\",\"lastName\":\"last\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"assignedUserId\":\"58ef420cac3cf6c95\",\"assignedUserName\":\"wechat robot\",\"imagesIds\":[],\"imagesNames\":{},\"imagesTypes\":{},\"salutationName\":\"\",\"wechatOpenID\":\"weid\",\"password\":\"123\",\"accountName\":\"\",\"emailAddressData\":[],\"emailAddress\":null,\"phoneNumberData\":[],\"phoneNumber\":null,\"title\":\"\",\"doNotCall\":false,\"addressPostalCode\":\"\",\"addressStreet\":\"\",\"addressState\":\"\",\"addressCity\":\"\",\"addressCountry\":\"\",\"website\":\"\",\"verifier\":[],\"opportunityAmount\":null,\"opportunityAmountCurrency\":null,\"campaignName\":null,\"campaignId\":null,\"description\":\"\",\"teamsIds\":[],\"teamsNames\":{}}" }, "headersSize": 670 }, @@ -1581,7 +1581,7 @@ "content": { "mimeType": "application/json", "size": 837, - "text": "{\"id\":\"5931a78193909a205\",\"name\":\"name last\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"name\",\"lastName\":\"last\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":null,\"phoneNumber\":null,\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-06-02 17:59:29\",\"modifiedAt\":\"2017-06-02 17:59:29\",\"accountName\":\"\",\"password\":\"123\",\"wechat_hitxy_id\":\"weid\",\"verifier\":[],\"opportunityAmountCurrency\":null,\"emailAddressData\":[],\"phoneNumberData\":[],\"createdById\":\"58ef420cac3cf6c95\",\"assignedUserId\":\"58ef420cac3cf6c95\",\"assignedUserName\":\"wechat robot\",\"teamsIds\":[],\"teamsNames\":{},\"campaignId\":null,\"campaignName\":null,\"imagesIds\":[],\"imagesNames\":{},\"isFollowed\":true,\"imagesTypes\":{}}" + "text": "{\"id\":\"5931a78193909a205\",\"name\":\"name last\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"name\",\"lastName\":\"last\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":null,\"phoneNumber\":null,\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-06-02 17:59:29\",\"modifiedAt\":\"2017-06-02 17:59:29\",\"accountName\":\"\",\"password\":\"123\",\"wechatOpenID\":\"weid\",\"verifier\":[],\"opportunityAmountCurrency\":null,\"emailAddressData\":[],\"phoneNumberData\":[],\"createdById\":\"58ef420cac3cf6c95\",\"assignedUserId\":\"58ef420cac3cf6c95\",\"assignedUserName\":\"wechat robot\",\"teamsIds\":[],\"teamsNames\":{},\"campaignId\":null,\"campaignName\":null,\"imagesIds\":[],\"imagesNames\":{},\"isFollowed\":true,\"imagesTypes\":{}}" }, "redirectURL": "", "headersSize": 503, @@ -1725,7 +1725,7 @@ "content": { "mimeType": "application/json", "size": 1193, - "text": "{\"id\":\"5931a78193909a205\",\"name\":\"name last\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"name\",\"lastName\":\"last\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":null,\"phoneNumber\":null,\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-06-02 17:59:29\",\"modifiedAt\":\"2017-06-02 17:59:29\",\"accountName\":\"\",\"password\":\"123\",\"wechat_hitxy_id\":\"weid\",\"verifier\":[],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"emailAddressData\":[],\"phoneNumberData\":[],\"createdById\":\"58ef420cac3cf6c95\",\"createdByName\":\"wechat robot\",\"modifiedById\":null,\"modifiedByName\":null,\"assignedUserId\":\"58ef420cac3cf6c95\",\"assignedUserName\":\"wechat robot\",\"teamsIds\":[],\"teamsNames\":{},\"campaignId\":null,\"campaignName\":null,\"createdAccountId\":null,\"createdAccountName\":null,\"createdContactId\":null,\"createdContactName\":null,\"createdOpportunityId\":null,\"createdOpportunityName\":null,\"imagesIds\":[],\"imagesNames\":{},\"isFollowed\":true,\"followersIds\":[\"58ef420cac3cf6c95\"],\"followersNames\":{\"58ef420cac3cf6c95\":\"wechat robot\"},\"imagesTypes\":{}}" + "text": "{\"id\":\"5931a78193909a205\",\"name\":\"name last\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"name\",\"lastName\":\"last\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":null,\"phoneNumber\":null,\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-06-02 17:59:29\",\"modifiedAt\":\"2017-06-02 17:59:29\",\"accountName\":\"\",\"password\":\"123\",\"wechatOpenID\":\"weid\",\"verifier\":[],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"emailAddressData\":[],\"phoneNumberData\":[],\"createdById\":\"58ef420cac3cf6c95\",\"createdByName\":\"wechat robot\",\"modifiedById\":null,\"modifiedByName\":null,\"assignedUserId\":\"58ef420cac3cf6c95\",\"assignedUserName\":\"wechat robot\",\"teamsIds\":[],\"teamsNames\":{},\"campaignId\":null,\"campaignName\":null,\"createdAccountId\":null,\"createdAccountName\":null,\"createdContactId\":null,\"createdContactName\":null,\"createdOpportunityId\":null,\"createdOpportunityName\":null,\"imagesIds\":[],\"imagesNames\":{},\"isFollowed\":true,\"followersIds\":[\"58ef420cac3cf6c95\"],\"followersNames\":{\"58ef420cac3cf6c95\":\"wechat robot\"},\"imagesTypes\":{}}" }, "redirectURL": "", "headersSize": 504, diff --git a/sample_data/crmhar/search-ldea.har b/sample_data/crmhar/search-ldea.har index 9506337..8f5d007 100644 --- a/sample_data/crmhar/search-ldea.har +++ b/sample_data/crmhar/search-ldea.har @@ -445,7 +445,7 @@ "content": { "mimeType": "application/json", "size": 984, - "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechat_hitxy_id\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" + "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechatOpenID\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" }, "redirectURL": "", "headersSize": 503, diff --git a/sample_data/crmhar/search-lead-Archive 17-06-04 14-01-27.har b/sample_data/crmhar/search-lead-Archive 17-06-04 14-01-27.har index 93ce89f..08f2146 100644 --- a/sample_data/crmhar/search-lead-Archive 17-06-04 14-01-27.har +++ b/sample_data/crmhar/search-lead-Archive 17-06-04 14-01-27.har @@ -297,7 +297,7 @@ "content": { "mimeType": "application/json", "size": 984, - "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechat_hitxy_id\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" + "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechatOpenID\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" }, "redirectURL": "", "headersSize": 504, @@ -614,7 +614,7 @@ "content": { "mimeType": "application/json", "size": 984, - "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechat_hitxy_id\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" + "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechatOpenID\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" }, "redirectURL": "", "headersSize": 503, @@ -787,7 +787,7 @@ "content": { "mimeType": "application/json", "size": 984, - "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechat_hitxy_id\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" + "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechatOpenID\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" }, "redirectURL": "", "headersSize": 503, @@ -960,7 +960,7 @@ "content": { "mimeType": "application/json", "size": 984, - "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechat_hitxy_id\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" + "text": "{\"total\":1,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-04-18 04:41:06\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechatOpenID\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" }, "redirectURL": "", "headersSize": 503, diff --git a/sample_data/crmhar/search-lead-by-wechat-id-c.hitxy.org.au.har b/sample_data/crmhar/search-lead-by-wechat-id-c.hitxy.org.au.har index 9d2ca9d..1e93ee9 100644 --- a/sample_data/crmhar/search-lead-by-wechat-id-c.hitxy.org.au.har +++ b/sample_data/crmhar/search-lead-by-wechat-id-c.hitxy.org.au.har @@ -177,7 +177,7 @@ "time": 80.47500002430752, "request": { "method": "GET", - "url": "https://c.hitxy.org.au/api/v1/Lead?maxSize=20&offset=0&sortBy=createdAt&asc=false&where%5B0%5D%5Btype%5D=startsWith&where%5B0%5D%5Battribute%5D=wechat_hitxy_id&where%5B0%5D%5Bvalue%5D=the", + "url": "https://c.hitxy.org.au/api/v1/Lead?maxSize=20&offset=0&sortBy=createdAt&asc=false&where%5B0%5D%5Btype%5D=startsWith&where%5B0%5D%5Battribute%5D=wechatOpenID&where%5B0%5D%5Bvalue%5D=the", "httpVersion": "HTTP/1.1", "headers": [ { @@ -248,7 +248,7 @@ }, { "name": "where%5B0%5D%5Battribute%5D", - "value": "wechat_hitxy_id" + "value": "wechatOpenID" }, { "name": "where%5B0%5D%5Bvalue%5D", @@ -346,7 +346,7 @@ "size": 1855, "mimeType": "application/json", "compression": 0, - "text": "{\"total\":2,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":120,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-06-04 04:08:16\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechat_hitxy_id\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":\"AUD\",\"opportunityAmountConverted\":120,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"1\",\"modifiedByName\":\"Admin\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null},{\"id\":\"58f4a849502da6f33\",\"name\":\"not searchable\",\"deleted\":false,\"salutationName\":\"Mr.\",\"firstName\":\"not\",\"lastName\":\"searchable\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":null,\"phoneNumber\":null,\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:34:33\",\"modifiedAt\":\"2017-04-18 05:09:36\",\"accountName\":\"\",\"password\":null,\"wechat_hitxy_id\":\"the user id obtained from wechat public account\",\"verifier\":[],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" + "text": "{\"total\":2,\"list\":[{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":120,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-06-04 04:08:16\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechatOpenID\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":\"AUD\",\"opportunityAmountConverted\":120,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"1\",\"modifiedByName\":\"Admin\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null},{\"id\":\"58f4a849502da6f33\",\"name\":\"not searchable\",\"deleted\":false,\"salutationName\":\"Mr.\",\"firstName\":\"not\",\"lastName\":\"searchable\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":null,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":null,\"phoneNumber\":null,\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:34:33\",\"modifiedAt\":\"2017-04-18 05:09:36\",\"accountName\":\"\",\"password\":null,\"wechatOpenID\":\"the user id obtained from wechat public account\",\"verifier\":[],\"opportunityAmountCurrency\":null,\"opportunityAmountConverted\":null,\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"58ef420cac3cf6c95\",\"modifiedByName\":\"wechat robot\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"campaignId\":null,\"createdAccountId\":null,\"createdContactId\":null,\"createdOpportunityId\":null}]}" }, "redirectURL": "", "headersSize": 504, diff --git a/sample_data/crmhar/view-specific-lead.har b/sample_data/crmhar/view-specific-lead.har index 33c1792..1531ce0 100644 --- a/sample_data/crmhar/view-specific-lead.har +++ b/sample_data/crmhar/view-specific-lead.har @@ -3535,7 +3535,7 @@ "size": 102128, "mimeType": "application/json", "compression": -14, - "text": "{\"Admin\":{\"labels\":{\"Enabled\":\"Enabled\",\"Disabled\":\"Disabled\",\"System\":\"System\",\"Users\":\"Users\",\"Email\":\"Email\",\"Data\":\"Data\",\"Customization\":\"Customization\",\"Available Fields\":\"Available Fields\",\"Layout\":\"Layout\",\"Entity Manager\":\"Entity Manager\",\"Add Panel\":\"Add Panel\",\"Add Field\":\"Add Field\",\"Settings\":\"Settings\",\"Scheduled Jobs\":\"Scheduled Jobs\",\"Upgrade\":\"Upgrade\",\"Clear Cache\":\"Clear Cache\",\"Rebuild\":\"Rebuild\",\"Teams\":\"Teams\",\"Roles\":\"Roles\",\"Portal\":\"Portal\",\"Portals\":\"Portals\",\"Portal Roles\":\"Portal Roles\",\"Portal Users\":\"Portal Users\",\"Outbound Emails\":\"Outbound Emails\",\"Group Email Accounts\":\"Group Email Accounts\",\"Personal Email Accounts\":\"Personal Email Accounts\",\"Inbound Emails\":\"Inbound Emails\",\"Email Templates\":\"Email Templates\",\"Import\":\"Import\",\"Layout Manager\":\"Layout Manager\",\"User Interface\":\"User Interface\",\"Auth Tokens\":\"Auth Tokens\",\"Authentication\":\"Authentication\",\"Currency\":\"Currency\",\"Integrations\":\"Integrations\",\"Extensions\":\"Extensions\",\"Upload\":\"Upload\",\"Installing...\":\"Installing...\",\"Upgrading...\":\"Upgrading...\",\"Upgraded successfully\":\"Upgraded successfully\",\"Installed successfully\":\"Installed successfully\",\"Ready for upgrade\":\"Ready for upgrade\",\"Run Upgrade\":\"Run Upgrade\",\"Install\":\"Install\",\"Ready for installation\":\"Ready for installation\",\"Uninstalling...\":\"Uninstalling...\",\"Uninstalled\":\"Uninstalled\",\"Create Entity\":\"Create Entity\",\"Edit Entity\":\"Edit Entity\",\"Create Link\":\"Create Link\",\"Edit Link\":\"Edit Link\",\"Notifications\":\"Notifications\",\"Jobs\":\"Jobs\",\"Reset to Default\":\"Reset to Default\",\"Email Filters\":\"Email Filters\",\"Workflow Manager\":\"Workflows\"},\"layouts\":{\"list\":\"List\",\"detail\":\"Detail\",\"listSmall\":\"List (Small)\",\"detailSmall\":\"Detail (Small)\",\"filters\":\"Search Filters\",\"massUpdate\":\"Mass Update\",\"relationships\":\"Relationship Panels\",\"sidePanelsDetail\":\"Side Panels (Detail)\",\"sidePanelsEdit\":\"Side Panels (Edit)\",\"sidePanelsDetailSmall\":\"Side Panels (Detail Small)\",\"sidePanelsEditSmall\":\"Side Panels (Edit Small)\",\"detailConvert\":\"Convert Lead\",\"listForAccount\":\"List (for Account)\"},\"fieldTypes\":{\"address\":\"Address\",\"array\":\"Array\",\"foreign\":\"Foreign\",\"duration\":\"Duration\",\"password\":\"Password\",\"personName\":\"Person Name\",\"autoincrement\":\"Auto-increment\",\"bool\":\"Boolean\",\"currency\":\"Currency\",\"currencyConverted\":\"Currency (Converted)\",\"date\":\"Date\",\"datetime\":\"DateTime\",\"datetimeOptional\":\"Date\\/DateTime\",\"email\":\"Email\",\"enum\":\"Enum\",\"enumInt\":\"Enum Integer\",\"enumFloat\":\"Enum Float\",\"float\":\"Float\",\"int\":\"Int\",\"link\":\"Link\",\"linkMultiple\":\"Link Multiple\",\"linkParent\":\"Link Parent\",\"multienim\":\"Multienum\",\"phone\":\"Phone\",\"text\":\"Text\",\"url\":\"Url\",\"varchar\":\"Varchar\",\"file\":\"File\",\"image\":\"Image\",\"multiEnum\":\"Multi-Enum\",\"attachmentMultiple\":\"Attachment Multiple\",\"rangeInt\":\"Range Integer\",\"rangeFloat\":\"Range Float\",\"rangeCurrency\":\"Range Currency\",\"wysiwyg\":\"Wysiwyg\",\"map\":\"Map\",\"number\":\"Number\"},\"fields\":{\"type\":\"Type\",\"name\":\"Name\",\"label\":\"Label\",\"tooltipText\":\"Tooltip Text\",\"required\":\"Required\",\"default\":\"Default\",\"maxLength\":\"Max Length\",\"options\":\"Options\",\"after\":\"After (field)\",\"before\":\"Before (field)\",\"link\":\"Link\",\"field\":\"Field\",\"min\":\"Min\",\"max\":\"Max\",\"translation\":\"Translation\",\"previewSize\":\"Preview Size\",\"noEmptyString\":\"No Empty String\",\"defaultType\":\"Default Type\",\"seeMoreDisabled\":\"Disable Text Cut\",\"entityList\":\"Entity List\",\"isSorted\":\"Is Sorted (alphabetically)\",\"audited\":\"Audited\",\"trim\":\"Trim\",\"height\":\"Height (px)\",\"minHeight\":\"Min Height (px)\",\"provider\":\"Provider\",\"typeList\":\"Type List\",\"rows\":\"Number of rows of textarea\",\"lengthOfCut\":\"Length of cut\",\"sourceList\":\"Source List\",\"prefix\":\"Prefix\",\"nextNumber\":\"Next Number\",\"padLength\":\"Pad Length\",\"disableFormatting\":\"Disable Formatting\",\"dynamicLogicVisible\":\"Conditions making field visible\",\"dynamicLogicReadOnly\":\"Conditions making field read-only\",\"dynamicLogicRequired\":\"Conditions making field required\",\"dynamicLogicOptions\":\"Conditional options\",\"probabilityMap\":\"Stage Probabilities (%)\",\"readOnly\":\"Read-only\"},\"messages\":{\"upgradeVersion\":\"Your EspoCRM will be upgraded to version {version}<\\/strong>. This can take some time.\",\"upgradeDone\":\"Your EspoCRM has been upgraded to version {version}<\\/strong>.\",\"upgradeBackup\":\"We recommend to make a backup of your EspoCRM files and data before upgrade.\",\"thousandSeparatorEqualsDecimalMark\":\"Thousand separator can not be same as decimal mark\",\"userHasNoEmailAddress\":\"User has not email address.\",\"selectEntityType\":\"Select entity type in the left menu.\",\"selectUpgradePackage\":\"Select upgrade package\",\"downloadUpgradePackage\":\"Download upgrade package(s) here<\\/a>.\",\"selectLayout\":\"Select needed layout in the left menu and edit it.\",\"selectExtensionPackage\":\"Select extension package\",\"extensionInstalled\":\"Extension {name} {version} has been installed.\",\"installExtension\":\"Extension {name} {version} is ready for an installation.\",\"uninstallConfirmation\":\"Are you really want to uninstall the extension?\"},\"descriptions\":{\"settings\":\"System settings of application.\",\"scheduledJob\":\"Jobs which are executed by cron.\",\"upgrade\":\"Upgrade EspoCRM.\",\"clearCache\":\"Clear all backend cache.\",\"rebuild\":\"Rebuild backend and clear cache.\",\"users\":\"Users management.\",\"teams\":\"Teams management.\",\"roles\":\"Roles management.\",\"portals\":\"Portals management.\",\"portalRoles\":\"Roles for portal.\",\"portalUsers\":\"Users of portal.\",\"outboundEmails\":\"SMTP settings for outgoing emails.\",\"groupEmailAccounts\":\"Group IMAP email accounts. Email import and Email-to-Case.\",\"personalEmailAccounts\":\"Users email accounts.\",\"emailTemplates\":\"Templates for outbound emails.\",\"import\":\"Import data from CSV file.\",\"layoutManager\":\"Customize layouts (list, detail, edit, search, mass update).\",\"entityManager\":\"Create custom entities, edit existing ones. Manage fields and relationships.\",\"userInterface\":\"Configure UI.\",\"authTokens\":\"Active auth sessions. IP address and last access date.\",\"authentication\":\"Authentication settings.\",\"currency\":\"Currency settings and rates.\",\"extensions\":\"Install or uninstall extensions.\",\"integrations\":\"Integration with third-party services.\",\"notifications\":\"In-app and email notification settings.\",\"inboundEmails\":\"Settings for incoming emails.\",\"emailFilters\":\"Emails messages that match specified filter won't be imported.\",\"workflowManager\":\"Configure Workflow rules.\"},\"options\":{\"previewSize\":{\"x-small\":\"X-Small\",\"small\":\"Small\",\"medium\":\"Medium\",\"large\":\"Large\"}},\"logicalOperators\":{\"and\":\"AND\",\"or\":\"OR\",\"not\":\"NOT\"}},\"Attachment\":{\"insertFromSourceLabels\":{\"Document\":\"Insert Document\"}},\"AuthToken\":{\"fields\":{\"user\":\"User\",\"ipAddress\":\"IP Address\",\"lastAccess\":\"Last Access Date\",\"createdAt\":\"Login Date\"}},\"DashletOptions\":{\"fields\":{\"title\":\"Title\",\"dateFrom\":\"Date From\",\"dateTo\":\"Date To\",\"autorefreshInterval\":\"Auto-refresh Interval\",\"displayRecords\":\"Display Records\",\"isDoubleHeight\":\"Height 2x\",\"mode\":\"Mode\",\"enabledScopeList\":\"What to display\",\"users\":\"Users\",\"report\":\"Report\",\"column\":\"Summation Column\",\"displayOnlyCount\":\"Display Only Total\"},\"options\":{\"mode\":{\"agendaWeek\":\"Week (agenda)\",\"basicWeek\":\"Week\",\"month\":\"Month\",\"basicDay\":\"Day\",\"agendaDay\":\"Day (agenda)\",\"timeline\":\"Timeline\"}}},\"DynamicLogic\":{\"label\":{\"Field\":\"Field\"},\"options\":{\"operators\":{\"equals\":\"Equals\",\"notEquals\":\"Not Equals\",\"greaterThan\":\"Greater Than\",\"lessThan\":\"Less Than\",\"greaterThanOrEquals\":\"Greater Than Or Equals\",\"lessThanOrEquals\":\"Less Than Or Equals\",\"in\":\"In\",\"notIn\":\"Not In\",\"inPast\":\"In Past\",\"inFuture\":\"Is Future\",\"isToday\":\"Is Today\",\"isTrue\":\"Is True\",\"isFalse\":\"Is False\",\"isEmpty\":\"Is Empty\",\"isNotEmpty\":\"Is Not Empty\",\"contains\":\"Contains\",\"notContains\":\"Not Contains\"}}},\"Email\":{\"fields\":{\"name\":\"Name (Subject)\",\"parent\":\"Parent\",\"status\":\"Status\",\"dateSent\":\"Date Sent\",\"from\":\"From\",\"to\":\"To\",\"cc\":\"CC\",\"bcc\":\"BCC\",\"replyTo\":\"Reply To\",\"replyToString\":\"Reply To (String)\",\"isHtml\":\"Is Html\",\"body\":\"Body\",\"subject\":\"Subject\",\"attachments\":\"Attachments\",\"selectTemplate\":\"Select Template\",\"fromEmailAddress\":\"From Address\",\"toEmailAddresses\":\"To Address\",\"emailAddress\":\"Email Address\",\"deliveryDate\":\"Delivery Date\",\"account\":\"Account\",\"users\":\"Users\",\"replied\":\"Replied\",\"replies\":\"Replies\",\"isRead\":\"Is Read\",\"isNotRead\":\"Is Not Read\",\"isImportant\":\"Is Important\",\"isReplied\":\"Is Replied\",\"isNotReplied\":\"Is Not Replied\",\"isUsers\":\"Is User's\",\"inTrash\":\"In Trash\",\"sentBy\":\"Sent by (User)\",\"folder\":\"Folder\",\"inboundEmails\":\"Group Accounts\",\"emailAccounts\":\"Personal Accounts\",\"hasAttachment\":\"Has Attachment\"},\"links\":{\"replied\":\"Replied\",\"replies\":\"Replies\",\"inboundEmails\":\"Group Accounts\",\"emailAccounts\":\"Personal Accounts\"},\"options\":{\"status\":{\"Draft\":\"Draft\",\"Sending\":\"Sending\",\"Sent\":\"Sent\",\"Archived\":\"Archived\",\"Received\":\"Received\",\"Failed\":\"Failed\"}},\"labels\":{\"Create Email\":\"Archive Email\",\"Archive Email\":\"Archive Email\",\"Compose\":\"Compose\",\"Reply\":\"Reply\",\"Reply to All\":\"Reply to All\",\"Forward\":\"Forward\",\"Original message\":\"Original message\",\"Forwarded message\":\"Forwarded message\",\"Email Accounts\":\"Personal Email Accounts\",\"Inbound Emails\":\"Group Email Accounts\",\"Email Templates\":\"Email Templates\",\"Send Test Email\":\"Send Test Email\",\"Send\":\"Send\",\"Email Address\":\"Email Address\",\"Mark Read\":\"Mark Read\",\"Sending...\":\"Sending...\",\"Save Draft\":\"Save Draft\",\"Mark all as read\":\"Mark all as read\",\"Show Plain Text\":\"Show Plain Text\",\"Mark as Important\":\"Mark as Important\",\"Unmark Importance\":\"Unmark Importance\",\"Move to Trash\":\"Move to Trash\",\"Retrieve from Trash\":\"Retrieve from Trash\",\"Move to Folder\":\"Move to Folder\",\"Filters\":\"Filters\",\"Folders\":\"Folders\",\"Create Lead\":\"Create Lead\",\"Create Contact\":\"Create Contact\",\"Create Task\":\"Create Task\",\"Create Case\":\"Create Case\"},\"messages\":{\"noSmtpSetup\":\"No SMTP setup. {link}.\",\"testEmailSent\":\"Test email has been sent\",\"emailSent\":\"Email has been sent\",\"savedAsDraft\":\"Saved as draft\"},\"presetFilters\":{\"sent\":\"Sent\",\"archived\":\"Archived\",\"inbox\":\"Inbox\",\"drafts\":\"Drafts\",\"trash\":\"Trash\",\"important\":\"Important\"},\"massActions\":{\"markAsRead\":\"Mark as Read\",\"markAsNotRead\":\"Mark as Not Read\",\"markAsImportant\":\"Mark as Important\",\"markAsNotImportant\":\"Unmark Importance\",\"moveToTrash\":\"Move to Trash\",\"moveToFolder\":\"Move to Folder\",\"retrieveFromTrash\":\"Retrieve from Trash\"}},\"EmailAccount\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"host\":\"Host\",\"username\":\"Username\",\"password\":\"Password\",\"port\":\"Port\",\"monitoredFolders\":\"Monitored Folders\",\"ssl\":\"SSL\",\"fetchSince\":\"Fetch Since\",\"emailAddress\":\"Email Address\",\"sentFolder\":\"Sent Folder\",\"storeSentEmails\":\"Store Sent Emails\",\"keepFetchedEmailsUnread\":\"Keep Fetched Emails Unread\",\"emailFolder\":\"Put in Folder\",\"useSmtp\":\"Use SMTP\",\"smtpHost\":\"SMTP Host\",\"smtpPort\":\"SMTP Port\",\"smtpAuth\":\"SMTP Auth\",\"smtpSecurity\":\"SMTP Security\",\"smtpUsername\":\"SMTP Username\",\"smtpPassword\":\"SMTP Password\"},\"links\":{\"filters\":\"Filters\",\"emails\":\"Emails\"},\"options\":{\"status\":{\"Active\":\"Active\",\"Inactive\":\"Inactive\"}},\"labels\":{\"Create EmailAccount\":\"Create Email Account\",\"IMAP\":\"IMAP\",\"Main\":\"Main\",\"Test Connection\":\"Test Connection\",\"Send Test Email\":\"Send Test Email\",\"SMTP\":\"SMTP\"},\"messages\":{\"couldNotConnectToImap\":\"Could not connect to IMAP server\",\"connectionIsOk\":\"Connection is Ok\"},\"tooltips\":{\"monitoredFolders\":\"You can add a 'Sent' folder to sync emails sent from an external email client.\",\"storeSentEmails\":\"Sent emails will be stored on the IMAP server. Email Address field should much the address emails will be sent from.\"}},\"EmailAddress\":{\"labels\":{\"Primary\":\"Primary\",\"Opted Out\":\"Opted Out\",\"Invalid\":\"Invalid\"}},\"EmailFilter\":{\"fields\":{\"from\":\"From\",\"to\":\"To\",\"subject\":\"Subject\",\"bodyContains\":\"Body Contains\",\"action\":\"Action\",\"isGlobal\":\"Is Global\",\"emailFolder\":\"Folder\"},\"labels\":{\"Create EmailFilter\":\"Create Email Filter\",\"Emails\":\"Emails\"},\"options\":{\"action\":{\"Skip\":\"Ignore\",\"Move to Folder\":\"Put in Folder\"}},\"tooltips\":{\"name\":\"Give the filter a descriptive name.\",\"subject\":\"Use a wildcard *:\\n\\ntext* - starts with text,\\n*text* - contains text,\\n*text - ends with text.\",\"bodyContains\":\"Body of the email contains any of the specified words or phrases.\",\"from\":\"Emails being sent from the specified address. Leave empty if not needed. You can use wildcard *.\",\"to\":\"Emails being sent to the specified address. Leave empty if not needed. You can use wildcard *.\",\"isGlobal\":\"Applies this filter to all emails incoming to system.\"}},\"EmailFolder\":{\"fields\":{\"skipNotifications\":\"Skip Notifications\"},\"labels\":{\"Create EmailFolder\":\"Create Folder\",\"Manage Folders\":\"Manage Folders\",\"Emails\":\"Emails\"}},\"EmailTemplate\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"isHtml\":\"Is Html\",\"body\":\"Body\",\"subject\":\"Subject\",\"attachments\":\"Attachments\",\"insertField\":\"Insert Field\",\"oneOff\":\"One-off\"},\"links\":[],\"labels\":{\"Create EmailTemplate\":\"Create Email Template\",\"Info\":\"Info\"},\"messages\":{\"infoText\":\"Available variables:\\n\\n{optOutUrl} – URL for an unsubsbribe link;\\n\\n{optOutLink} – an unsubscribe link.\"},\"tooltips\":{\"oneOff\":\"Check if you are going to use this template only once. E.g. for Mass Email.\"},\"presetFilters\":{\"actual\":\"Actual\"}},\"EntityManager\":{\"labels\":{\"Fields\":\"Fields\",\"Relationships\":\"Relationships\",\"Schedule\":\"Schedule\",\"Log\":\"Log\",\"Formula\":\"Formula\"},\"fields\":{\"name\":\"Name\",\"type\":\"Type\",\"labelSingular\":\"Label Singular\",\"labelPlural\":\"Label Plural\",\"stream\":\"Stream\",\"label\":\"Label\",\"linkType\":\"Link Type\",\"entityForeign\":\"Foreign Entity\",\"linkForeign\":\"Foreign Link\",\"link\":\"Link\",\"labelForeign\":\"Foreign Label\",\"sortBy\":\"Default Order (field)\",\"sortDirection\":\"Default Order (direction)\",\"relationName\":\"Middle Table Name\",\"linkMultipleField\":\"Link Multiple Field\",\"linkMultipleFieldForeign\":\"Foreign Link Multiple Field\",\"disabled\":\"Disabled\",\"textFilterFields\":\"Text Filter Fields\",\"audited\":\"Audited\",\"auditedForeign\":\"Foreign Audited\",\"statusField\":\"Status Field\",\"beforeSaveCustomScript\":\"Before Save Custom Script\"},\"options\":{\"type\":{\"\":\"None\",\"Base\":\"Base\",\"Person\":\"Person\",\"CategoryTree\":\"Category Tree\",\"Event\":\"Event\",\"BasePlus\":\"Base Plus\",\"Company\":\"Company\"},\"linkType\":{\"manyToMany\":\"Many-to-Many\",\"oneToMany\":\"One-to-Many\",\"manyToOne\":\"Many-to-One\",\"parentToChildren\":\"Parent-to-Children\",\"childrenToParent\":\"Children-to-Parent\"},\"sortDirection\":{\"asc\":\"Ascending\",\"desc\":\"Descending\"}},\"messages\":{\"entityCreated\":\"Entity has been created\",\"linkAlreadyExists\":\"Link name conflict.\",\"linkConflict\":\"Name conflict: link or field with the same name already exists.\"},\"tooltips\":{\"statusField\":\"Updates of this field are logged in stream.\",\"textFilterFields\":\"Fields used by text search.\",\"stream\":\"Whether entity has a Stream.\",\"disabled\":\"Check if you don't need this entity in your system.\",\"linkAudited\":\"Creating related record and linking with existing record will be logged in Stream.\",\"linkMultipleField\":\"Link Multiple field provides a handy way to edit relations. Don't use it if you can have a large number of related records.\",\"entityType\":\"Base Plus - has Activities, History and Tasks panels.\\n\\nEvent - available in Calendar and Activities panel.\"}},\"Export\":{\"fields\":{\"useCustomFieldList\":\"Custom Field List\",\"fieldList\":\"Field List\"}},\"Extension\":{\"fields\":{\"name\":\"Name\",\"version\":\"Version\",\"description\":\"Description\",\"isInstalled\":\"Installed\"},\"labels\":{\"Uninstall\":\"Uninstall\",\"Install\":\"Install\"},\"messages\":{\"uninstalled\":\"Extension {name} has been uninstalled\"}},\"ExternalAccount\":{\"labels\":{\"Connect\":\"Connect\",\"Connected\":\"Connected\"},\"help\":[],\"options\":{\"calendarDefaultEntity\":{\"Call\":\"Call\",\"Meeting\":\"Meeting\"},\"calendarDirection\":{\"EspoToGC\":\"One-way: EspoCRM > Google Calendar\",\"GCToEspo\":\"One-way: Google Calendar > EspoCRM\",\"Both\":\"Two-way\"}},\"fields\":{\"calendarStartDate\":\"Sync since\",\"calendarEntityTypes\":\"Sync Entities and Identification Labels\",\"calendarDirection\":\"Direction\",\"calendarMonitoredCalendars\":\"Other Calendars\",\"calendarMainCalendar\":\"Main Calendar\",\"calendarDefaultEntity\":\"Default Entity\",\"contactsGroups\":\"Add Contacts to Groups\",\"removeGoogleCalendarEventIfRemovedInEspo\":\"Remove Google Calendar Event upon removal in EspoCRM\",\"dontSyncEventAttendees\":\"Don't sync event attendees\"},\"messages\":{\"disconnectConfirmation\":\"Do you really want to disconnect?\",\"noPanels\":\"No available Google Products. Contact your Admin.\"},\"tooltips\":{\"calendarEntityTypes\":\"For type recognizing event name has to start from identification label. Label for default entity can be empty. Recommendation: Do not change identification labels after you saved synchronization setting\",\"calendarDefaultEntity\":\"Unrecognized Event will be loaded as selected entity.\"}},\"FieldManager\":{\"labels\":{\"Dynamic Logic\":\"Dynamic Logic\"},\"options\":{\"dateTimeDefault\":{\"\":\"None\",\"javascript: return this.dateTime.getNow(1);\":\"Now\",\"javascript: return this.dateTime.getNow(5);\":\"Now (5m)\",\"javascript: return this.dateTime.getNow(15);\":\"Now (15m)\",\"javascript: return this.dateTime.getNow(30);\":\"Now (30m)\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(1, 'hours', 15);\":\"+1 hour\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(2, 'hours', 15);\":\"+2 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(3, 'hours', 15);\":\"+3 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(4, 'hours', 15);\":\"+4 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(5, 'hours', 15);\":\"+5 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(6, 'hours', 15);\":\"+6 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(7, 'hours', 15);\":\"+7 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(8, 'hours', 15);\":\"+8 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(9, 'hours', 15);\":\"+9 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(10, 'hours', 15);\":\"+10 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(11, 'hours', 15);\":\"+11 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(12, 'hours', 15);\":\"+12 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(1, 'days', 15);\":\"+1 day\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(2, 'days', 15);\":\"+2 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(3, 'days', 15);\":\"+3 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(4, 'days', 15);\":\"+4 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(5, 'days', 15);\":\"+5 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(6, 'days', 15);\":\"+6 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(1, 'week', 15);\":\"+1 week\"},\"dateDefault\":{\"\":\"None\",\"javascript: return this.dateTime.getToday();\":\"Today\",\"javascript: return this.dateTime.getDateShiftedFromToday(1, 'days');\":\"+1 day\",\"javascript: return this.dateTime.getDateShiftedFromToday(2, 'days');\":\"+2 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(3, 'days');\":\"+3 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(4, 'days');\":\"+4 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(5, 'days');\":\"+5 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(6, 'days');\":\"+6 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(7, 'days');\":\"+7 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(8, 'days');\":\"+8 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(9, 'days');\":\"+9 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(10, 'days');\":\"+10 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(1, 'weeks');\":\"+1 week\",\"javascript: return this.dateTime.getDateShiftedFromToday(2, 'weeks');\":\"+2 weeks\",\"javascript: return this.dateTime.getDateShiftedFromToday(3, 'weeks');\":\"+3 weeks\",\"javascript: return this.dateTime.getDateShiftedFromToday(1, 'months');\":\"+1 month\",\"javascript: return this.dateTime.getDateShiftedFromToday(2, 'months');\":\"+2 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(3, 'months');\":\"+3 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(4, 'months');\":\"+4 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(5, 'months');\":\"+5 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(6, 'months');\":\"+6 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(7, 'months');\":\"+7 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(8, 'months');\":\"+8 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(9, 'months');\":\"+9 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(10, 'months');\":\"+10 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(11, 'months');\":\"+11 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(1, 'year');\":\"+1 year\"}},\"tooltips\":{\"audited\":\"Updates will be logged in stream.\",\"required\":\"Field will be mandatory. Can't be left empty.\",\"default\":\"Value will be set by default upon creating.\",\"min\":\"Min acceptable value.\",\"max\":\"Max acceptable value.\",\"seeMoreDisabled\":\"If not checked then long texts will be shortened.\",\"lengthOfCut\":\"How long text can be before it will be cut.\",\"maxLength\":\"Max acceptable length of text.\",\"before\":\"The date value should be before the date value of the specified field.\",\"after\":\"The date value should be after the date value of the specified field.\",\"readOnly\":\"Field value can't be specified by user. But can be calculated by formula.\"}},\"Global\":{\"scopeNames\":{\"Email\":\"Email\",\"User\":\"User\",\"Team\":\"Team\",\"Role\":\"Role\",\"EmailTemplate\":\"Email Template\",\"EmailAccount\":\"Personal Email Account\",\"EmailAccountScope\":\"Personal Email Account\",\"OutboundEmail\":\"Outbound Email\",\"ScheduledJob\":\"Scheduled Job\",\"ExternalAccount\":\"External Account\",\"Extension\":\"Extension\",\"Dashboard\":\"Dashboard\",\"InboundEmail\":\"Group Email Account\",\"Stream\":\"Stream\",\"Import\":\"Import\",\"Template\":\"Template\",\"Job\":\"Job\",\"EmailFilter\":\"Email Filter\",\"Portal\":\"Portal\",\"PortalRole\":\"Portal Role\",\"Attachment\":\"Attachment\",\"EmailFolder\":\"Email Folder\",\"PortalUser\":\"Portal User\",\"Account\":\"Account\",\"Contact\":\"Contact\",\"Lead\":\"Lead\",\"Target\":\"Target\",\"Opportunity\":\"Opportunity\",\"Meeting\":\"Meeting\",\"Calendar\":\"Calendar\",\"Call\":\"Call\",\"Task\":\"Task\",\"Case\":\"Case\",\"Document\":\"Document\",\"DocumentFolder\":\"Document Folder\",\"Campaign\":\"Campaign\",\"TargetList\":\"Target List\",\"MassEmail\":\"Mass Email\",\"EmailQueueItem\":\"Email Queue Item\",\"CampaignTrackingUrl\":\"Tracking URL\",\"Activities\":\"Activities\",\"KnowledgeBaseArticle\":\"Knowledge Base Article\",\"KnowledgeBaseCategory\":\"Knowledge Base Category\",\"CampaignLogRecord\":\"Campaign Log Record\",\"Workflow\":\"Workflow\",\"Report\":\"Report\",\"Product\":\"Product\",\"ProductCategory\":\"Product Category\",\"ProductBrand\":\"Product Brand\",\"Quote\":\"Quote\",\"QuoteItem\":\"Quote Item\",\"Tax\":\"Tax\",\"ShippingProvider\":\"Shipping Provider\",\"OpportunityItem\":\"Opportunity Item\",\"MailChimpCampaign\":\"MailChimp Campaign\",\"MailChimpList\":\"MailChimp List\",\"MailChimpListGroup\":\"MailChimp List Group\",\"WorkflowLogRecord\":\"Workflow Log Record\",\"GoogleCalendar\":\"Google Calendar\",\"GoogleContacts\":\"Google Contacts\"},\"scopeNamesPlural\":{\"Email\":\"Emails\",\"User\":\"Users\",\"Team\":\"Teams\",\"Role\":\"Roles\",\"EmailTemplate\":\"Email Templates\",\"EmailAccount\":\"Personal Email Accounts\",\"EmailAccountScope\":\"Personal Email Accounts\",\"OutboundEmail\":\"Outbound Emails\",\"ScheduledJob\":\"Scheduled Jobs\",\"ExternalAccount\":\"External Accounts\",\"Extension\":\"Extensions\",\"Dashboard\":\"Dashboard\",\"InboundEmail\":\"Group Email Accounts\",\"Stream\":\"Stream\",\"Import\":\"Import Results\",\"Template\":\"Templates\",\"Job\":\"Jobs\",\"EmailFilter\":\"Email Filters\",\"Portal\":\"Portals\",\"PortalRole\":\"Portal Roles\",\"Attachment\":\"Attachments\",\"EmailFolder\":\"Email Folders\",\"PortalUser\":\"Portal Users\",\"Account\":\"Accounts\",\"Contact\":\"Contacts\",\"Lead\":\"Leads\",\"Target\":\"Targets\",\"Opportunity\":\"Opportunities\",\"Meeting\":\"Meetings\",\"Calendar\":\"Calendar\",\"Call\":\"Calls\",\"Task\":\"Tasks\",\"Case\":\"Cases\",\"Document\":\"Documents\",\"DocumentFolder\":\"Document Folders\",\"Campaign\":\"Campaigns\",\"TargetList\":\"Target Lists\",\"MassEmail\":\"Mass Emails\",\"EmailQueueItem\":\"Email Queue Items\",\"CampaignTrackingUrl\":\"Tracking URLs\",\"Activities\":\"Activities\",\"KnowledgeBaseArticle\":\"Knowledge Base\",\"KnowledgeBaseCategory\":\"Knowledge Base Categories\",\"CampaignLogRecord\":\"Campaign Log Records\",\"Workflow\":\"Workflows\",\"Report\":\"Reports\",\"Product\":\"Products\",\"ProductCategory\":\"Product Categories\",\"Quote\":\"Quotes\",\"QuoteItem\":\"Quote Items\",\"Tax\":\"Taxes\",\"ShippingProvider\":\"Shipping Providers\",\"OpportunityItem\":\"Opportunity Items\",\"ProductBrand\":\"Product Brands\",\"MailChimpCampaign\":\"MailChimp Campaigns\",\"MailChimpList\":\"MailChimp Lists\",\"MailChimpListGroup\":\"MailChimp List Groups\",\"WorkflowLogRecord\":\"Workflows Log\",\"GoogleCalendar\":\"Google Calendar\",\"GoogleContacts\":\"Google Contacts\"},\"labels\":{\"Misc\":\"Misc\",\"Merge\":\"Merge\",\"None\":\"None\",\"Home\":\"Home\",\"by\":\"by\",\"Saved\":\"Saved\",\"Error\":\"Error\",\"Select\":\"Select\",\"Not valid\":\"Not valid\",\"Please wait...\":\"Please wait...\",\"Please wait\":\"Please wait\",\"Loading...\":\"Loading...\",\"Uploading...\":\"Uploading...\",\"Sending...\":\"Sending...\",\"Merging...\":\"Merging...\",\"Merged\":\"Merged\",\"Removed\":\"Removed\",\"Posted\":\"Posted\",\"Linked\":\"Linked\",\"Unlinked\":\"Unlinked\",\"Done\":\"Done\",\"Access denied\":\"Access denied\",\"Not found\":\"Not found\",\"Access\":\"Access\",\"Are you sure?\":\"Are you sure?\",\"Record has been removed\":\"Record has been removed\",\"Wrong username\\/password\":\"Wrong username\\/password\",\"Post cannot be empty\":\"Post cannot be empty\",\"Removing...\":\"Removing...\",\"Unlinking...\":\"Unlinking...\",\"Posting...\":\"Posting...\",\"Username can not be empty!\":\"Username can not be empty!\",\"Cache is not enabled\":\"Cache is not enabled\",\"Cache has been cleared\":\"Cache has been cleared\",\"Rebuild has been done\":\"Rebuild has been done\",\"Saving...\":\"Saving...\",\"Modified\":\"Modified\",\"Created\":\"Created\",\"Create\":\"Create\",\"create\":\"create\",\"Overview\":\"Overview\",\"Details\":\"Details\",\"Add Field\":\"Add Field\",\"Add Dashlet\":\"Add Dashlet\",\"Filter\":\"Filter\",\"Edit Dashboard\":\"Edit Dashboard\",\"Add\":\"Add\",\"Add Item\":\"Add Item\",\"Reset\":\"Reset\",\"Menu\":\"Menu\",\"More\":\"More\",\"Search\":\"Search\",\"Only My\":\"Only My\",\"Open\":\"Open\",\"Admin\":\"Admin\",\"About\":\"About\",\"Refresh\":\"Refresh\",\"Remove\":\"Remove\",\"Options\":\"Options\",\"Username\":\"Username\",\"Password\":\"Password\",\"Login\":\"Login\",\"Log Out\":\"Log Out\",\"Preferences\":\"Preferences\",\"State\":\"State\",\"Street\":\"Street\",\"Country\":\"Country\",\"City\":\"City\",\"PostalCode\":\"Postal Code\",\"Followed\":\"Followed\",\"Follow\":\"Follow\",\"Followers\":\"Followers\",\"Clear Local Cache\":\"Clear Local Cache\",\"Actions\":\"Actions\",\"Delete\":\"Delete\",\"Update\":\"Update\",\"Save\":\"Save\",\"Edit\":\"Edit\",\"View\":\"View\",\"Cancel\":\"Cancel\",\"Apply\":\"Apply\",\"Unlink\":\"Unlink\",\"Mass Update\":\"Mass Update\",\"Export\":\"Export\",\"No Data\":\"No Data\",\"No Access\":\"No Access\",\"All\":\"All\",\"Active\":\"Active\",\"Inactive\":\"Inactive\",\"Write your comment here\":\"Write your comment here\",\"Post\":\"Post\",\"Stream\":\"Stream\",\"Show more\":\"Show more\",\"Dashlet Options\":\"Dashlet Options\",\"Full Form\":\"Full Form\",\"Insert\":\"Insert\",\"Person\":\"Person\",\"First Name\":\"First Name\",\"Last Name\":\"Last Name\",\"Original\":\"Original\",\"You\":\"You\",\"you\":\"you\",\"change\":\"change\",\"Change\":\"Change\",\"Primary\":\"Primary\",\"Save Filter\":\"Save Filter\",\"Administration\":\"Administration\",\"Run Import\":\"Run Import\",\"Duplicate\":\"Duplicate\",\"Notifications\":\"Notifications\",\"Mark all read\":\"Mark all read\",\"See more\":\"See more\",\"Today\":\"Today\",\"Tomorrow\":\"Tomorrow\",\"Yesterday\":\"Yesterday\",\"Submit\":\"Submit\",\"Close\":\"Close\",\"Yes\":\"Yes\",\"No\":\"No\",\"Select All Results\":\"Select All Results\",\"Value\":\"Value\",\"Current version\":\"Current version\",\"List View\":\"List View\",\"Tree View\":\"Tree View\",\"Unlink All\":\"Unlink All\",\"Total\":\"Total\",\"Print to PDF\":\"Print to PDF\",\"Default\":\"Default\",\"Number\":\"Number\",\"From\":\"From\",\"To\":\"To\",\"Create Post\":\"Create Post\",\"Previous Entry\":\"Previous Entry\",\"Next Entry\":\"Next Entry\",\"View List\":\"View List\",\"Attach File\":\"Attach File\",\"Skip\":\"Skip\",\"Attribute\":\"Attribute\",\"Function\":\"Function\",\"Self-Assign\":\"Self-Assign\",\"Self-Assigned\":\"Self-Assigned\",\"Create InboundEmail\":\"Create Inbound Email\",\"Activities\":\"Activities\",\"History\":\"History\",\"Attendees\":\"Attendees\",\"Schedule Meeting\":\"Schedule Meeting\",\"Schedule Call\":\"Schedule Call\",\"Compose Email\":\"Compose Email\",\"Log Meeting\":\"Log Meeting\",\"Log Call\":\"Log Call\",\"Archive Email\":\"Archive Email\",\"Create Task\":\"Create Task\",\"Tasks\":\"Tasks\"},\"messages\":{\"pleaseWait\":\"Please wait...\",\"posting\":\"Posting...\",\"confirmLeaveOutMessage\":\"Are you sure you want to leave the form?\",\"notModified\":\"You have not modified the record\",\"duplicate\":\"The record you are creating might already exist\",\"dropToAttach\":\"Drop to attach\",\"fieldIsRequired\":\"{field} is required\",\"fieldShouldBeEmail\":\"{field} should be a valid email\",\"fieldShouldBeFloat\":\"{field} should be a valid float\",\"fieldShouldBeInt\":\"{field} should be a valid integer\",\"fieldShouldBeDate\":\"{field} should be a valid date\",\"fieldShouldBeDatetime\":\"{field} should be a valid date\\/time\",\"fieldShouldAfter\":\"{field} should be after {otherField}\",\"fieldShouldBefore\":\"{field} should be before {otherField}\",\"fieldShouldBeBetween\":\"{field} should be between {min} and {max}\",\"fieldShouldBeLess\":\"{field} should be less then {value}\",\"fieldShouldBeGreater\":\"{field} should be greater then {value}\",\"fieldBadPasswordConfirm\":\"{field} not confirmed properly\",\"resetPreferencesDone\":\"Preferences has been reset to defaults\",\"confirmation\":\"Are you sure?\",\"unlinkAllConfirmation\":\"Are you sure you want to unlink all related records?\",\"resetPreferencesConfirmation\":\"Are you sure you want to reset preferences to defaults?\",\"removeRecordConfirmation\":\"Are you sure you want to remove the record?\",\"unlinkRecordConfirmation\":\"Are you sure you want to unlink the related record?\",\"removeSelectedRecordsConfirmation\":\"Are you sure you want to remove selected records?\",\"massUpdateResult\":\"{count} records have been updated\",\"massUpdateResultSingle\":\"{count} record has been updated\",\"noRecordsUpdated\":\"No records were updated\",\"massRemoveResult\":\"{count} records have been removed\",\"massRemoveResultSingle\":\"{count} record has been removed\",\"noRecordsRemoved\":\"No records were removed\",\"clickToRefresh\":\"Click to refresh\",\"streamPostInfo\":\"Type @username<\\/strong> to mention users in the post.\\n\\nAvailable markdown syntax:\\n`code<\\/code>`\\n**strong text<\\/strong>**\\n*emphasized text<\\/em>*\\n~deleted text<\\/del>~\\n> blockquote\\n[link text](url)\",\"writeYourCommentHere\":\"Write your comment here\",\"writeMessageToUser\":\"Write a message to {user}\",\"writeMessageToSelf\":\"Write a message on your stream\",\"typeAndPressEnter\":\"Type & press enter\",\"checkForNewNotifications\":\"Check for new notifications\",\"checkForNewNotes\":\"Check for stream updates\",\"internalPost\":\"Post will be seen only by internal users\",\"internalPostTitle\":\"Post is seen only by internal users\",\"done\":\"Done\",\"confirmMassFollow\":\"Are you sure you want to follow selected records?\",\"confirmMassUnfollow\":\"Are you sure you want to unfollow selected records?\",\"massFollowResult\":\"{count} records now are followed\",\"massUnfollowResult\":\"{count} records now are not followed\",\"massFollowResultSingle\":\"{count} record now is followed\",\"massUnfollowResultSingle\":\"{count} record now is not followed\",\"massFollowZeroResult\":\"Nothing got followed\",\"massUnfollowZeroResult\":\"Nothing got unfollowed\"},\"boolFilters\":{\"onlyMy\":\"Only My\",\"followed\":\"Followed\"},\"presetFilters\":{\"followed\":\"Followed\",\"all\":\"All\"},\"massActions\":{\"remove\":\"Remove\",\"merge\":\"Merge\",\"massUpdate\":\"Mass Update\",\"export\":\"Export\",\"follow\":\"Follow\",\"unfollow\":\"Unfollow\"},\"fields\":{\"name\":\"Name\",\"firstName\":\"First Name\",\"lastName\":\"Last Name\",\"salutationName\":\"Salutation\",\"assignedUser\":\"Assigned User\",\"assignedUsers\":\"Assigned Users\",\"emailAddress\":\"Email\",\"assignedUserName\":\"Assigned User Name\",\"teams\":\"Teams\",\"createdAt\":\"Created At\",\"modifiedAt\":\"Modified At\",\"createdBy\":\"Created By\",\"modifiedBy\":\"Modified By\",\"description\":\"Description\",\"address\":\"Address\",\"phoneNumber\":\"Phone\",\"phoneNumberMobile\":\"Phone (Mobile)\",\"phoneNumberHome\":\"Phone (Home)\",\"phoneNumberFax\":\"Phone (Fax)\",\"phoneNumberOffice\":\"Phone (Office)\",\"phoneNumberOther\":\"Phone (Other)\",\"order\":\"Order\",\"parent\":\"Parent\",\"children\":\"Children\",\"id\":\"ID\",\"billingAddressCity\":\"City\",\"billingAddressCountry\":\"Country\",\"billingAddressPostalCode\":\"Postal Code\",\"billingAddressState\":\"State\",\"billingAddressStreet\":\"Street\",\"billingAddressMap\":\"Map\",\"addressCity\":\"City\",\"addressStreet\":\"Street\",\"addressCountry\":\"Country\",\"addressState\":\"State\",\"addressPostalCode\":\"Postal Code\",\"addressMap\":\"Map\",\"shippingAddressCity\":\"City (Shipping)\",\"shippingAddressStreet\":\"Street (Shipping)\",\"shippingAddressCountry\":\"Country (Shipping)\",\"shippingAddressState\":\"State (Shipping)\",\"shippingAddressPostalCode\":\"Postal Code (Shipping)\",\"shippingAddressMap\":\"Map (Shipping)\"},\"links\":{\"assignedUser\":\"Assigned User\",\"createdBy\":\"Created By\",\"modifiedBy\":\"Modified By\",\"team\":\"Team\",\"roles\":\"Roles\",\"teams\":\"Teams\",\"users\":\"Users\",\"parent\":\"Parent\",\"children\":\"Children\",\"contacts\":\"Contacts\",\"opportunities\":\"Opportunities\",\"leads\":\"Leads\",\"meetings\":\"Meetings\",\"calls\":\"Calls\",\"tasks\":\"Tasks\",\"emails\":\"Emails\",\"accounts\":\"Accounts\",\"cases\":\"Cases\",\"documents\":\"Documents\",\"account\":\"Account\",\"opportunity\":\"Opportunity\",\"contact\":\"Contact\"},\"dashlets\":{\"Stream\":\"Stream\",\"Emails\":\"My Inbox\",\"Leads\":\"My Leads\",\"Opportunities\":\"My Opportunities\",\"Tasks\":\"My Tasks\",\"Cases\":\"My Cases\",\"Calendar\":\"Calendar\",\"Calls\":\"My Calls\",\"Meetings\":\"My Meetings\",\"OpportunitiesByStage\":\"Opportunities by Stage\",\"OpportunitiesByLeadSource\":\"Opportunities by Lead Source\",\"SalesByMonth\":\"Sales by Month\",\"SalesPipeline\":\"Sales Pipeline\",\"Activities\":\"My Activities\"},\"notificationMessages\":{\"assign\":\"{entityType} {entity} has been assigned to you\",\"emailReceived\":\"Email received from {from}\",\"entityRemoved\":\"{user} removed {entityType} {entity}\"},\"streamMessages\":{\"post\":\"{user} posted on {entityType} {entity}\",\"attach\":\"{user} attached on {entityType} {entity}\",\"status\":\"{user} updated {field} of {entityType} {entity}\",\"update\":\"{user} updated {entityType} {entity}\",\"postTargetTeam\":\"{user} posted to team {target}\",\"postTargetTeams\":\"{user} posted to teams {target}\",\"postTargetPortal\":\"{user} posted to portal {target}\",\"postTargetPortals\":\"{user} posted to portals {target}\",\"postTarget\":\"{user} posted to {target}\",\"postTargetYou\":\"{user} posted to you\",\"postTargetYouAndOthers\":\"{user} posted to {target} and you\",\"postTargetAll\":\"{user} posted to all\",\"postTargetSelf\":\"{user} self-posted\",\"postTargetSelfAndOthers\":\"{user} posted to {target} and themself\",\"mentionInPost\":\"{user} mentioned {mentioned} in {entityType} {entity}\",\"mentionYouInPost\":\"{user} mentioned you in {entityType} {entity}\",\"mentionInPostTarget\":\"{user} mentioned {mentioned} in post\",\"mentionYouInPostTarget\":\"{user} mentioned you in post to {target}\",\"mentionYouInPostTargetAll\":\"{user} mentioned you in post to all\",\"mentionYouInPostTargetNoTarget\":\"{user} mentioned you in post\",\"create\":\"{user} created {entityType} {entity}\",\"createThis\":\"{user} created this {entityType}\",\"createAssignedThis\":\"{user} created this {entityType} assigned to {assignee}\",\"createAssigned\":\"{user} created {entityType} {entity} assigned to {assignee}\",\"createAssignedYou\":\"{user} created {entityType} {entity} assigned to you\",\"createAssignedThisSelf\":\"{user} created this {entityType} self-assigned\",\"createAssignedSelf\":\"{user} created {entityType} {entity} self-assigned\",\"assign\":\"{user} assigned {entityType} {entity} to {assignee}\",\"assignThis\":\"{user} assigned this {entityType} to {assignee}\",\"assignYou\":\"{user} assigned {entityType} {entity} to you\",\"assignThisVoid\":\"{user} unassigned this {entityType}\",\"assignVoid\":\"{user} unassigned {entityType} {entity}\",\"assignThisSelf\":\"{user} self-assigned this {entityType}\",\"assignSelf\":\"{user} self-assigned {entityType} {entity}\",\"postThis\":\"{user} posted\",\"attachThis\":\"{user} attached\",\"statusThis\":\"{user} updated {field}\",\"updateThis\":\"{user} updated this {entityType}\",\"createRelatedThis\":\"{user} created {relatedEntityType} {relatedEntity} related to this {entityType}\",\"createRelated\":\"{user} created {relatedEntityType} {relatedEntity} related to {entityType} {entity}\",\"relate\":\"{user} linked {relatedEntityType} {relatedEntity} with {entityType} {entity}\",\"relateThis\":\"{user} linked {relatedEntityType} {relatedEntity} with this {entityType}\",\"emailReceivedFromThis\":\"Email received from {from}\",\"emailReceivedInitialFromThis\":\"Email received from {from}, this {entityType} created\",\"emailReceivedThis\":\"Email received\",\"emailReceivedInitialThis\":\"Email received, this {entityType} created\",\"emailReceivedFrom\":\"Email received from {from}, related to {entityType} {entity}\",\"emailReceivedFromInitial\":\"Email received from {from}, {entityType} {entity} created\",\"emailReceived\":\"Email received related to {entityType} {entity}\",\"emailReceivedInitial\":\"Email received: {entityType} {entity} created\",\"emailReceivedInitialFrom\":\"Email received from {from}, {entityType} {entity} created\",\"emailSent\":\"{by} sent email related to {entityType} {entity}\",\"emailSentThis\":\"{by} sent email\"},\"streamMessagesMale\":{\"postTargetSelfAndOthers\":\"{user} posted to {target} and himself\"},\"streamMessagesFemale\":{\"postTargetSelfAndOthers\":\"{user} posted to {target} and herself\"},\"lists\":{\"monthNames\":[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"],\"monthNamesShort\":[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],\"dayNames\":[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"],\"dayNamesShort\":[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],\"dayNamesMin\":[\"Su\",\"Mo\",\"Tu\",\"We\",\"Th\",\"Fr\",\"Sa\"]},\"options\":{\"salutationName\":{\"Mr.\":\"Mr.\",\"Mrs.\":\"Mrs.\",\"Ms.\":\"Ms.\",\"Dr.\":\"Dr.\"},\"language\":{\"af_ZA\":\"Afrikaans\",\"az_AZ\":\"Azerbaijani\",\"be_BY\":\"Belarusian\",\"bg_BG\":\"Bulgarian\",\"bn_IN\":\"Bengali\",\"bs_BA\":\"Bosnian\",\"ca_ES\":\"Catalan\",\"cs_CZ\":\"Czech\",\"cy_GB\":\"Welsh\",\"da_DK\":\"Danish\",\"de_DE\":\"German\",\"el_GR\":\"Greek\",\"en_GB\":\"English (UK)\",\"en_US\":\"English (US)\",\"es_ES\":\"Spanish (Spain)\",\"et_EE\":\"Estonian\",\"eu_ES\":\"Basque\",\"fa_IR\":\"Persian\",\"fi_FI\":\"Finnish\",\"fo_FO\":\"Faroese\",\"fr_CA\":\"French (Canada)\",\"fr_FR\":\"French (France)\",\"ga_IE\":\"Irish\",\"gl_ES\":\"Galician\",\"gn_PY\":\"Guarani\",\"he_IL\":\"Hebrew\",\"hi_IN\":\"Hindi\",\"hr_HR\":\"Croatian\",\"hu_HU\":\"Hungarian\",\"hy_AM\":\"Armenian\",\"id_ID\":\"Indonesian\",\"is_IS\":\"Icelandic\",\"it_IT\":\"Italian\",\"ja_JP\":\"Japanese\",\"ka_GE\":\"Georgian\",\"km_KH\":\"Khmer\",\"ko_KR\":\"Korean\",\"ku_TR\":\"Kurdish\",\"lt_LT\":\"Lithuanian\",\"lv_LV\":\"Latvian\",\"mk_MK\":\"Macedonian\",\"ml_IN\":\"Malayalam\",\"ms_MY\":\"Malay\",\"nb_NO\":\"Norwegian Bokm\\u00e5l\",\"nn_NO\":\"Norwegian Nynorsk\",\"ne_NP\":\"Nepali\",\"nl_NL\":\"Dutch\",\"pa_IN\":\"Punjabi\",\"pl_PL\":\"Polish\",\"ps_AF\":\"Pashto\",\"pt_BR\":\"Portuguese (Brazil)\",\"pt_PT\":\"Portuguese (Portugal)\",\"ro_RO\":\"Romanian\",\"ru_RU\":\"Russian\",\"sk_SK\":\"Slovak\",\"sl_SI\":\"Slovene\",\"sq_AL\":\"Albanian\",\"sr_RS\":\"Serbian\",\"sv_SE\":\"Swedish\",\"sw_KE\":\"Swahili\",\"ta_IN\":\"Tamil\",\"te_IN\":\"Telugu\",\"th_TH\":\"Thai\",\"tl_PH\":\"Tagalog\",\"tr_TR\":\"Turkish\",\"uk_UA\":\"Ukrainian\",\"ur_PK\":\"Urdu\",\"vi_VN\":\"Vietnamese\",\"zh_CN\":\"Simplified Chinese (China)\",\"zh_HK\":\"Traditional Chinese (Hong Kong)\",\"zh_TW\":\"Traditional Chinese (Taiwan)\"},\"dateSearchRanges\":{\"on\":\"On\",\"notOn\":\"Not On\",\"after\":\"After\",\"before\":\"Before\",\"between\":\"Between\",\"today\":\"Today\",\"past\":\"Past\",\"future\":\"Future\",\"currentMonth\":\"Current Month\",\"lastMonth\":\"Last Month\",\"currentQuarter\":\"Current Quarter\",\"lastQuarter\":\"Last Quarter\",\"currentYear\":\"Current Year\",\"lastYear\":\"Last Year\",\"lastSevenDays\":\"Last 7 Days\",\"lastXDays\":\"Last X Days\",\"nextXDays\":\"Next X Days\",\"ever\":\"Ever\",\"isEmpty\":\"Is Empty\",\"olderThanXDays\":\"Older Than X Days\",\"afterXDays\":\"After X Days\"},\"searchRanges\":{\"is\":\"Is\",\"isEmpty\":\"Is Empty\",\"isNotEmpty\":\"Is Not Empty\",\"isOneOf\":\"Is One Of\",\"isFromTeams\":\"Is From Team\"},\"varcharSearchRanges\":{\"equals\":\"Equals\",\"like\":\"Is Like (%)\",\"startsWith\":\"Starts With\",\"endsWith\":\"Ends With\",\"contains\":\"Contains\",\"isEmpty\":\"Is Empty\",\"isNotEmpty\":\"Is Not Empty\"},\"intSearchRanges\":{\"equals\":\"Equals\",\"notEquals\":\"Not Equals\",\"greaterThan\":\"Greater Than\",\"lessThan\":\"Less Than\",\"greaterThanOrEquals\":\"Greater Than or Equals\",\"lessThanOrEquals\":\"Less Than or Equals\",\"between\":\"Between\",\"isEmpty\":\"Is Empty\",\"isNotEmpty\":\"Is Not Empty\"},\"autorefreshInterval\":{\"0\":\"None\",\"0.5\":\"30 seconds\",\"1\":\"1 minute\",\"2\":\"2 minutes\",\"5\":\"5 minutes\",\"10\":\"10 minutes\"},\"phoneNumber\":{\"Mobile\":\"Mobile\",\"Office\":\"Office\",\"Fax\":\"Fax\",\"Home\":\"Home\",\"Other\":\"Other\"},\"reminderTypes\":{\"Popup\":\"Popup\",\"Email\":\"Email\"}},\"sets\":{\"summernote\":{\"NOTICE\":\"You can find translation here: https:\\/\\/github.com\\/HackerWins\\/summernote\\/tree\\/master\\/lang\",\"font\":{\"bold\":\"Bold\",\"italic\":\"Italic\",\"underline\":\"Underline\",\"strike\":\"Strike\",\"clear\":\"Remove Font Style\",\"height\":\"Line Height\",\"name\":\"Font Family\",\"size\":\"Font Size\"},\"image\":{\"image\":\"Picture\",\"insert\":\"Insert Image\",\"resizeFull\":\"Resize Full\",\"resizeHalf\":\"Resize Half\",\"resizeQuarter\":\"Resize Quarter\",\"floatLeft\":\"Float Left\",\"floatRight\":\"Float Right\",\"floatNone\":\"Float None\",\"dragImageHere\":\"Drag an image here\",\"selectFromFiles\":\"Select from files\",\"url\":\"Image URL\",\"remove\":\"Remove Image\"},\"link\":{\"link\":\"Link\",\"insert\":\"Insert Link\",\"unlink\":\"Unlink\",\"edit\":\"Edit\",\"textToDisplay\":\"Text to display\",\"url\":\"To what URL should this link go?\",\"openInNewWindow\":\"Open in new window\"},\"video\":{\"video\":\"Video\",\"videoLink\":\"Video Link\",\"insert\":\"Insert Video\",\"url\":\"Video URL?\",\"providers\":\"(YouTube, Vimeo, Vine, Instagram, or DailyMotion)\"},\"table\":{\"table\":\"Table\"},\"hr\":{\"insert\":\"Insert Horizontal Rule\"},\"style\":{\"style\":\"Style\",\"normal\":\"Normal\",\"blockquote\":\"Quote\",\"pre\":\"Code\",\"h1\":\"Header 1\",\"h2\":\"Header 2\",\"h3\":\"Header 3\",\"h4\":\"Header 4\",\"h5\":\"Header 5\",\"h6\":\"Header 6\"},\"lists\":{\"unordered\":\"Unordered list\",\"ordered\":\"Ordered list\"},\"options\":{\"help\":\"Help\",\"fullscreen\":\"Full Screen\",\"codeview\":\"Code View\"},\"paragraph\":{\"paragraph\":\"Paragraph\",\"outdent\":\"Outdent\",\"indent\":\"Indent\",\"left\":\"Align left\",\"center\":\"Align center\",\"right\":\"Align right\",\"justify\":\"Justify full\"},\"color\":{\"recent\":\"Recent Color\",\"more\":\"More Color\",\"background\":\"BackColor\",\"foreground\":\"FontColor\",\"transparent\":\"Transparent\",\"setTransparent\":\"Set transparent\",\"reset\":\"Reset\",\"resetToDefault\":\"Reset to default\"},\"shortcut\":{\"shortcuts\":\"Keyboard shortcuts\",\"close\":\"Close\",\"textFormatting\":\"Text formatting\",\"action\":\"Action\",\"paragraphFormatting\":\"Paragraph formatting\",\"documentStyle\":\"Document Style\"},\"history\":{\"undo\":\"Undo\",\"redo\":\"Redo\"}}},\"themes\":{\"Espo\":\"Espo\",\"EspoRtl\":\"RTL Espo\",\"Sakura\":\"Sakura\",\"EspoVertical\":\"Espo w\\/ sidebar\",\"SakuraVertical\":\"Sakura w\\/ sidebar\",\"Violet\":\"Violet\",\"VioletVertical\":\"Violet w\\/ sidebar\",\"Hazyblue\":\"Hazyblue\",\"HazyblueVertical\":\"Hazyblue w\\/ sidebar\"}},\"Import\":{\"labels\":{\"Revert Import\":\"Revert Import\",\"Return to Import\":\"Return to Import\",\"Run Import\":\"Run Import\",\"Back\":\"Back\",\"Field Mapping\":\"Field Mapping\",\"Default Values\":\"Default Values\",\"Add Field\":\"Add Field\",\"Created\":\"Created\",\"Updated\":\"Updated\",\"Result\":\"Result\",\"Show records\":\"Show records\",\"Remove Duplicates\":\"Remove Duplicates\",\"importedCount\":\"Imported (count)\",\"duplicateCount\":\"Duplicates (count)\",\"updatedCount\":\"Updated (count)\",\"Create Only\":\"Create Only\",\"Create and Update\":\"Create & Update\",\"Update Only\":\"Update Only\",\"Update by\":\"Update by\",\"Set as Not Duplicate\":\"Set as Not Duplicate\",\"File (CSV)\":\"File (CSV)\",\"First Row Value\":\"First Row Value\",\"Skip\":\"Skip\",\"Header Row Value\":\"Header Row Value\",\"Field\":\"Field\",\"What to Import?\":\"What to Import?\",\"Entity Type\":\"Entity Type\",\"What to do?\":\"What to do?\",\"Properties\":\"Properties\",\"Header Row\":\"Header Row\",\"Person Name Format\":\"Person Name Format\",\"John Smith\":\"John Smith\",\"Smith John\":\"Smith John\",\"Smith, John\":\"Smith, John\",\"Field Delimiter\":\"Field Delimiter\",\"Date Format\":\"Date Format\",\"Decimal Mark\":\"Decimal Mark\",\"Text Qualifier\":\"Text Qualifier\",\"Time Format\":\"Time Format\",\"Currency\":\"Currency\",\"Preview\":\"Preview\",\"Next\":\"Next\",\"Step 1\":\"Step 1\",\"Step 2\":\"Step 2\",\"Double Quote\":\"Double Quote\",\"Single Quote\":\"Single Quote\",\"Imported\":\"Imported\",\"Duplicates\":\"Duplicates\",\"Skip searching for duplicates\":\"Skip searching for duplicates\",\"Timezone\":\"Timezone\"},\"messages\":{\"utf8\":\"Should be UTF-8 encoded\",\"duplicatesRemoved\":\"Duplicates removed\",\"inIdle\":\"Execute in idle (for big data; via cron)\"},\"fields\":{\"file\":\"File\",\"entityType\":\"Entity Type\",\"imported\":\"Imported Records\",\"duplicates\":\"Duplicate Records\",\"updated\":\"Updated Records\",\"status\":\"Status\"},\"options\":{\"status\":{\"Failed\":\"Failed\",\"In Process\":\"In Process\",\"Complete\":\"Complete\"}}},\"InboundEmail\":{\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email Address\",\"team\":\"Target Team\",\"status\":\"Status\",\"assignToUser\":\"Assign to User\",\"host\":\"Host\",\"username\":\"Username\",\"password\":\"Password\",\"port\":\"Port\",\"monitoredFolders\":\"Monitored Folders\",\"trashFolder\":\"Trash Folder\",\"ssl\":\"SSL\",\"createCase\":\"Create Case\",\"reply\":\"Auto-Reply\",\"caseDistribution\":\"Case Distribution\",\"replyEmailTemplate\":\"Reply Email Template\",\"replyFromAddress\":\"Reply From Address\",\"replyToAddress\":\"Reply To Address\",\"replyFromName\":\"Reply From Name\",\"targetUserPosition\":\"Target User Position\",\"fetchSince\":\"Fetch Since\",\"addAllTeamUsers\":\"For all team users\",\"teams\":\"Teams\"},\"tooltips\":{\"reply\":\"Notify email senders that their emails has been received.\\n\\n Only one email will be sent to a particular recipient during some period of time to prevent looping.\",\"createCase\":\"Automatically create case from incoming emails.\",\"replyToAddress\":\"Specify email address of this mailbox to make responses come here.\",\"caseDistribution\":\"How cases will be assigned to. Assigned directly to the user or among the team.\",\"assignToUser\":\"User cases will be assigned to.\",\"team\":\"Team cases will be assigned to.\",\"teams\":\"Teams emails will be assigned to.\",\"targetUserPosition\":\"Users with specified position will be distributed with cases.\",\"addAllTeamUsers\":\"Emails will be appearing in Inbox of all users of specified teams.\"},\"links\":{\"filters\":\"Filters\",\"emails\":\"Emails\"},\"options\":{\"status\":{\"Active\":\"Active\",\"Inactive\":\"Inactive\"},\"caseDistribution\":{\"\":\"None\",\"Direct-Assignment\":\"Direct-Assignment\",\"Round-Robin\":\"Round-Robin\",\"Least-Busy\":\"Least-Busy\"}},\"labels\":{\"Create InboundEmail\":\"Create Email Account\",\"IMAP\":\"IMAP\",\"Actions\":\"Actions\",\"Main\":\"Main\"},\"messages\":{\"couldNotConnectToImap\":\"Could not connect to IMAP server\"}},\"Integration\":{\"fields\":{\"enabled\":\"Enabled\",\"clientId\":\"Client ID\",\"clientSecret\":\"Client Secret\",\"redirectUri\":\"Redirect URI\",\"apiKey\":\"API Key\",\"createEmails\":\"Fetch sent Emails\",\"markEmailsOptedOut\":\"Mark email addresses as Opted Out for Unsubscribed Recipients\",\"hardBouncedAction\":\"Hard Bounced Handling\",\"googleCalendar\":\"Calendar\",\"googleContacts\":\"Contacts\",\"googleTasks\":\"Tasks\",\"logSyncDurationDays\":\"Log\\/Activity sync duration (days)\"},\"titles\":{\"GoogleMaps\":\"Google Maps\"},\"messages\":{\"selectIntegration\":\"Select an integration from menu.\",\"noIntegrations\":\"No Integrations is available.\"},\"help\":{\"Google\":\"

Obtain OAuth 2.0 credentials from the Google Developers Console.<\\/b><\\/p>

Visit Google Developers Console<\\/a> to obtain OAuth 2.0 credentials such as a Client ID and Client Secret that are known to both Google and EspoCRM application.<\\/p>

This integration requires curl<\\/b> extension. Google Contacts also needs libxml<\\/b> and xml<\\/b><\\/p>\",\"GoogleMaps\":\"

Obtain API key here<\\/a>.<\\/p>\",\"MailChimp\":\"

MailChimp Configuration<\\/b><\\/p>

You can get your API Key in your MailChimp Account, in Extras tab select API keys, or click here<\\/a><\\/p>\"},\"options\":{\"hardBouncedAction\":{\"setAsInvalid\":\"Set Email Address as Invalid\",\"removeFromList\":\"Remove from List\",\"setAsInvalidAndRemove\":\"Both of Actions\"}},\"tooltips\":{\"createEmails\":\"Fetch sent emails from MailChimp and relate to your Recipients in EspoCRM. Recommendation: Do not fetch emails if you use big recipient lists.\",\"logSyncDurationDays\":\"Number of days after campaign sent date activity will be synced.\"}},\"Job\":{\"fields\":{\"status\":\"Status\",\"executeTime\":\"Execute At\",\"attempts\":\"Attempts Left\",\"failedAttempts\":\"Failed Attempts\",\"serviceName\":\"Service\",\"method\":\"Method\",\"scheduledJob\":\"Scheduled Job\",\"data\":\"Data\"},\"options\":{\"status\":{\"Pending\":\"Pending\",\"Success\":\"Success\",\"Running\":\"Running\",\"Failed\":\"Failed\"}}},\"LayoutManager\":{\"fields\":{\"width\":\"Width (%)\",\"link\":\"Link\",\"notSortable\":\"Not Sortable\",\"align\":\"Align\",\"panelName\":\"Panel Name\",\"style\":\"Style\",\"sticked\":\"Sticked\"},\"options\":{\"align\":{\"left\":\"Left\",\"right\":\"Right\"},\"style\":{\"default\":\"Default\",\"success\":\"Success\",\"danger\":\"Danger\",\"info\":\"Info\",\"warning\":\"Warning\",\"primary\":\"Primary\"}}},\"Note\":{\"fields\":{\"post\":\"Post\",\"attachments\":\"Attachments\",\"targetType\":\"Target\",\"teams\":\"Teams\",\"users\":\"Users\",\"portals\":\"Portals\"},\"filters\":{\"all\":\"All\",\"posts\":\"Posts\",\"updates\":\"Updates\"},\"options\":{\"targetType\":{\"self\":\"to myself\",\"users\":\"to particular user(s)\",\"teams\":\"to particular team(s)\",\"all\":\"to all internal users\",\"portals\":\"to portal users\"}},\"messages\":{\"writeMessage\":\"Write your message here\"}},\"Portal\":{\"fields\":{\"name\":\"Name\",\"logo\":\"Logo\",\"url\":\"URL\",\"portalRoles\":\"Roles\",\"isActive\":\"Is Active\",\"isDefault\":\"Is Default\",\"tabList\":\"Tab List\",\"quickCreateList\":\"Quick Create List\",\"companyLogo\":\"Logo\",\"theme\":\"Theme\",\"language\":\"Language\",\"dashboardLayout\":\"Dashboard Layout\",\"dateFormat\":\"Date Format\",\"timeFormat\":\"Time Format\",\"timeZone\":\"Time Zone\",\"weekStart\":\"First Day of Week\",\"defaultCurrency\":\"Default Currency\",\"customUrl\":\"Custom URL\",\"customId\":\"Custom ID\"},\"links\":{\"users\":\"Users\",\"portalRoles\":\"Roles\",\"notes\":\"Notes\",\"articles\":\"Knowledge Base Articles\"},\"tooltips\":{\"portalRoles\":\"Specified Portal Roles will be applied to all users of this portal.\"},\"labels\":{\"Create Portal\":\"Create Portal\",\"User Interface\":\"User Interface\",\"General\":\"General\",\"Settings\":\"Settings\"}},\"PortalRole\":{\"fields\":[],\"links\":{\"users\":\"Users\"},\"tooltips\":[],\"labels\":{\"Access\":\"Access\",\"Create PortalRole\":\"Create Portal Role\",\"Scope Level\":\"Scope Level\",\"Field Level\":\"Field Level\"}},\"PortalUser\":{\"labels\":{\"Create PortalUser\":\"Create Portal User\"}},\"Preferences\":{\"fields\":{\"dateFormat\":\"Date Format\",\"timeFormat\":\"Time Format\",\"timeZone\":\"Time Zone\",\"weekStart\":\"First Day of Week\",\"thousandSeparator\":\"Thousand Separator\",\"decimalMark\":\"Decimal Mark\",\"defaultCurrency\":\"Default Currency\",\"currencyList\":\"Currency List\",\"language\":\"Language\",\"smtpServer\":\"Server\",\"smtpPort\":\"Port\",\"smtpAuth\":\"Auth\",\"smtpSecurity\":\"Security\",\"smtpUsername\":\"Username\",\"emailAddress\":\"Email\",\"smtpPassword\":\"Password\",\"smtpEmailAddress\":\"Email Address\",\"exportDelimiter\":\"Export Delimiter\",\"receiveAssignmentEmailNotifications\":\"Email notifications upon assignment\",\"receiveMentionEmailNotifications\":\"Email notifications about mentions in posts\",\"receiveStreamEmailNotifications\":\"Email notifications about posts and status updates\",\"autoFollowEntityTypeList\":\"Auto-Follow\",\"signature\":\"Email Signature\",\"dashboardTabList\":\"Tab List\",\"defaultReminders\":\"Default Reminders\",\"theme\":\"Theme\",\"useCustomTabList\":\"Custom Tab List\",\"tabList\":\"Tab List\",\"emailReplyToAllByDefault\":\"Email Reply to All by Default\",\"dashboardLayout\":\"Dashboard Layout\",\"emailReplyForceHtml\":\"Email Reply in HTML\",\"doNotFillAssignedUserIfNotRequired\":\"Do not fill Assigned User if not required\",\"followEntityOnStreamPost\":\"Auto-follow entity after posting in Stream\"},\"links\":[],\"options\":{\"weekStart\":[\"Sunday\",\"Monday\"]},\"labels\":{\"Notifications\":\"Notifications\",\"User Interface\":\"User Interface\",\"SMTP\":\"SMTP\",\"Misc\":\"Misc\",\"Locale\":\"Locale\"},\"tooltips\":{\"autoFollowEntityTypeList\":\"User will automatically follow all new records of the selected entity types, will see information in the stream and receive notifications.\"}},\"Role\":{\"fields\":{\"name\":\"Name\",\"roles\":\"Roles\",\"assignmentPermission\":\"Assignment Permission\",\"userPermission\":\"User Permission\",\"portalPermission\":\"Portal Permission\"},\"links\":{\"users\":\"Users\",\"teams\":\"Teams\"},\"tooltips\":{\"assignmentPermission\":\"Allows to restrict an ability to assign records and post messages to other users.\\n\\nall - no restriction\\n\\nteam - can assign and post only to teammates\\n\\nno - can assign and post only to self\",\"userPermission\":\"Allows to restrict an ability for users to view activities, calendar and stream of other users.\\n\\nall - can view all\\n\\nteam - can view activities of teammates only\\n\\nno - can't view\",\"portalPermission\":\"Defines an access to portal information, ability to convert contacts to portal users and post messages to portal users.\"},\"labels\":{\"Access\":\"Access\",\"Create Role\":\"Create Role\",\"Scope Level\":\"Scope Level\",\"Field Level\":\"Field Level\"},\"options\":{\"accessList\":{\"not-set\":\"not-set\",\"enabled\":\"enabled\",\"disabled\":\"disabled\"},\"levelList\":{\"all\":\"all\",\"team\":\"team\",\"account\":\"account\",\"contact\":\"contact\",\"own\":\"own\",\"no\":\"no\",\"yes\":\"yes\",\"not-set\":\"not-set\"}},\"actions\":{\"read\":\"Read\",\"edit\":\"Edit\",\"delete\":\"Delete\",\"stream\":\"Stream\",\"create\":\"Create\"},\"messages\":{\"changesAfterClearCache\":\"All changes in an access control will be applied after cache is cleared.\"}},\"ScheduledJob\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"job\":\"Job\",\"scheduling\":\"Scheduling\"},\"links\":{\"log\":\"Log\"},\"labels\":{\"Create ScheduledJob\":\"Create Scheduled Job\"},\"options\":{\"job\":{\"Cleanup\":\"Clean-up\",\"CheckInboundEmails\":\"Check Group Email Accounts\",\"CheckEmailAccounts\":\"Check Personal Email Accounts\",\"SendEmailReminders\":\"Send Email Reminders\",\"AuthTokenControl\":\"Auth Token Control\",\"SendEmailNotifications\":\"Send Email Notifications\",\"ProcessMassEmail\":\"Send Mass Emails\",\"ControlKnowledgeBaseArticleStatus\":\"Control Knowledge Base Article Status\",\"SynchronizeEventsWithGoogleCalendar\":\"Google Calendar Sync\",\"MailChimpSyncData\":\"MailChimp Sync\",\"RunMailChimpQueueItems\":\"Run MailChimp Queue Items\",\"ReportTargetListSync\":\"Sync Target Lists with Reports\",\"ScheduleReportSending\":\"Schedule Report Sending\",\"RunScheduledWorkflows\":\"Run Scheduled Workflows\"},\"cronSetup\":{\"linux\":\"Note: Add this line to the crontab file to run Espo Scheduled Jobs:\",\"mac\":\"Note: Add this line to the crontab file to run Espo Scheduled Jobs:\",\"windows\":\"Note: Create a batch file with the following commands to run Espo Scheduled Jobs using Windows Scheduled Tasks:\",\"default\":\"Note: Add this command to Cron Job (Scheduled Task):\"},\"status\":{\"Active\":\"Active\",\"Inactive\":\"Inactive\"}},\"tooltips\":{\"scheduling\":\"Crontab notation. Defines frequency of job runs.\\n\\n*\\/5 * * * * - every 5 minutes\\n\\n0 *\\/2 * * * - every 2 hours\\n\\n30 1 * * * - at 01:30 once a day\\n\\n0 0 1 * * - on the first day of the month\"}},\"ScheduledJobLogRecord\":{\"fields\":{\"status\":\"Status\",\"executionTime\":\"Execution Time\",\"target\":\"Target\"}},\"Settings\":{\"fields\":{\"useCache\":\"Use Cache\",\"dateFormat\":\"Date Format\",\"timeFormat\":\"Time Format\",\"timeZone\":\"Time Zone\",\"weekStart\":\"First Day of Week\",\"thousandSeparator\":\"Thousand Separator\",\"decimalMark\":\"Decimal Mark\",\"defaultCurrency\":\"Default Currency\",\"baseCurrency\":\"Base Currency\",\"currencyRates\":\"Rate Values\",\"currencyList\":\"Currency List\",\"language\":\"Language\",\"companyLogo\":\"Company Logo\",\"smtpServer\":\"Server\",\"smtpPort\":\"Port\",\"smtpAuth\":\"Auth\",\"smtpSecurity\":\"Security\",\"smtpUsername\":\"Username\",\"emailAddress\":\"Email\",\"smtpPassword\":\"Password\",\"outboundEmailFromName\":\"From Name\",\"outboundEmailFromAddress\":\"From Address\",\"outboundEmailIsShared\":\"Is Shared\",\"recordsPerPage\":\"Records Per Page\",\"recordsPerPageSmall\":\"Records Per Page (Small)\",\"tabList\":\"Tab List\",\"quickCreateList\":\"Quick Create List\",\"exportDelimiter\":\"Export Delimiter\",\"globalSearchEntityList\":\"Global Search Entity List\",\"authenticationMethod\":\"Authentication Method\",\"ldapHost\":\"Host\",\"ldapPort\":\"Port\",\"ldapAuth\":\"Auth\",\"ldapUsername\":\"Full User DN\",\"ldapPassword\":\"Password\",\"ldapBindRequiresDn\":\"Bind Requires DN\",\"ldapBaseDn\":\"Base DN\",\"ldapAccountCanonicalForm\":\"Account Canonical Form\",\"ldapAccountDomainName\":\"Account Domain Name\",\"ldapTryUsernameSplit\":\"Try Username Split\",\"ldapCreateEspoUser\":\"Create User in EspoCRM\",\"ldapSecurity\":\"Security\",\"ldapUserLoginFilter\":\"User Login Filter\",\"ldapAccountDomainNameShort\":\"Account Domain Name Short\",\"ldapOptReferrals\":\"Opt Referrals\",\"ldapUserNameAttribute\":\"Username Attribute\",\"ldapUserObjectClass\":\"User ObjectClass\",\"ldapUserTitleAttribute\":\"User Title Attribute\",\"ldapUserFirstNameAttribute\":\"User First Name Attribute\",\"ldapUserLastNameAttribute\":\"User Last Name Attribute\",\"ldapUserEmailAddressAttribute\":\"User Email Address Attribute\",\"ldapUserTeams\":\"User Teams\",\"ldapUserDefaultTeam\":\"User Default Team\",\"ldapUserPhoneNumberAttribute\":\"User Phone Number Attribute\",\"exportDisabled\":\"Disable Export (only admin is allowed)\",\"assignmentNotificationsEntityList\":\"Entities to notify about upon assignment\",\"assignmentEmailNotifications\":\"Notifications upon assignment\",\"assignmentEmailNotificationsEntityList\":\"Assignment email notifications scopes\",\"streamEmailNotifications\":\"Notifications about updates in Stream for internal users\",\"portalStreamEmailNotifications\":\"Notifications about updates in Stream for portal users\",\"streamEmailNotificationsEntityList\":\"Stream email notifications scopes\",\"b2cMode\":\"B2C Mode\",\"avatarsDisabled\":\"Disable Avatars\",\"followCreatedEntities\":\"Follow Created Entities\",\"displayListViewRecordCount\":\"Display Total Count (on List View)\",\"theme\":\"Theme\",\"userThemesDisabled\":\"Disable User Themes\",\"emailMessageMaxSize\":\"Email Max Size (Mb)\",\"massEmailMaxPerHourCount\":\"Max count of emails sent per hour\",\"personalEmailMaxPortionSize\":\"Max email portion size for personal account fetching\",\"inboundEmailMaxPortionSize\":\"Max email portion size for group account fetching\",\"maxEmailAccountCount\":\"Max count of personal email accounts per user\",\"authTokenLifetime\":\"Auth Token Lifetime (hours)\",\"authTokenMaxIdleTime\":\"Auth Token Max Idle Time (hours)\",\"dashboardLayout\":\"Dashboard Layout (default)\",\"siteUrl\":\"Site URL\",\"addressPreview\":\"Address Preview\",\"addressFormat\":\"Address Format\",\"notificationSoundsDisabled\":\"Disable Notification Sounds\",\"applicationName\":\"Application Name\",\"calendarEntityList\":\"Calendar Entity List\",\"mentionEmailNotifications\":\"Send email notifications about mentions in posts\",\"massEmailDisableMandatoryOptOutLink\":\"Disable mandatory opt-out link\",\"activitiesEntityList\":\"Activities Entity List\",\"historyEntityList\":\"History Entity List\"},\"options\":{\"weekStart\":[\"Sunday\",\"Monday\"]},\"tooltips\":{\"recordsPerPage\":\"Number of records initially displayed in list views.\",\"recordsPerPageSmall\":\"Number of records initially displayed in relationship panels.\",\"outboundEmailIsShared\":\"Allow users to sent emails via this SMTP.\",\"followCreatedEntities\":\"Users will automatically follow records they created.\",\"emailMessageMaxSize\":\"All inbound emails exceeding a specified size will be fetched w\\/o body and attachments.\",\"authTokenLifetime\":\"Defines how long tokens can exist.\\n0 - means no expiration.\",\"authTokenMaxIdleTime\":\"Defines how long since the last access tokens can exist.\\n0 - means no expiration.\",\"userThemesDisabled\":\"If checked then users won't be able to select another theme.\",\"ldapUsername\":\"The full system user DN which allows to search other users. E.g. \\\"CN=LDAP System User,OU=users,OU=espocrm, DC=test,DC=lan\\\".\",\"ldapPassword\":\"The password to access to LDAP server.\",\"ldapAuth\":\"Access credentials for the LDAP server.\",\"ldapUserNameAttribute\":\"The\\u00a0attribute to identify the user. \\nE.g. \\\"userPrincipalName\\\" or \\\"sAMAccountName\\\" for Active Directory, \\\"uid\\\" for OpenLDAP.\",\"ldapUserObjectClass\":\"ObjectClass attribute for searching users. E.g. \\\"person\\\" for AD, \\\"inetOrgPerson\\\" for OpenLDAP.\",\"ldapAccountCanonicalForm\":\"The type of your\\u00a0account canonical form. There are 4 options:
- 'Dn' - the form in the format 'CN=tester,OU=espocrm,DC=test, DC=lan'.
- 'Username' - the form 'tester'.
- 'Backslash' - the form 'COMPANY\\\\tester'.
- 'Principal' - the form 'tester@company.com'.\",\"ldapBindRequiresDn\":\"The option to format\\u00a0the username in the DN form.\",\"ldapBaseDn\":\"The\\u00a0default base DN used for searching users. E.g. \\\"OU=users,OU=espocrm,DC=test, DC=lan\\\".\",\"ldapTryUsernameSplit\":\"The option to split a username with the domain.\",\"ldapOptReferrals\":\"if\\u00a0referrals should be followed to the LDAP client.\",\"ldapCreateEspoUser\":\"This option allows EspoCRM\\u00a0to create a user from the LDAP.\",\"ldapUserFirstNameAttribute\":\"LDAP attribute which is used to determine the user first name. E.g. \\\"givenname\\\".\",\"ldapUserLastNameAttribute\":\"LDAP attribute which is used to determine the user last name. E.g. \\\"sn\\\".\",\"ldapUserTitleAttribute\":\"LDAP attribute which is used to determine the user title. E.g. \\\"title\\\".\",\"ldapUserEmailAddressAttribute\":\"LDAP attribute which is used to determine the user email address. E.g. \\\"mail\\\".\",\"ldapUserPhoneNumberAttribute\":\"LDAP attribute which is used to determine the user phone number. E.g. \\\"telephoneNumber\\\".\",\"ldapUserLoginFilter\":\"The filter which allows to restrict users who able to use EspoCRM. E.g. \\\"memberOf=CN=espoGroup, OU=groups,OU=espocrm, DC=test,DC=lan\\\".\",\"ldapAccountDomainName\":\"The domain which is used for authorization to LDAP server.\",\"ldapAccountDomainNameShort\":\"The short domain which is used for authorization to LDAP server.\",\"ldapUserTeams\":\"Teams for created user. For more, see user profile.\",\"ldapUserDefaultTeam\":\"Default team for created user. For more, see user profile.\",\"b2cMode\":\"By default EspoCRM is adapted for B2B. You can switch it to B2C.\"},\"labels\":{\"System\":\"System\",\"Locale\":\"Locale\",\"SMTP\":\"SMTP\",\"Configuration\":\"Configuration\",\"In-app Notifications\":\"In-app Notifications\",\"Email Notifications\":\"Email Notifications\",\"Currency Settings\":\"Currency Settings\",\"Currency Rates\":\"Currency Rates\",\"Mass Email\":\"Mass Email\",\"Test Connection\":\"Test Connection\",\"Connecting\":\"Connecting...\",\"Activities\":\"Activities\"},\"messages\":{\"ldapTestConnection\":\"The connection successfully established.\"}},\"Team\":{\"fields\":{\"name\":\"Name\",\"roles\":\"Roles\",\"positionList\":\"Position List\"},\"links\":{\"users\":\"Users\",\"notes\":\"Notes\",\"roles\":\"Roles\",\"inboundEmails\":\"Group Email Accounts\"},\"tooltips\":{\"roles\":\"Access Roles. Users of this team obtain access control level from selected roles.\",\"positionList\":\"Available positions in this team. E.g. Salesperson, Manager.\"},\"labels\":{\"Create Team\":\"Create Team\"}},\"Template\":{\"fields\":{\"name\":\"Name\",\"body\":\"Body\",\"entityType\":\"Entity Type\",\"header\":\"Header\",\"footer\":\"Footer\",\"leftMargin\":\"Left Margin\",\"topMargin\":\"Top Margin\",\"rightMargin\":\"Right Margin\",\"bottomMargin\":\"Bottom Margin\",\"printFooter\":\"Print Footer\",\"footerPosition\":\"Footer Position\"},\"links\":[],\"labels\":{\"Create Template\":\"Create Template\"},\"tooltips\":{\"footer\":\"Use {pageNumber} to print page number.\"}},\"User\":{\"fields\":{\"name\":\"Name\",\"userName\":\"User Name\",\"title\":\"Title\",\"isAdmin\":\"Is Admin\",\"defaultTeam\":\"Default Team\",\"emailAddress\":\"Email\",\"phoneNumber\":\"Phone\",\"roles\":\"Roles\",\"portals\":\"Portals\",\"portalRoles\":\"Portal Roles\",\"teamRole\":\"Position\",\"password\":\"Password\",\"currentPassword\":\"Current Password\",\"passwordConfirm\":\"Confirm Password\",\"newPassword\":\"New Password\",\"newPasswordConfirm\":\"Confirm New Password\",\"avatar\":\"Avatar\",\"isActive\":\"Is Active\",\"isPortalUser\":\"Is Portal User\",\"contact\":\"Contact\",\"accounts\":\"Accounts\",\"account\":\"Account (Primary)\",\"sendAccessInfo\":\"Send Email with Access Info to User\",\"portal\":\"Portal\",\"gender\":\"Gender\",\"position\":\"Position in Team\",\"acceptanceStatus\":\"Acceptance Status\"},\"links\":{\"teams\":\"Teams\",\"roles\":\"Roles\",\"notes\":\"Notes\",\"portals\":\"Portals\",\"portalRoles\":\"Portal Roles\",\"contact\":\"Contact\",\"accounts\":\"Accounts\",\"account\":\"Account (Primary)\",\"tasks\":\"Tasks\",\"targetLists\":\"Target Lists\"},\"labels\":{\"Create User\":\"Create User\",\"Generate\":\"Generate\",\"Access\":\"Access\",\"Preferences\":\"Preferences\",\"Change Password\":\"Change Password\",\"Teams and Access Control\":\"Teams and Access Control\",\"Forgot Password?\":\"Forgot Password?\",\"Password Change Request\":\"Password Change Request\",\"Email Address\":\"Email Address\",\"External Accounts\":\"External Accounts\",\"Email Accounts\":\"Email Accounts\",\"Portal\":\"Portal\",\"Create Portal User\":\"Create Portal User\",\"Proceed w\\/o Contact\":\"Proceed w\\/o Contact\"},\"tooltips\":{\"defaultTeam\":\"All records created by this user will be related to this team by default.\",\"userName\":\"Letters a-z, numbers 0-9, dots, hyphens, @-signs and underscores are allowed.\",\"isAdmin\":\"Admin user can access everything.\",\"isActive\":\"If unchecked then user won't be able to login.\",\"teams\":\"Teams which this user belongs to. Access control level is inherited from team's roles.\",\"roles\":\"Additional access roles. Use it if user doesn't belong to any team or you need to extend access control level exclusively for this user.\",\"portalRoles\":\"Additional portal roles. Use it to extend access control level exclusively for this user.\",\"portals\":\"Portals which this user has access to.\"},\"messages\":{\"passwordWillBeSent\":\"Password will be sent to user's email address.\",\"accountInfoEmailSubject\":\"EspoCRM User Access Info\",\"accountInfoEmailBody\":\"Your access information:\\n\\nUsername: {userName}\\nPassword: {password}\\n\\n{siteUrl}\",\"passwordChangeLinkEmailSubject\":\"Change Password Request\",\"passwordChangeLinkEmailBody\":\"You can change your password by following this link {link}. This unique URL will be expired soon.\",\"passwordChanged\":\"Password has been changed\",\"userCantBeEmpty\":\"Username can not be empty\",\"wrongUsernamePasword\":\"Wrong username\\/password\",\"emailAddressCantBeEmpty\":\"Email Address can not be empty\",\"userNameEmailAddressNotFound\":\"Username\\/Email Address not found\",\"forbidden\":\"Forbidden, please try later\",\"uniqueLinkHasBeenSent\":\"The unique URL has been sent to the specified email address.\",\"passwordChangedByRequest\":\"Password has been changed.\",\"setupSmtpBefore\":\"You need to setup
SMTP settings<\\/a> to make the system be able to send password in email.\"},\"options\":{\"gender\":{\"\":\"Not Set\",\"Male\":\"Male\",\"Female\":\"Female\",\"Neutral\":\"Neutral\"}},\"boolFilters\":{\"onlyMyTeam\":\"Only My Team\"},\"presetFilters\":{\"active\":\"Active\",\"activePortal\":\"Portal Active\"}},\"Account\":{\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email\",\"website\":\"Website\",\"phoneNumber\":\"Phone\",\"billingAddress\":\"Billing Address\",\"shippingAddress\":\"Shipping Address\",\"description\":\"Description\",\"sicCode\":\"Sic Code\",\"industry\":\"Industry\",\"type\":\"Type\",\"contactRole\":\"Title\",\"campaign\":\"Campaign\",\"targetLists\":\"Target Lists\",\"targetList\":\"Target List\",\"originalLead\":\"Original Lead\"},\"links\":{\"contacts\":\"Contacts\",\"opportunities\":\"Opportunities\",\"cases\":\"Cases\",\"documents\":\"Documents\",\"meetingsPrimary\":\"Meetings (expanded)\",\"callsPrimary\":\"Calls (expanded)\",\"tasksPrimary\":\"Tasks (expanded)\",\"emailsPrimary\":\"Emails (expanded)\",\"targetLists\":\"Target Lists\",\"campaignLogRecords\":\"Campaign Log\",\"campaign\":\"Campaign\",\"portalUsers\":\"Portal Users\",\"originalLead\":\"Original Lead\",\"quotes\":\"Quotes\",\"quoteItems\":\"Quote Items\"},\"options\":{\"type\":{\"Customer\":\"Customer\",\"Investor\":\"Investor\",\"Partner\":\"Partner\",\"Reseller\":\"Reseller\"},\"industry\":{\"Aerospace\":\"Aerospace\",\"Agriculture\":\"Agriculture\",\"Advertising\":\"Advertising\",\"Apparel & Accessories\":\"Apparel & Accessories\",\"Architecture\":\"Architecture\",\"Automotive\":\"Automotive\",\"Banking\":\"Banking\",\"Biotechnology\":\"Biotechnology\",\"Building Materials & Equipment\":\"Building Materials & Equipment\",\"Chemical\":\"Chemical\",\"Construction\":\"Construction\",\"Computer\":\"Computer\",\"Defense\":\"Defense\",\"Creative\":\"Creative\",\"Culture\":\"Culture\",\"Consulting\":\"Consulting\",\"Education\":\"Education\",\"Electronics\":\"Electronics\",\"Electric Power\":\"Electric Power\",\"Energy\":\"Energy\",\"Entertainment & Leisure\":\"Entertainment & Leisure\",\"Finance\":\"Finance\",\"Food & Beverage\":\"Food & Beverage\",\"Grocery\":\"Grocery\",\"Hospitality\":\"Hospitality\",\"Healthcare\":\"Healthcare\",\"Insurance\":\"Insurance\",\"Legal\":\"Legal\",\"Manufacturing\":\"Manufacturing\",\"Mass Media\":\"Mass Media\",\"Mining\":\"Mining\",\"Music\":\"Music\",\"Marketing\":\"Marketing\",\"Publishing\":\"Publishing\",\"Petroleum\":\"Petroleum\",\"Real Estate\":\"Real Estate\",\"Retail\":\"Retail\",\"Shipping\":\"Shipping\",\"Service\":\"Service\",\"Support\":\"Support\",\"Sports\":\"Sports\",\"Software\":\"Software\",\"Technology\":\"Technology\",\"Telecommunications\":\"Telecommunications\",\"Television\":\"Television\",\"Testing, Inspection & Certification\":\"Testing, Inspection & Certification\",\"Transportation\":\"Transportation\",\"Venture Capital\":\"Venture Capital\",\"Wholesale\":\"Wholesale\",\"Water\":\"Water\"}},\"labels\":{\"Create Account\":\"Create Account\",\"Copy Billing\":\"Copy Billing\"},\"presetFilters\":{\"customers\":\"Customers\",\"partners\":\"Partners\",\"recentlyCreated\":\"Recently Created\"}},\"Calendar\":{\"modes\":{\"month\":\"Month\",\"week\":\"Week\",\"day\":\"Day\",\"agendaWeek\":\"Week\",\"agendaDay\":\"Day\",\"timeline\":\"Timeline\"},\"labels\":{\"Today\":\"Today\",\"Create\":\"Create\",\"Shared\":\"Shared\",\"Add User\":\"Add User\",\"current\":\"current\",\"time\":\"time\",\"User List\":\"User List\",\"Manage Users\":\"Manage Users\"}},\"Call\":{\"fields\":{\"name\":\"Name\",\"parent\":\"Parent\",\"status\":\"Status\",\"dateStart\":\"Date Start\",\"dateEnd\":\"Date End\",\"direction\":\"Direction\",\"duration\":\"Duration\",\"description\":\"Description\",\"users\":\"Users\",\"contacts\":\"Contacts\",\"leads\":\"Leads\",\"reminders\":\"Reminders\",\"account\":\"Account\",\"acceptanceStatus\":\"Acceptance Status\"},\"links\":[],\"options\":{\"status\":{\"Planned\":\"Planned\",\"Held\":\"Held\",\"Not Held\":\"Not Held\"},\"direction\":{\"Outbound\":\"Outbound\",\"Inbound\":\"Inbound\"},\"acceptanceStatus\":{\"None\":\"None\",\"Accepted\":\"Accepted\",\"Declined\":\"Declined\",\"Tentative\":\"Tentative\"}},\"massActions\":{\"setHeld\":\"Set Held\",\"setNotHeld\":\"Set Not Held\"},\"labels\":{\"Create Call\":\"Create Call\",\"Set Held\":\"Set Held\",\"Set Not Held\":\"Set Not Held\",\"Send Invitations\":\"Send Invitations\"},\"presetFilters\":{\"planned\":\"Planned\",\"held\":\"Held\",\"todays\":\"Today's\"}},\"Campaign\":{\"fields\":{\"name\":\"Name\",\"description\":\"Description\",\"status\":\"Status\",\"type\":\"Type\",\"startDate\":\"Start Date\",\"endDate\":\"End Date\",\"targetLists\":\"Target Lists\",\"excludingTargetLists\":\"Excluding Target Lists\",\"sentCount\":\"Sent\",\"openedCount\":\"Opened\",\"clickedCount\":\"Clicked\",\"optedOutCount\":\"Opted Out\",\"bouncedCount\":\"Bounced\",\"hardBouncedCount\":\"Hard Bounced\",\"softBouncedCount\":\"Soft Bounced\",\"leadCreatedCount\":\"Leads Created\",\"revenue\":\"Revenue\",\"revenueConverted\":\"Revenue (converted)\",\"budget\":\"Budget\",\"budgetConverted\":\"Budget (converted)\"},\"links\":{\"targetLists\":\"Target Lists\",\"excludingTargetLists\":\"Excluding Target Lists\",\"accounts\":\"Accounts\",\"contacts\":\"Contacts\",\"leads\":\"Leads\",\"opportunities\":\"Opportunities\",\"campaignLogRecords\":\"Log\",\"massEmails\":\"Mass Emails\",\"trackingUrls\":\"Tracking URLs\"},\"options\":{\"type\":{\"Email\":\"Email\",\"Web\":\"Web\",\"Television\":\"Television\",\"Radio\":\"Radio\",\"Newsletter\":\"Newsletter\",\"Mail\":\"Mail\"},\"status\":{\"Planning\":\"Planning\",\"Active\":\"Active\",\"Inactive\":\"Inactive\",\"Complete\":\"Complete\"}},\"labels\":{\"Create Campaign\":\"Create Campaign\",\"Target Lists\":\"Target Lists\",\"Statistics\":\"Statistics\",\"hard\":\"hard\",\"soft\":\"soft\",\"Unsubscribe\":\"Unsubscribe\",\"Mass Emails\":\"Mass Emails\",\"Email Templates\":\"Email Templates\",\"Unsubscribe again\":\"Unsubscribe again\",\"Subscribe again\":\"Subscribe again\",\"Create Target List\":\"Create Target List\",\"MailChimp Campaign Sync\":\"MailChimp Campaign Sync\",\"MailChimp Sync\":\"MailChimp Sync\"},\"presetFilters\":{\"active\":\"Active\"},\"messages\":{\"unsubscribed\":\"You have been unsubscribed from our mailing list.\",\"subscribedAgain\":\"You are subscribed again.\"},\"tooltips\":{\"targetLists\":\"Targets that should receive messages.\",\"excludingTargetLists\":\"Targets that should not receive messages.\"}},\"CampaignLogRecord\":{\"fields\":{\"action\":\"Action\",\"actionDate\":\"Date\",\"data\":\"Data\",\"campaign\":\"Campaign\",\"parent\":\"Target\",\"object\":\"Object\",\"application\":\"Application\",\"queueItem\":\"Queue Item\",\"stringData\":\"String Data\",\"stringAdditionalData\":\"String Additional Data\"},\"links\":{\"queueItem\":\"Queue Item\",\"parent\":\"Parent\",\"object\":\"Object\"},\"options\":{\"action\":{\"Sent\":\"Sent\",\"Opened\":\"Opened\",\"Opted Out\":\"Opted Out\",\"Bounced\":\"Bounced\",\"Clicked\":\"Clicked\",\"Lead Created\":\"Lead Created\"}},\"labels\":{\"All\":\"All\"},\"presetFilters\":{\"sent\":\"Sent\",\"opened\":\"Opened\",\"optedOut\":\"Opted Out\",\"bounced\":\"Bounced\",\"clicked\":\"Clicked\",\"leadCreated\":\"Lead Created\"}},\"CampaignTrackingUrl\":{\"fields\":{\"url\":\"URL\",\"urlToUse\":\"Code to insert instead of URL\",\"campaign\":\"Campaign\"},\"links\":{\"campaign\":\"Campaign\"},\"labels\":{\"Create CampaignTrackingUrl\":\"Create Tracking URL\"}},\"Case\":{\"fields\":{\"name\":\"Name\",\"number\":\"Number\",\"status\":\"Status\",\"account\":\"Account\",\"contact\":\"Contact\",\"contacts\":\"Contacts\",\"priority\":\"Priority\",\"type\":\"Type\",\"description\":\"Description\",\"inboundEmail\":\"Inbound Email\",\"lead\":\"Lead\"},\"links\":{\"inboundEmail\":\"Inbound Email\",\"account\":\"Account\",\"contact\":\"Contact (Primary)\",\"Contacts\":\"Contacts\",\"meetings\":\"Meetings\",\"calls\":\"Calls\",\"tasks\":\"Tasks\",\"emails\":\"Emails\",\"articles\":\"Knowledge Base Articles\",\"lead\":\"Lead\"},\"options\":{\"status\":{\"New\":\"New\",\"Assigned\":\"Assigned\",\"Pending\":\"Pending\",\"Closed\":\"Closed\",\"Rejected\":\"Rejected\",\"Duplicate\":\"Duplicate\"},\"priority\":{\"Low\":\"Low\",\"Normal\":\"Normal\",\"High\":\"High\",\"Urgent\":\"Urgent\"},\"type\":{\"Question\":\"Question\",\"Incident\":\"Incident\",\"Problem\":\"Problem\"}},\"labels\":{\"Create Case\":\"Create Case\",\"Close\":\"Close\",\"Reject\":\"Reject\",\"Closed\":\"Closed\",\"Rejected\":\"Rejected\"},\"presetFilters\":{\"open\":\"Open\",\"closed\":\"Closed\"}},\"Contact\":{\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email\",\"title\":\"Title\",\"account\":\"Account\",\"accounts\":\"Accounts\",\"phoneNumber\":\"Phone\",\"accountType\":\"Account Type\",\"doNotCall\":\"Do Not Call\",\"address\":\"Address\",\"opportunityRole\":\"Opportunity Role\",\"accountRole\":\"Title\",\"description\":\"Description\",\"campaign\":\"Campaign\",\"targetLists\":\"Target Lists\",\"targetList\":\"Target List\",\"portalUser\":\"Portal User\",\"originalLead\":\"Original Lead\",\"acceptanceStatus\":\"Acceptance Status\"},\"links\":{\"opportunities\":\"Opportunities\",\"cases\":\"Cases\",\"targetLists\":\"Target Lists\",\"campaignLogRecords\":\"Campaign Log\",\"campaign\":\"Campaign\",\"account\":\"Account (Primary)\",\"accounts\":\"Accounts\",\"casesPrimary\":\"Cases (Primary)\",\"portalUser\":\"Portal User\",\"originalLead\":\"Original Lead\",\"documents\":\"Documents\",\"quotesBilling\":\"Quotes (Billing)\",\"quotesShipping\":\"Quotes (Shipping)\"},\"labels\":{\"Create Contact\":\"Create Contact\"},\"options\":{\"opportunityRole\":{\"\":\"--None--\",\"Decision Maker\":\"Decision Maker\",\"Evaluator\":\"Evaluator\",\"Influencer\":\"Influencer\"}},\"presetFilters\":{\"portalUsers\":\"Portal Users\",\"notPortalUsers\":\"Not Portal Users\"},\"massActions\":{\"pushToGoogle\":\"Push to Google\"},\"messages\":{\"confirmationGoogleContactsPush\":\"Do you want to push selected contacts to Google Contacts?\",\"successGoogleContactsPush\":\"{count} record(s) successfully pushed. The rest is about to be pushed in idle mode.\"}},\"Document\":{\"labels\":{\"Create Document\":\"Create Document\",\"Details\":\"Details\"},\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"file\":\"File\",\"type\":\"Type\",\"publishDate\":\"Publish Date\",\"expirationDate\":\"Expiration Date\",\"description\":\"Description\",\"accounts\":\"Accounts\",\"folder\":\"Folder\"},\"links\":{\"accounts\":\"Accounts\",\"opportunities\":\"Opportunities\",\"folder\":\"Folder\",\"leads\":\"Leads\",\"contacts\":\"Contacts\"},\"options\":{\"status\":{\"Active\":\"Active\",\"Draft\":\"Draft\",\"Expired\":\"Expired\",\"Canceled\":\"Canceled\"},\"type\":{\"\":\"None\",\"Contract\":\"Contract\",\"NDA\":\"NDA\",\"EULA\":\"EULA\",\"License Agreement\":\"License Agreement\"}},\"presetFilters\":{\"active\":\"Active\",\"draft\":\"Draft\"}},\"DocumentFolder\":{\"labels\":{\"Create DocumentFolder\":\"Create Document Folder\",\"Manage Categories\":\"Manage Folders\",\"Documents\":\"Documents\"},\"links\":{\"documents\":\"Documents\"}},\"EmailQueueItem\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"target\":\"Target\",\"sentAt\":\"Date Sent\",\"attemptCount\":\"Attempts\",\"emailAddress\":\"Email Address\",\"massEmail\":\"Mass Email\",\"isTest\":\"Is Test\"},\"links\":{\"target\":\"Target\",\"massEmail\":\"Mass Email\"},\"options\":{\"status\":{\"Pending\":\"Pending\",\"Sent\":\"Sent\",\"Failed\":\"Failed\",\"Sending\":\"Sending\"}},\"presetFilters\":{\"pending\":\"Pending\",\"sent\":\"Sent\",\"failed\":\"Failed\"}},\"KnowledgeBaseArticle\":{\"labels\":{\"Create KnowledgeBaseArticle\":\"Create Article\",\"Any\":\"Any\",\"Send in Email\":\"Send in Email\",\"Move Up\":\"Move Up\",\"Move Down\":\"Move Down\",\"Move to Top\":\"Move to Top\",\"Move to Bottom\":\"Move to Bottom\"},\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"type\":\"Type\",\"attachments\":\"Attachments\",\"publishDate\":\"Publish Date\",\"expirationDate\":\"Expiration Date\",\"description\":\"Description\",\"body\":\"Body\",\"categories\":\"Categories\",\"language\":\"Language\",\"portals\":\"Portals\"},\"links\":{\"cases\":\"Cases\",\"opportunities\":\"Opportunities\",\"categories\":\"Categories\",\"portals\":\"Portals\"},\"options\":{\"status\":{\"In Review\":\"In Review\",\"Draft\":\"Draft\",\"Archived\":\"Archived\",\"Published\":\"Published\"},\"type\":{\"Article\":\"Article\"}},\"tooltips\":{\"portals\":\"If not empty then this article will be available only in specified portals. If empty then it will available in all portals.\"},\"presetFilters\":{\"published\":\"Published\"}},\"KnowledgeBaseCategory\":{\"labels\":{\"Create KnowledgeBaseCategory\":\"Create Category\",\"Manage Categories\":\"Manage Categories\",\"Articles\":\"Articles\"},\"links\":{\"articles\":\"Articles\"}},\"Lead\":{\"labels\":{\"Converted To\":\"Converted To\",\"Create Lead\":\"Create Lead\",\"Convert\":\"Convert\"},\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email\",\"title\":\"Title\",\"website\":\"Website\",\"phoneNumber\":\"Phone\",\"accountName\":\"Account Name\",\"doNotCall\":\"Do Not Call\",\"address\":\"Address\",\"status\":\"Status\",\"source\":\"Source\",\"opportunityAmount\":\"Opportunity Amount\",\"opportunityAmountConverted\":\"Opportunity Amount (converted)\",\"description\":\"Description\",\"createdAccount\":\"Account\",\"createdContact\":\"Contact\",\"createdOpportunity\":\"Opportunity\",\"campaign\":\"Campaign\",\"targetLists\":\"Target Lists\",\"targetList\":\"Target List\",\"industry\":\"Industry\",\"acceptanceStatus\":\"Acceptance Status\",\"opportunityAmountCurrency\":\"Opportunity Amount Currency\",\"images\":\"Avatar\",\"password\":\"password\",\"wechat_hitxy_id\":\"wechat_hitxy_id\",\"verifier\":\"verifier\"},\"links\":{\"targetLists\":\"Target Lists\",\"campaignLogRecords\":\"Campaign Log\",\"campaign\":\"Campaign\",\"createdAccount\":\"Account\",\"createdContact\":\"Contact\",\"createdOpportunity\":\"Opportunity\",\"cases\":\"Cases\",\"documents\":\"Documents\"},\"options\":{\"status\":{\"New\":\"New\",\"Assigned\":\"Assigned\",\"In Process\":\"In Process\",\"Converted\":\"Converted\",\"Recycled\":\"Recycled\",\"Dead\":\"Dead\"},\"source\":{\"\":\"None\",\"Call\":\"Call\",\"Email\":\"Email\",\"Existing Customer\":\"Existing Customer\",\"Partner\":\"Partner\",\"Public Relations\":\"Public Relations\",\"Web Site\":\"Web Site\",\"Campaign\":\"Campaign\",\"Other\":\"Other\"}},\"presetFilters\":{\"active\":\"Active\",\"actual\":\"Actual\",\"converted\":\"Converted\"},\"massActions\":{\"pushToGoogle\":\"Push to Google\"},\"messages\":{\"confirmationGoogleContactsPush\":\"Do you want to push selected leads to Google Contacts?\",\"successGoogleContactsPush\":\"{count} record(s) successfully pushed. The rest is about to be pushed in idle mode.\"},\"tooltips\":{\"verifier\":\"who said you are real alumni\"}},\"MassEmail\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"storeSentEmails\":\"Store Sent Emails\",\"startAt\":\"Date Start\",\"fromAddress\":\"From Address\",\"fromName\":\"From Name\",\"replyToAddress\":\"Reply-to Address\",\"replyToName\":\"Reply-to Name\",\"campaign\":\"Campaign\",\"emailTemplate\":\"Email Template\",\"inboundEmail\":\"Email Account\",\"targetLists\":\"Target Lists\",\"excludingTargetLists\":\"Excluding Target Lists\",\"optOutEntirely\":\"Opt-Out Entirely\"},\"links\":{\"targetLists\":\"Target Lists\",\"excludingTargetLists\":\"Excluding Target Lists\",\"queueItems\":\"Queue Items\",\"campaign\":\"Campaign\",\"emailTemplate\":\"Email Template\",\"inboundEmail\":\"Email Account\"},\"options\":{\"status\":{\"Draft\":\"Draft\",\"Pending\":\"Pending\",\"In Process\":\"In Process\",\"Complete\":\"Complete\",\"Canceled\":\"Canceled\",\"Failed\":\"Failed\"}},\"labels\":{\"Create MassEmail\":\"Create Mass Email\",\"Send Test\":\"Send Test\"},\"messages\":{\"selectAtLeastOneTarget\":\"Select at least one target.\",\"testSent\":\"Test email(s) supposed to be sent\"},\"tooltips\":{\"optOutEntirely\":\"Email addresses of recipients that unsubscribed will be marked as opted out and they will not receive any mass emails anymore.\",\"targetLists\":\"Targets that should receive messages.\",\"excludingTargetLists\":\"Targets that should not receive messages.\"},\"presetFilters\":{\"actual\":\"Actual\",\"complete\":\"Complete\"}},\"Meeting\":{\"fields\":{\"name\":\"Name\",\"parent\":\"Parent\",\"status\":\"Status\",\"dateStart\":\"Date Start\",\"dateEnd\":\"Date End\",\"duration\":\"Duration\",\"description\":\"Description\",\"users\":\"Users\",\"contacts\":\"Contacts\",\"leads\":\"Leads\",\"reminders\":\"Reminders\",\"account\":\"Account\",\"acceptanceStatus\":\"Acceptance Status\"},\"links\":[],\"options\":{\"status\":{\"Planned\":\"Planned\",\"Held\":\"Held\",\"Not Held\":\"Not Held\"},\"acceptanceStatus\":{\"None\":\"None\",\"Accepted\":\"Accepted\",\"Declined\":\"Declined\",\"Tentative\":\"Tentative\"}},\"massActions\":{\"setHeld\":\"Set Held\",\"setNotHeld\":\"Set Not Held\"},\"labels\":{\"Create Meeting\":\"Create Meeting\",\"Set Held\":\"Set Held\",\"Set Not Held\":\"Set Not Held\",\"Send Invitations\":\"Send Invitations\",\"on time\":\"on time\",\"before\":\"before\"},\"presetFilters\":{\"planned\":\"Planned\",\"held\":\"Held\",\"todays\":\"Today's\"},\"messages\":{\"nothingHasBeenSent\":\"Nothing were sent\"}},\"Opportunity\":{\"fields\":{\"name\":\"Name\",\"account\":\"Account\",\"stage\":\"Stage\",\"amount\":\"Amount\",\"probability\":\"Probability, %\",\"leadSource\":\"Lead Source\",\"doNotCall\":\"Do Not Call\",\"closeDate\":\"Close Date\",\"contacts\":\"Contacts\",\"description\":\"Description\",\"amountConverted\":\"Amount (converted)\",\"amountWeightedConverted\":\"Amount Weighted\",\"campaign\":\"Campaign\",\"originalLead\":\"Original Lead\",\"amountCurrency\":\"Amount Currency\",\"itemList\":\"Item List\"},\"links\":{\"contacts\":\"Contacts\",\"documents\":\"Documents\",\"campaign\":\"Campaign\",\"originalLead\":\"Original Lead\",\"quotes\":\"Quotes\"},\"options\":{\"stage\":{\"Prospecting\":\"Prospecting\",\"Qualification\":\"Qualification\",\"Needs Analysis\":\"Needs Analysis\",\"Value Proposition\":\"Value Proposition\",\"Id. Decision Makers\":\"Id. Decision Makers\",\"Perception Analysis\":\"Perception Analysis\",\"Proposal\\/Price Quote\":\"Proposal\\/Price Quote\",\"Negotiation\\/Review\":\"Negotiation\\/Review\",\"Closed Won\":\"Closed Won\",\"Closed Lost\":\"Closed Lost\"}},\"labels\":{\"Create Opportunity\":\"Create Opportunity\",\"Items\":\"Items\",\"Select Product\":\"Select Product\",\"Add Item\":\"Add Item\"},\"presetFilters\":{\"open\":\"Open\",\"won\":\"Won\",\"lost\":\"Lost\"}},\"Target\":{\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email\",\"title\":\"Title\",\"website\":\"Website\",\"accountName\":\"Account Name\",\"phoneNumber\":\"Phone\",\"doNotCall\":\"Do Not Call\",\"address\":\"Address\",\"description\":\"Description\"},\"links\":[],\"labels\":{\"Create Target\":\"Create Target\",\"Convert to Lead\":\"Convert to Lead\"}},\"TargetList\":{\"fields\":{\"name\":\"Name\",\"description\":\"Description\",\"entryCount\":\"Entry Count\",\"campaigns\":\"Campaigns\",\"endDate\":\"End Date\",\"targetLists\":\"Target Lists\",\"includingActionList\":\"Including\",\"excludingActionList\":\"Excluding\",\"syncWithReports\":\"Reports\",\"syncWithReportsEnabled\":\"Enabled\",\"syncWithReportsUnlink\":\"Unlink\"},\"links\":{\"accounts\":\"Accounts\",\"contacts\":\"Contacts\",\"leads\":\"Leads\",\"campaigns\":\"Campaigns\",\"massEmails\":\"Mass Emails\",\"syncWithReports\":\"Sync with Reports\"},\"options\":{\"type\":{\"Email\":\"Email\",\"Web\":\"Web\",\"Television\":\"Television\",\"Radio\":\"Radio\",\"Newsletter\":\"Newsletter\"}},\"labels\":{\"Create TargetList\":\"Create Target List\",\"Opted Out\":\"Opted Out\",\"Cancel Opt-Out\":\"Cancel Opt-Out\",\"Opt-Out\":\"Opt-Out\",\"MailChimp List Settings\":\"MailChimp List Sync\",\"MailChimp Sync\":\"MailChimp Sync\",\"Sync with Reports\":\"Sync with Reports\"},\"tooltips\":{\"syncWithReportsUnlink\":\"Entries which are not contained in report results will be unlinked from Target List.\",\"syncWithReports\":\"Target List will be synced with results of selected reports.\"}},\"Task\":{\"fields\":{\"name\":\"Name\",\"parent\":\"Parent\",\"status\":\"Status\",\"dateStart\":\"Date Start\",\"dateEnd\":\"Date Due\",\"dateStartDate\":\"Date Start (all day)\",\"dateEndDate\":\"Date End (all day)\",\"priority\":\"Priority\",\"description\":\"Description\",\"isOverdue\":\"Is Overdue\",\"account\":\"Account\",\"dateCompleted\":\"Date Completed\",\"attachments\":\"Attachments\",\"reminders\":\"Reminders\"},\"links\":{\"attachments\":\"Attachments\"},\"options\":{\"status\":{\"Not Started\":\"Not Started\",\"Started\":\"Started\",\"Completed\":\"Completed\",\"Canceled\":\"Canceled\",\"Deferred\":\"Deferred\"},\"priority\":{\"Low\":\"Low\",\"Normal\":\"Normal\",\"High\":\"High\",\"Urgent\":\"Urgent\"}},\"labels\":{\"Create Task\":\"Create Task\",\"Complete\":\"Complete\"},\"presetFilters\":{\"actual\":\"Actual\",\"completed\":\"Completed\",\"deferred\":\"Deferred\",\"todays\":\"Today's\",\"overdue\":\"Overdue\"}},\"Google\":{\"products\":{\"googleCalendar\":\"Google Calendar\",\"googleTask\":\"Google Task\",\"googleContacts\":\"Contacts\"}},\"GoogleCalendar\":{\"messages\":{\"fieldLabelIsRequired\":\"Only one entity could haven't Identification Label\",\"emptyNotDefaultEnitityLabel\":\"Identification Label of not by default Entity can't be empty\",\"defaultEntityIsRequiredInList\":\"Default Entity is required in the Sync Entities List\",\"notUniqueIdentificationLabel\":\"Identification Labels have to be unique\"}},\"MailChimp\":{\"labels\":{\"synced with MailChimp\":\"synchronized with MailChimp\",\"failed synced with MailChimp\":\"did not synchronize with MailChimp. Try to schedule a synchronization one more time.\",\"Espo Campaign\":\"Espo Campaign\",\"Espo TargetList\":\"Espo Target List\",\"MailChimp Campaign\":\"MailChimp Campaign\",\"MailChimp TargetList\":\"MailChimp List\",\"MailChimp TargetListGroup\":\"MailChimp Group\",\"MailChimp Sync\":\"MailChimp Sync\",\"Proceed Setup on MailChimp\":\"Proceed Setup on MailChimp\",\"Save and Sync Now\":\"Save & Sync Now\",\"Sync Now\":\"Sync Now\",\"Scheduling Synchronization\":\"Scheduling Synchronization...\",\"Synchronization is scheduled\":\"Synchronization is scheduled\",\"Selected grouping\":\"You selected a grouping. Select a group?\"},\"tooltips\":{\"mailChimpGroup\":\"Select a list group (second level in the tree), if you want to add all recipients of Target List to the specified Interest Group\"}},\"MailChimpCampaign\":{\"labels\":{\"Create MailChimpCampaign\":\"Create MailChimp Campaign\"},\"fields\":{\"name\":\"Name\",\"type\":\"Type\",\"list\":\"List\",\"subject\":\"Email Subject\",\"fromEmail\":\"From Email Address\",\"fromName\":\"From Name\",\"toName\":\"Personalize the \\\"To:\\\" field\",\"status\":\"Status\",\"dateSent\":\"Date Sent\",\"content\":\"Content?\"},\"options\":{\"type\":{\"regular\":\"Regular\",\"plaintext\":\"Plain-Text\",\"rss\":\"RSS-Driven\",\"absplit\":\"A\\/B Split\",\"auto\":\"Auto\"},\"status\":{\"sent\":\"Sent\",\"save\":\"Save\",\"paused\":\"Paused\",\"schedule\":\"Schedule\",\"sending\":\"Sending\"}}},\"MailChimpList\":{\"labels\":{\"Create MailChimpList\":\"Create MailChimp List\"},\"fields\":{\"name\":\"Name\",\"company\":\"Company \\/ Organization\",\"address1\":\"Address\",\"address2\":\"Other Address\",\"city\":\"City\",\"state\":\"State \\/ Province \\/ Region\",\"zip\":\"Zip \\/ Postal Code\",\"country\":\"Country\",\"phone\":\"Phone\",\"reminder\":\"Remind people how they got on your list\",\"subject\":\"Email Subject\",\"fromEmail\":\"From Email Address\",\"fromName\":\"From Name\",\"subscribers\":\"Subcribers\",\"language\":\"Language\"},\"options\":{\"country\":{\"AD\":\"Andorra\",\"AE\":\"United Arab Emirates\",\"AF\":\"Afghanistan\",\"AG\":\"Antigua and Barbuda\",\"AI\":\"Anguilla\",\"AL\":\"Albania\",\"AM\":\"Armenia\",\"AO\":\"Angola\",\"AQ\":\"Antarctica\",\"AR\":\"Argentina\",\"AS\":\"American Samoa\",\"AT\":\"Austria\",\"AU\":\"Australia\",\"AW\":\"Aruba\",\"AX\":\"\\u00c5land Islands\",\"AZ\":\"Azerbaijan\",\"BA\":\"Bosnia and Herzegovina\",\"BB\":\"Barbados\",\"BD\":\"Bangladesh\",\"BE\":\"Belgium\",\"BF\":\"Burkina Faso\",\"BG\":\"Bulgaria\",\"BH\":\"Bahrain\",\"BI\":\"Burundi\",\"BJ\":\"Benin\",\"BL\":\"Saint Barth\\u00e9lemy\",\"BM\":\"Bermuda\",\"BN\":\"Brunei Darussalam\",\"BO\":\"Bolivia, Plurinational State of\",\"BQ\":\"Bonaire, Sint Eustatius and Saba\",\"BR\":\"Brazil\",\"BS\":\"Bahamas\",\"BT\":\"Bhutan\",\"BV\":\"Bouvet Island\",\"BW\":\"Botswana\",\"BY\":\"Belarus\",\"BZ\":\"Belize\",\"CA\":\"Canada\",\"CC\":\"Cocos (Keeling) Islands\",\"CD\":\"Congo, the Democratic Republic of the\",\"CF\":\"Central African Republic\",\"CG\":\"Congo\",\"CH\":\"Switzerland\",\"CI\":\"C\\u00f4te d'Ivoire\",\"CK\":\"Cook Islands\",\"CL\":\"Chile\",\"CM\":\"Cameroon\",\"CN\":\"China\",\"CO\":\"Colombia\",\"CR\":\"Costa Rica\",\"CU\":\"Cuba\",\"CV\":\"Cabo Verde\",\"CW\":\"Cura\\u00e7ao\",\"CX\":\"Christmas Island\",\"CY\":\"Cyprus\",\"CZ\":\"Czech Republic\",\"DE\":\"Germany\",\"DJ\":\"Djibouti\",\"DK\":\"Denmark\",\"DM\":\"Dominica\",\"DO\":\"Dominican Republic\",\"DZ\":\"Algeria\",\"EC\":\"Ecuador\",\"EE\":\"Estonia\",\"EG\":\"Egypt\",\"EH\":\"Western Sahara\",\"ER\":\"Eritrea\",\"ES\":\"Spain\",\"ET\":\"Ethiopia\",\"FI\":\"Finland\",\"FJ\":\"Fiji\",\"FK\":\"Falkland Islands (Malvinas)\",\"FM\":\"Micronesia, Federated States of\",\"FO\":\"Faroe Islands\",\"FR\":\"France\",\"GA\":\"Gabon\",\"GB\":\"United Kingdom of Great Britain and Northern Ireland\",\"GD\":\"Grenada\",\"GE\":\"Georgia\",\"GF\":\"French Guiana\",\"GG\":\"Guernsey\",\"GH\":\"Ghana\",\"GI\":\"Gibraltar\",\"GL\":\"Greenland\",\"GM\":\"Gambia\",\"GN\":\"Guinea\",\"GP\":\"Guadeloupe\",\"GQ\":\"Equatorial Guinea\",\"GR\":\"Greece\",\"GS\":\"South Georgia and the South Sandwich Islands\",\"GT\":\"Guatemala\",\"GU\":\"Guam\",\"GW\":\"Guinea-Bissau\",\"GY\":\"Guyana\",\"HK\":\"Hong Kong\",\"HM\":\"Heard Island and McDonald Islands\",\"HN\":\"Honduras\",\"HR\":\"Croatia\",\"HT\":\"Haiti\",\"HU\":\"Hungary\",\"ID\":\"Indonesia\",\"IE\":\"Ireland\",\"IL\":\"Israel\",\"IM\":\"Isle of Man\",\"IN\":\"India\",\"IO\":\"British Indian Ocean Territory\",\"IQ\":\"Iraq\",\"IR\":\"Iran, Islamic Republic of\",\"IS\":\"Iceland\",\"IT\":\"Italy\",\"JE\":\"Jersey\",\"JM\":\"Jamaica\",\"JO\":\"Jordan\",\"JP\":\"Japan\",\"KE\":\"Kenya\",\"KG\":\"Kyrgyzstan\",\"KH\":\"Cambodia\",\"KI\":\"Kiribati\",\"KM\":\"Comoros\",\"KN\":\"Saint Kitts and Nevis\",\"KP\":\"Korea, Democratic People's Republic of\",\"KR\":\"Korea, Republic of\",\"KW\":\"Kuwait\",\"KY\":\"Cayman Islands\",\"KZ\":\"Kazakhstan\",\"LA\":\"Lao People's Democratic Republic\",\"LB\":\"Lebanon\",\"LC\":\"Saint Lucia\",\"LI\":\"Liechtenstein\",\"LK\":\"Sri Lanka\",\"LR\":\"Liberia\",\"LS\":\"Lesotho\",\"LT\":\"Lithuania\",\"LU\":\"Luxembourg\",\"LV\":\"Latvia\",\"LY\":\"Libya\",\"MA\":\"Morocco\",\"MC\":\"Monaco\",\"MD\":\"Moldova, Republic of\",\"ME\":\"Montenegro\",\"MF\":\"Saint Martin (French part)\",\"MG\":\"Madagascar\",\"MH\":\"Marshall Islands\",\"MK\":\"Macedonia, the former Yugoslav Republic of\",\"ML\":\"Mali\",\"MM\":\"Myanmar\",\"MN\":\"Mongolia\",\"MO\":\"Macao\",\"MP\":\"Northern Mariana Islands\",\"MQ\":\"Martinique\",\"MR\":\"Mauritania\",\"MS\":\"Montserrat\",\"MT\":\"Malta\",\"MU\":\"Mauritius\",\"MV\":\"Maldives\",\"MW\":\"Malawi\",\"MX\":\"Mexico\",\"MY\":\"Malaysia\",\"MZ\":\"Mozambique\",\"NA\":\"Namibia\",\"NC\":\"New Caledonia\",\"NE\":\"Niger\",\"NF\":\"Norfolk Island\",\"NG\":\"Nigeria\",\"NI\":\"Nicaragua\",\"NL\":\"Netherlands\",\"NO\":\"Norway\",\"NP\":\"Nepal\",\"NR\":\"Nauru\",\"NU\":\"Niue\",\"NZ\":\"New Zealand\",\"OM\":\"Oman\",\"PA\":\"Panama\",\"PE\":\"Peru\",\"PF\":\"French Polynesia\",\"PG\":\"Papua New Guinea\",\"PH\":\"Philippines\",\"PK\":\"Pakistan\",\"PL\":\"Poland\",\"PM\":\"Saint Pierre and Miquelon\",\"PN\":\"Pitcairn\",\"PR\":\"Puerto Rico\",\"PS\":\"Palestine, State of\",\"PT\":\"Portugal\",\"PW\":\"Palau\",\"PY\":\"Paraguay\",\"QA\":\"Qatar\",\"RE\":\"R\\u00e9union\",\"RO\":\"Romania\",\"RS\":\"Serbia\",\"RU\":\"Russian Federation\",\"RW\":\"Rwanda\",\"SA\":\"Saudi Arabia\",\"SB\":\"Solomon Islands\",\"SC\":\"Seychelles\",\"SD\":\"Sudan\",\"SE\":\"Sweden\",\"SG\":\"Singapore\",\"SH\":\"Saint Helena, Ascension and Tristan da Cunha\",\"SI\":\"Slovenia\",\"SJ\":\"Svalbard and Jan Mayen\",\"SK\":\"Slovakia\",\"SL\":\"Sierra Leone\",\"SM\":\"San Marino\",\"SN\":\"Senegal\",\"SO\":\"Somalia\",\"SR\":\"Suriname\",\"SS\":\"South Sudan\",\"ST\":\"Sao Tome and Principe\",\"SV\":\"El Salvador\",\"SX\":\"Sint Maarten (Dutch part)\",\"SY\":\"Syrian Arab Republic\",\"SZ\":\"Swaziland\",\"TC\":\"Turks and Caicos Islands\",\"TD\":\"Chad\",\"TF\":\"French Southern Territories\",\"TG\":\"Togo\",\"TH\":\"Thailand\",\"TJ\":\"Tajikistan\",\"TK\":\"Tokelau\",\"TL\":\"Timor-Leste\",\"TM\":\"Turkmenistan\",\"TN\":\"Tunisia\",\"TO\":\"Tonga\",\"TR\":\"Turkey\",\"TT\":\"Trinidad and Tobago\",\"TV\":\"Tuvalu\",\"TW\":\"Taiwan, Province of China\",\"TZ\":\"Tanzania, United Republic of\",\"UA\":\"Ukraine\",\"UG\":\"Uganda\",\"UM\":\"United States Minor Outlying Islands\",\"US\":\"United States of America\",\"UY\":\"Uruguay\",\"UZ\":\"Uzbekistan\",\"VA\":\"Holy See\",\"VC\":\"Saint Vincent and the Grenadines\",\"VE\":\"Venezuela, Bolivarian Republic of\",\"VG\":\"Virgin Islands, British\",\"VI\":\"Virgin Islands, U.S.\",\"VN\":\"Viet Nam\",\"VU\":\"Vanuatu\",\"WF\":\"Wallis and Futuna\",\"WS\":\"Samoa\",\"YE\":\"Yemen\",\"YT\":\"Mayotte\",\"ZA\":\"South Africa\",\"ZM\":\"Zambia\",\"ZW\":\"Zimbabwe\"}}},\"OpportunityItem\":{\"fields\":{\"name\":\"Name\",\"qty\":\"Qty\",\"quantity\":\"Quantity\",\"unitPrice\":\"Unit Price\",\"amount\":\"Amount\",\"product\":\"Product\",\"order\":\"Line Number\",\"opportunity\":\"Opportunity\",\"description\":\"Description\",\"amountConverted\":\"Amount (Converted)\",\"unitPriceConverted\":\"Unit Price (Converted)\"},\"links\":{\"opportunity\":\"Opportunity\",\"product\":\"Product\"}},\"Product\":{\"labels\":{\"Create Product\":\"Create Product\",\"Price\":\"Price\",\"Brands\":\"Brands\",\"Categories\":\"Categories\"},\"fields\":{\"status\":\"Status\",\"brand\":\"Brand\",\"partNumber\":\"Part Number\",\"category\":\"Category\",\"pricingType\":\"Pricing Type\",\"pricingFactor\":\"Pricing Factor\",\"costPrice\":\"Cost Price\",\"listPrice\":\"List Price\",\"unitPrice\":\"Unit Price\",\"costPriceConverted\":\"Cost Price (Converted)\",\"listPriceConverted\":\"List Price (Converted)\",\"unitPriceConverted\":\"Unit Price (Converted)\",\"url\":\"URL\",\"weight\":\"Weight\"},\"links\":{\"brand\":\"Brand\",\"category\":\"Category\"},\"options\":{\"pricingType\":{\"Same as List\":\"Same as List\",\"Fixed\":\"Fixed\",\"Discount from List\":\"Discount from List\",\"Markup over Cost\":\"Markup over Cost\",\"Profit Margin\":\"Profit Margin\"}},\"presetFilters\":{\"available\":\"Available\"}},\"ProductBrand\":{\"labels\":{\"Create ProductBrand\":\"Create Brand\"},\"fields\":{\"website\":\"Website\"},\"links\":{\"products\":\"Products\"}},\"ProductCategory\":{\"labels\":{\"Create ProductCategory\":\"Create Category\",\"Manage Categories\":\"Manage Categories\"},\"fields\":{\"order\":\"Order\"},\"links\":{\"products\":\"Products\"}},\"Quote\":{\"labels\":{\"Create Quote\":\"Create Quote\",\"Taxes\":\"Taxes\",\"Shipping Providers\":\"Shipping Providers\",\"Add Item\":\"Add Item\",\"Templates\":\"Templates\",\"Items\":\"Items\",\"Email PDF\":\"Email PDF\",\"Quote Items\":\"Quote Items\"},\"fields\":{\"status\":\"Status\",\"number\":\"Quote Number\",\"invoiceNumber\":\"Invoice Number\",\"account\":\"Account\",\"opportunity\":\"Opportunity\",\"billingAddress\":\"Billing Address\",\"shippingAddress\":\"Shipping Address\",\"billingContact\":\"Billing Contact\",\"shippingContact\":\"Shipping Contact\",\"tax\":\"Tax\",\"taxRate\":\"Tax Rate\",\"shippingCost\":\"Shipping Cost\",\"shippingProvider\":\"Shipping Provider\",\"taxAmount\":\"Tax Amount\",\"discountAmount\":\"Discount Amount\",\"amount\":\"Amount\",\"preDiscountedAmount\":\"Pre-Discount Amount\",\"grandTotalAmount\":\"Grand Total Amount\",\"itemList\":\"Item List\",\"dateQuoted\":\"Date Quoted\",\"dateInvoiced\":\"Date Invoiced\",\"weight\":\"Weight\",\"amountConverted\":\"Amount (converted)\",\"taxAmountConverted\":\"Tax Amount (converted)\",\"shippingCostConverted\":\"Shipping Cost (converted)\",\"preDiscountedAmountConverted\":\"Pre-Discount Amount (converted)\",\"discountAmountConverted\":\"Discount Amount (converted)\",\"grandTotalAmountConverted\":\"Grand Total Amount (converted)\"},\"links\":{\"items\":\"Items\",\"billingContact\":\"Billing Contact\",\"shippingContact\":\"Shipping Contact\",\"opportunity\":\"Opportunity\",\"account\":\"Account\",\"tax\":\"Tax\"},\"options\":{\"status\":{\"Draft\":\"Draft\",\"In Review\":\"In Review\",\"Presented\":\"Presented\",\"Approved\":\"Approved\",\"Rejected\":\"Rejected\",\"Canceled\":\"Canceled\"}},\"presetFilters\":{\"actual\":\"Actual\",\"approved\":\"Approved\"}},\"QuoteItem\":{\"fields\":{\"name\":\"Name\",\"qty\":\"Qty\",\"quantity\":\"Quantity\",\"listPrice\":\"List Price\",\"unitPrice\":\"Unit Price\",\"amount\":\"Amount\",\"taxRate\":\"Tax Rate\",\"product\":\"Product\",\"order\":\"Line Number\",\"quote\":\"Quote\",\"weight\":\"Weight\",\"unitWeight\":\"Unit Weight\",\"description\":\"Description\",\"discount\":\"Discount (%)\",\"amountConverted\":\"Amount (Converted)\",\"unitPriceConverted\":\"Unit Price (Converted)\",\"listPriceConverted\":\"List Price (Converted)\",\"account\":\"Account\",\"quoteStatus\":\"Quote Status\"},\"links\":{\"quote\":\"Quote\",\"product\":\"Product\",\"account\":\"Account\"},\"labels\":{\"Quotes\":\"Quotes\"}},\"Report\":{\"labels\":{\"Create Report\":\"Create Report\",\"Run\":\"Run\",\"Total\":\"Total\",\"-Empty-\":\"-Empty-\",\"Parameters\":\"Parameters\",\"Filters\":\"Filters\",\"Chart\":\"Chart\",\"List Report\":\"List Report\",\"Grid Report\":\"Grid Report\",\"days\":\"days\",\"never\":\"never\",\"Get Csv\":\"Get Csv\",\"EmailSending\":\"Email Sending\",\"View Report\":\"View Report\",\"Report\":\"Report\",\"Add AND\":\"Add AND\",\"Add OR\":\"Add OR\",\"Columns\":\"Columns\"},\"fields\":{\"type\":\"Type\",\"entityType\":\"Entity Type\",\"description\":\"Description\",\"groupBy\":\"Group by\",\"columns\":\"Columns\",\"orderBy\":\"Order by\",\"filters\":\"Filters\",\"runtimeFilters\":\"Runtime Filters\",\"chartType\":\"Chart Type\",\"emailSendingInterval\":\"Interval\",\"emailSendingTime\":\"Time\",\"emailSendingUsers\":\"Users\",\"emailSendingSettingDay\":\"Day\",\"emailSendingSettingMonth\":\"Month\",\"emailSendingSettingWeekdays\":\"Days\",\"emailSendingDoNotSendEmptyReport\":\"Don't send if report is empty\",\"chartColorList\":\"Chart Colors\",\"chartColor\":\"Chart Color\",\"orderByList\":\"List Order\"},\"tooltips\":{\"emailSendingUsers\":\"Users report result will be sent to\",\"chartColorList\":\"Custom colors for specific groups.\"},\"functions\":{\"COUNT\":\"Count\",\"SUM\":\"Sum\",\"AVG\":\"Avg\",\"MIN\":\"Min\",\"MAX\":\"Max\",\"YEAR\":\"Year\",\"MONTH\":\"Month\",\"DAY\":\"Day\"},\"orders\":{\"ASC\":\"ASC\",\"DESC\":\"DESC\",\"LIST\":\"LIST\"},\"options\":{\"chartType\":{\"BarHorizontal\":\"Bar (horizontal)\",\"BarVertical\":\"Bar (vertical)\",\"Pie\":\"Pie\",\"Line\":\"Line\"},\"emailSendingInterval\":{\"\":\"None\",\"Daily\":\"Daily\",\"Weekly\":\"Weekly\",\"Monthly\":\"Monthly\",\"Yearly\":\"Yearly\"},\"emailSendingSettingDay\":{\"32\":\"Last day of month\"},\"type\":{\"Grid\":\"Grid\",\"List\":\"List\"}},\"messages\":{\"validateMaxCount\":\"Count should not be greater than {maxCount}\",\"gridReportDescription\":\"Group by one or two columns and see summations. Can be displayed as a chart.\",\"listReportDescription\":\"Simple list of records which meet filters criteria.\"},\"presetFilters\":{\"list\":\"List\",\"grid\":\"Grid\",\"listTargets\":\"List (Targets)\",\"listAccounts\":\"List (Accounts)\",\"listContacts\":\"List (Contacts)\",\"listLeads\":\"List (Leads)\",\"listUsers\":\"List (Users)\"},\"errorMessages\":{\"error\":\"Error\",\"noChart\":\"No chart selected for the report\",\"selectReport\":\"Select Report in dashlet options\"},\"filtersGroupTypes\":{\"or\":\"OR\",\"and\":\"AND\"}},\"ShippingProvider\":{\"labels\":{\"Create ShippingProvider\":\"Create Shipping Provider\"},\"fields\":{\"website\":\"Website\"}},\"Tax\":{\"labels\":{\"Create Tax\":\"Create Tax\"},\"fields\":{\"rate\":\"Rate\"}},\"Workflow\":{\"fields\":{\"Name\":\"Name\",\"entityType\":\"Target Entity\",\"type\":\"Trigger Type\",\"isActive\":\"Active\",\"description\":\"Description\",\"usersToMakeToFollow\":\"Users to make to follow the record\",\"whatToFollow\":\"What to Follow\",\"portalOnly\":\"Portal Only\",\"portal\":\"Portal\",\"targetReport\":\"Target Report\",\"scheduling\":\"Scheduling\",\"methodName\":\"Service Method\",\"assignmentRule\":\"Assignment Rule\",\"targetTeam\":\"Target Team\",\"targetUserPosition\":\"Target User Position\",\"listReport\":\"List Report\"},\"links\":{\"portal\":\"Portal\",\"targetReport\":\"Target Report\",\"workflowLogRecords\":\"Log\"},\"tooltips\":{\"portalOnly\":\"If checked workflow will be triggered only in portal.\",\"portal\":\"Specific portal where workflow will be triggered. Leave empty if you need it to work in any portal.\",\"scheduling\":\"Crontab notation. Defines frequency of job runs.\\n\\n*\\/5 * * * * - every 5 minutes\\n\\n0 *\\/2 * * * - every 2 hours\\n\\n30 1 * * * - at 01:30 once a day\\n\\n0 0 1 * * - on the first day of the month\"},\"labels\":{\"Create Workflow\":\"Create Rule\",\"General\":\"General\",\"Conditions\":\"Conditions\",\"Actions\":\"Actions\",\"All\":\"All\",\"Any\":\"Any\",\"Formula\":\"Formula\",\"Email Address\":\"Email Address\",\"Email Template\":\"Email Template\",\"From\":\"From\",\"To\":\"To\",\"immediately\":\"Immediately\",\"later\":\"Later\",\"today\":\"now\",\"plus\":\"plus\",\"minus\":\"minus\",\"days\":\"days\",\"hours\":\"hours\",\"months\":\"months\",\"minutes\":\"minutes\",\"Link\":\"Link\",\"Entity\":\"Entity\",\"Add Field\":\"Add Field\",\"equals\":\"equals\",\"wasEqual\":\"was equal\",\"notEquals\":\"not equals\",\"wasNotEqual\":\"was not equal\",\"changed\":\"changed\",\"notEmpty\":\"not empty\",\"isEmpty\":\"empty\",\"value\":\"value\",\"field\":\"field\",\"true\":\"true\",\"false\":\"false\",\"greaterThan\":\"greater than\",\"lessThan\":\"less than\",\"greaterThanOrEquals\":\"greater than or equals\",\"lessThanOrEquals\":\"less than or equals\",\"between\":\"between\",\"on\":\"on\",\"before\":\"before\",\"after\":\"after\",\"beforeToday\":\"before today\",\"afterToday\":\"after today\",\"recipient\":\"Recipient\",\"has\":\"has\",\"messageTemplate\":\"Message Template\",\"users\":\"Users\",\"Target Entity\":\"Target Entity\",\"Workflow\":\"Workflow\",\"Workflows Log\":\"Workflows Log\",\"methodName\":\"Service Method\",\"additionalParameters\":\"Additional Parameters (JSON format)\",\"doNotStore\":\"Do not store sent email\",\"Related\":\"Related\"},\"emailAddressOptions\":{\"currentUser\":\"Current User\",\"specifiedEmailAddress\":\"Specified Email Address\",\"assignedUser\":\"Assigned User\",\"targetEntity\":\"Target Entity\",\"specifiedUsers\":\"Specified Users\",\"specifiedContacts\":\"Specified Contacts\",\"teamUsers\":\"Team Users\",\"followers\":\"Followers\",\"followersExcludingAssignedUser\":\"Followers excluding Assigned User\",\"specifiedTeams\":\"Users of specified Teams\",\"system\":\"System\"},\"options\":{\"type\":{\"afterRecordSaved\":\"After record saved\",\"afterRecordCreated\":\"After record created\",\"scheduled\":\"Scheduled\",\"sequential\":\"Sequential\"},\"subjectType\":{\"value\":\"value\",\"field\":\"field\",\"today\":\"today\\/now\"},\"assignmentRule\":{\"Round-Robin\":\"Round-Robin\",\"Least-Busy\":\"Least-Busy\"}},\"actionTypes\":{\"sendEmail\":\"Send Email\",\"createEntity\":\"Create Entity\",\"createRelatedEntity\":\"Create Related Entity\",\"updateEntity\":\"Update Entity\",\"updateRelatedEntity\":\"Update Related Entity\",\"relateWithEntity\":\"Link with Another Entity\",\"unrelateFromEntity\":\"Unlink from Another Entity\",\"makeFollowed\":\"Make Followed\",\"createNotification\":\"Create Notification\",\"triggerWorkflow\":\"Trigger Another Workflow\",\"runService\":\"Run Service Action\",\"applyAssignmentRule\":\"Apply Assignment Rule\"},\"texts\":{\"allMustBeMet\":\"All must be met\",\"atLeastOneMustBeMet\":\"At least one must be met\",\"formulaInfo\":\"Conditions of any complexity in espo-formula language\"},\"messages\":{\"loopNotice\":\"Be careful about a possible looping through two or more workflow rules continuously.\",\"messageTemplateHelpText\":\"Available variables:\\n{entity} - target record,\\n{user} - current user.\"}},\"WorkflowLogRecord\":{\"labels\":[],\"fields\":{\"target\":\"Target\",\"workflow\":\"Workflow\"}}}" + "text": "{\"Admin\":{\"labels\":{\"Enabled\":\"Enabled\",\"Disabled\":\"Disabled\",\"System\":\"System\",\"Users\":\"Users\",\"Email\":\"Email\",\"Data\":\"Data\",\"Customization\":\"Customization\",\"Available Fields\":\"Available Fields\",\"Layout\":\"Layout\",\"Entity Manager\":\"Entity Manager\",\"Add Panel\":\"Add Panel\",\"Add Field\":\"Add Field\",\"Settings\":\"Settings\",\"Scheduled Jobs\":\"Scheduled Jobs\",\"Upgrade\":\"Upgrade\",\"Clear Cache\":\"Clear Cache\",\"Rebuild\":\"Rebuild\",\"Teams\":\"Teams\",\"Roles\":\"Roles\",\"Portal\":\"Portal\",\"Portals\":\"Portals\",\"Portal Roles\":\"Portal Roles\",\"Portal Users\":\"Portal Users\",\"Outbound Emails\":\"Outbound Emails\",\"Group Email Accounts\":\"Group Email Accounts\",\"Personal Email Accounts\":\"Personal Email Accounts\",\"Inbound Emails\":\"Inbound Emails\",\"Email Templates\":\"Email Templates\",\"Import\":\"Import\",\"Layout Manager\":\"Layout Manager\",\"User Interface\":\"User Interface\",\"Auth Tokens\":\"Auth Tokens\",\"Authentication\":\"Authentication\",\"Currency\":\"Currency\",\"Integrations\":\"Integrations\",\"Extensions\":\"Extensions\",\"Upload\":\"Upload\",\"Installing...\":\"Installing...\",\"Upgrading...\":\"Upgrading...\",\"Upgraded successfully\":\"Upgraded successfully\",\"Installed successfully\":\"Installed successfully\",\"Ready for upgrade\":\"Ready for upgrade\",\"Run Upgrade\":\"Run Upgrade\",\"Install\":\"Install\",\"Ready for installation\":\"Ready for installation\",\"Uninstalling...\":\"Uninstalling...\",\"Uninstalled\":\"Uninstalled\",\"Create Entity\":\"Create Entity\",\"Edit Entity\":\"Edit Entity\",\"Create Link\":\"Create Link\",\"Edit Link\":\"Edit Link\",\"Notifications\":\"Notifications\",\"Jobs\":\"Jobs\",\"Reset to Default\":\"Reset to Default\",\"Email Filters\":\"Email Filters\",\"Workflow Manager\":\"Workflows\"},\"layouts\":{\"list\":\"List\",\"detail\":\"Detail\",\"listSmall\":\"List (Small)\",\"detailSmall\":\"Detail (Small)\",\"filters\":\"Search Filters\",\"massUpdate\":\"Mass Update\",\"relationships\":\"Relationship Panels\",\"sidePanelsDetail\":\"Side Panels (Detail)\",\"sidePanelsEdit\":\"Side Panels (Edit)\",\"sidePanelsDetailSmall\":\"Side Panels (Detail Small)\",\"sidePanelsEditSmall\":\"Side Panels (Edit Small)\",\"detailConvert\":\"Convert Lead\",\"listForAccount\":\"List (for Account)\"},\"fieldTypes\":{\"address\":\"Address\",\"array\":\"Array\",\"foreign\":\"Foreign\",\"duration\":\"Duration\",\"password\":\"Password\",\"personName\":\"Person Name\",\"autoincrement\":\"Auto-increment\",\"bool\":\"Boolean\",\"currency\":\"Currency\",\"currencyConverted\":\"Currency (Converted)\",\"date\":\"Date\",\"datetime\":\"DateTime\",\"datetimeOptional\":\"Date\\/DateTime\",\"email\":\"Email\",\"enum\":\"Enum\",\"enumInt\":\"Enum Integer\",\"enumFloat\":\"Enum Float\",\"float\":\"Float\",\"int\":\"Int\",\"link\":\"Link\",\"linkMultiple\":\"Link Multiple\",\"linkParent\":\"Link Parent\",\"multienim\":\"Multienum\",\"phone\":\"Phone\",\"text\":\"Text\",\"url\":\"Url\",\"varchar\":\"Varchar\",\"file\":\"File\",\"image\":\"Image\",\"multiEnum\":\"Multi-Enum\",\"attachmentMultiple\":\"Attachment Multiple\",\"rangeInt\":\"Range Integer\",\"rangeFloat\":\"Range Float\",\"rangeCurrency\":\"Range Currency\",\"wysiwyg\":\"Wysiwyg\",\"map\":\"Map\",\"number\":\"Number\"},\"fields\":{\"type\":\"Type\",\"name\":\"Name\",\"label\":\"Label\",\"tooltipText\":\"Tooltip Text\",\"required\":\"Required\",\"default\":\"Default\",\"maxLength\":\"Max Length\",\"options\":\"Options\",\"after\":\"After (field)\",\"before\":\"Before (field)\",\"link\":\"Link\",\"field\":\"Field\",\"min\":\"Min\",\"max\":\"Max\",\"translation\":\"Translation\",\"previewSize\":\"Preview Size\",\"noEmptyString\":\"No Empty String\",\"defaultType\":\"Default Type\",\"seeMoreDisabled\":\"Disable Text Cut\",\"entityList\":\"Entity List\",\"isSorted\":\"Is Sorted (alphabetically)\",\"audited\":\"Audited\",\"trim\":\"Trim\",\"height\":\"Height (px)\",\"minHeight\":\"Min Height (px)\",\"provider\":\"Provider\",\"typeList\":\"Type List\",\"rows\":\"Number of rows of textarea\",\"lengthOfCut\":\"Length of cut\",\"sourceList\":\"Source List\",\"prefix\":\"Prefix\",\"nextNumber\":\"Next Number\",\"padLength\":\"Pad Length\",\"disableFormatting\":\"Disable Formatting\",\"dynamicLogicVisible\":\"Conditions making field visible\",\"dynamicLogicReadOnly\":\"Conditions making field read-only\",\"dynamicLogicRequired\":\"Conditions making field required\",\"dynamicLogicOptions\":\"Conditional options\",\"probabilityMap\":\"Stage Probabilities (%)\",\"readOnly\":\"Read-only\"},\"messages\":{\"upgradeVersion\":\"Your EspoCRM will be upgraded to version {version}<\\/strong>. This can take some time.\",\"upgradeDone\":\"Your EspoCRM has been upgraded to version {version}<\\/strong>.\",\"upgradeBackup\":\"We recommend to make a backup of your EspoCRM files and data before upgrade.\",\"thousandSeparatorEqualsDecimalMark\":\"Thousand separator can not be same as decimal mark\",\"userHasNoEmailAddress\":\"User has not email address.\",\"selectEntityType\":\"Select entity type in the left menu.\",\"selectUpgradePackage\":\"Select upgrade package\",\"downloadUpgradePackage\":\"Download upgrade package(s) here<\\/a>.\",\"selectLayout\":\"Select needed layout in the left menu and edit it.\",\"selectExtensionPackage\":\"Select extension package\",\"extensionInstalled\":\"Extension {name} {version} has been installed.\",\"installExtension\":\"Extension {name} {version} is ready for an installation.\",\"uninstallConfirmation\":\"Are you really want to uninstall the extension?\"},\"descriptions\":{\"settings\":\"System settings of application.\",\"scheduledJob\":\"Jobs which are executed by cron.\",\"upgrade\":\"Upgrade EspoCRM.\",\"clearCache\":\"Clear all backend cache.\",\"rebuild\":\"Rebuild backend and clear cache.\",\"users\":\"Users management.\",\"teams\":\"Teams management.\",\"roles\":\"Roles management.\",\"portals\":\"Portals management.\",\"portalRoles\":\"Roles for portal.\",\"portalUsers\":\"Users of portal.\",\"outboundEmails\":\"SMTP settings for outgoing emails.\",\"groupEmailAccounts\":\"Group IMAP email accounts. Email import and Email-to-Case.\",\"personalEmailAccounts\":\"Users email accounts.\",\"emailTemplates\":\"Templates for outbound emails.\",\"import\":\"Import data from CSV file.\",\"layoutManager\":\"Customize layouts (list, detail, edit, search, mass update).\",\"entityManager\":\"Create custom entities, edit existing ones. Manage fields and relationships.\",\"userInterface\":\"Configure UI.\",\"authTokens\":\"Active auth sessions. IP address and last access date.\",\"authentication\":\"Authentication settings.\",\"currency\":\"Currency settings and rates.\",\"extensions\":\"Install or uninstall extensions.\",\"integrations\":\"Integration with third-party services.\",\"notifications\":\"In-app and email notification settings.\",\"inboundEmails\":\"Settings for incoming emails.\",\"emailFilters\":\"Emails messages that match specified filter won't be imported.\",\"workflowManager\":\"Configure Workflow rules.\"},\"options\":{\"previewSize\":{\"x-small\":\"X-Small\",\"small\":\"Small\",\"medium\":\"Medium\",\"large\":\"Large\"}},\"logicalOperators\":{\"and\":\"AND\",\"or\":\"OR\",\"not\":\"NOT\"}},\"Attachment\":{\"insertFromSourceLabels\":{\"Document\":\"Insert Document\"}},\"AuthToken\":{\"fields\":{\"user\":\"User\",\"ipAddress\":\"IP Address\",\"lastAccess\":\"Last Access Date\",\"createdAt\":\"Login Date\"}},\"DashletOptions\":{\"fields\":{\"title\":\"Title\",\"dateFrom\":\"Date From\",\"dateTo\":\"Date To\",\"autorefreshInterval\":\"Auto-refresh Interval\",\"displayRecords\":\"Display Records\",\"isDoubleHeight\":\"Height 2x\",\"mode\":\"Mode\",\"enabledScopeList\":\"What to display\",\"users\":\"Users\",\"report\":\"Report\",\"column\":\"Summation Column\",\"displayOnlyCount\":\"Display Only Total\"},\"options\":{\"mode\":{\"agendaWeek\":\"Week (agenda)\",\"basicWeek\":\"Week\",\"month\":\"Month\",\"basicDay\":\"Day\",\"agendaDay\":\"Day (agenda)\",\"timeline\":\"Timeline\"}}},\"DynamicLogic\":{\"label\":{\"Field\":\"Field\"},\"options\":{\"operators\":{\"equals\":\"Equals\",\"notEquals\":\"Not Equals\",\"greaterThan\":\"Greater Than\",\"lessThan\":\"Less Than\",\"greaterThanOrEquals\":\"Greater Than Or Equals\",\"lessThanOrEquals\":\"Less Than Or Equals\",\"in\":\"In\",\"notIn\":\"Not In\",\"inPast\":\"In Past\",\"inFuture\":\"Is Future\",\"isToday\":\"Is Today\",\"isTrue\":\"Is True\",\"isFalse\":\"Is False\",\"isEmpty\":\"Is Empty\",\"isNotEmpty\":\"Is Not Empty\",\"contains\":\"Contains\",\"notContains\":\"Not Contains\"}}},\"Email\":{\"fields\":{\"name\":\"Name (Subject)\",\"parent\":\"Parent\",\"status\":\"Status\",\"dateSent\":\"Date Sent\",\"from\":\"From\",\"to\":\"To\",\"cc\":\"CC\",\"bcc\":\"BCC\",\"replyTo\":\"Reply To\",\"replyToString\":\"Reply To (String)\",\"isHtml\":\"Is Html\",\"body\":\"Body\",\"subject\":\"Subject\",\"attachments\":\"Attachments\",\"selectTemplate\":\"Select Template\",\"fromEmailAddress\":\"From Address\",\"toEmailAddresses\":\"To Address\",\"emailAddress\":\"Email Address\",\"deliveryDate\":\"Delivery Date\",\"account\":\"Account\",\"users\":\"Users\",\"replied\":\"Replied\",\"replies\":\"Replies\",\"isRead\":\"Is Read\",\"isNotRead\":\"Is Not Read\",\"isImportant\":\"Is Important\",\"isReplied\":\"Is Replied\",\"isNotReplied\":\"Is Not Replied\",\"isUsers\":\"Is User's\",\"inTrash\":\"In Trash\",\"sentBy\":\"Sent by (User)\",\"folder\":\"Folder\",\"inboundEmails\":\"Group Accounts\",\"emailAccounts\":\"Personal Accounts\",\"hasAttachment\":\"Has Attachment\"},\"links\":{\"replied\":\"Replied\",\"replies\":\"Replies\",\"inboundEmails\":\"Group Accounts\",\"emailAccounts\":\"Personal Accounts\"},\"options\":{\"status\":{\"Draft\":\"Draft\",\"Sending\":\"Sending\",\"Sent\":\"Sent\",\"Archived\":\"Archived\",\"Received\":\"Received\",\"Failed\":\"Failed\"}},\"labels\":{\"Create Email\":\"Archive Email\",\"Archive Email\":\"Archive Email\",\"Compose\":\"Compose\",\"Reply\":\"Reply\",\"Reply to All\":\"Reply to All\",\"Forward\":\"Forward\",\"Original message\":\"Original message\",\"Forwarded message\":\"Forwarded message\",\"Email Accounts\":\"Personal Email Accounts\",\"Inbound Emails\":\"Group Email Accounts\",\"Email Templates\":\"Email Templates\",\"Send Test Email\":\"Send Test Email\",\"Send\":\"Send\",\"Email Address\":\"Email Address\",\"Mark Read\":\"Mark Read\",\"Sending...\":\"Sending...\",\"Save Draft\":\"Save Draft\",\"Mark all as read\":\"Mark all as read\",\"Show Plain Text\":\"Show Plain Text\",\"Mark as Important\":\"Mark as Important\",\"Unmark Importance\":\"Unmark Importance\",\"Move to Trash\":\"Move to Trash\",\"Retrieve from Trash\":\"Retrieve from Trash\",\"Move to Folder\":\"Move to Folder\",\"Filters\":\"Filters\",\"Folders\":\"Folders\",\"Create Lead\":\"Create Lead\",\"Create Contact\":\"Create Contact\",\"Create Task\":\"Create Task\",\"Create Case\":\"Create Case\"},\"messages\":{\"noSmtpSetup\":\"No SMTP setup. {link}.\",\"testEmailSent\":\"Test email has been sent\",\"emailSent\":\"Email has been sent\",\"savedAsDraft\":\"Saved as draft\"},\"presetFilters\":{\"sent\":\"Sent\",\"archived\":\"Archived\",\"inbox\":\"Inbox\",\"drafts\":\"Drafts\",\"trash\":\"Trash\",\"important\":\"Important\"},\"massActions\":{\"markAsRead\":\"Mark as Read\",\"markAsNotRead\":\"Mark as Not Read\",\"markAsImportant\":\"Mark as Important\",\"markAsNotImportant\":\"Unmark Importance\",\"moveToTrash\":\"Move to Trash\",\"moveToFolder\":\"Move to Folder\",\"retrieveFromTrash\":\"Retrieve from Trash\"}},\"EmailAccount\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"host\":\"Host\",\"username\":\"Username\",\"password\":\"Password\",\"port\":\"Port\",\"monitoredFolders\":\"Monitored Folders\",\"ssl\":\"SSL\",\"fetchSince\":\"Fetch Since\",\"emailAddress\":\"Email Address\",\"sentFolder\":\"Sent Folder\",\"storeSentEmails\":\"Store Sent Emails\",\"keepFetchedEmailsUnread\":\"Keep Fetched Emails Unread\",\"emailFolder\":\"Put in Folder\",\"useSmtp\":\"Use SMTP\",\"smtpHost\":\"SMTP Host\",\"smtpPort\":\"SMTP Port\",\"smtpAuth\":\"SMTP Auth\",\"smtpSecurity\":\"SMTP Security\",\"smtpUsername\":\"SMTP Username\",\"smtpPassword\":\"SMTP Password\"},\"links\":{\"filters\":\"Filters\",\"emails\":\"Emails\"},\"options\":{\"status\":{\"Active\":\"Active\",\"Inactive\":\"Inactive\"}},\"labels\":{\"Create EmailAccount\":\"Create Email Account\",\"IMAP\":\"IMAP\",\"Main\":\"Main\",\"Test Connection\":\"Test Connection\",\"Send Test Email\":\"Send Test Email\",\"SMTP\":\"SMTP\"},\"messages\":{\"couldNotConnectToImap\":\"Could not connect to IMAP server\",\"connectionIsOk\":\"Connection is Ok\"},\"tooltips\":{\"monitoredFolders\":\"You can add a 'Sent' folder to sync emails sent from an external email client.\",\"storeSentEmails\":\"Sent emails will be stored on the IMAP server. Email Address field should much the address emails will be sent from.\"}},\"EmailAddress\":{\"labels\":{\"Primary\":\"Primary\",\"Opted Out\":\"Opted Out\",\"Invalid\":\"Invalid\"}},\"EmailFilter\":{\"fields\":{\"from\":\"From\",\"to\":\"To\",\"subject\":\"Subject\",\"bodyContains\":\"Body Contains\",\"action\":\"Action\",\"isGlobal\":\"Is Global\",\"emailFolder\":\"Folder\"},\"labels\":{\"Create EmailFilter\":\"Create Email Filter\",\"Emails\":\"Emails\"},\"options\":{\"action\":{\"Skip\":\"Ignore\",\"Move to Folder\":\"Put in Folder\"}},\"tooltips\":{\"name\":\"Give the filter a descriptive name.\",\"subject\":\"Use a wildcard *:\\n\\ntext* - starts with text,\\n*text* - contains text,\\n*text - ends with text.\",\"bodyContains\":\"Body of the email contains any of the specified words or phrases.\",\"from\":\"Emails being sent from the specified address. Leave empty if not needed. You can use wildcard *.\",\"to\":\"Emails being sent to the specified address. Leave empty if not needed. You can use wildcard *.\",\"isGlobal\":\"Applies this filter to all emails incoming to system.\"}},\"EmailFolder\":{\"fields\":{\"skipNotifications\":\"Skip Notifications\"},\"labels\":{\"Create EmailFolder\":\"Create Folder\",\"Manage Folders\":\"Manage Folders\",\"Emails\":\"Emails\"}},\"EmailTemplate\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"isHtml\":\"Is Html\",\"body\":\"Body\",\"subject\":\"Subject\",\"attachments\":\"Attachments\",\"insertField\":\"Insert Field\",\"oneOff\":\"One-off\"},\"links\":[],\"labels\":{\"Create EmailTemplate\":\"Create Email Template\",\"Info\":\"Info\"},\"messages\":{\"infoText\":\"Available variables:\\n\\n{optOutUrl} – URL for an unsubsbribe link;\\n\\n{optOutLink} – an unsubscribe link.\"},\"tooltips\":{\"oneOff\":\"Check if you are going to use this template only once. E.g. for Mass Email.\"},\"presetFilters\":{\"actual\":\"Actual\"}},\"EntityManager\":{\"labels\":{\"Fields\":\"Fields\",\"Relationships\":\"Relationships\",\"Schedule\":\"Schedule\",\"Log\":\"Log\",\"Formula\":\"Formula\"},\"fields\":{\"name\":\"Name\",\"type\":\"Type\",\"labelSingular\":\"Label Singular\",\"labelPlural\":\"Label Plural\",\"stream\":\"Stream\",\"label\":\"Label\",\"linkType\":\"Link Type\",\"entityForeign\":\"Foreign Entity\",\"linkForeign\":\"Foreign Link\",\"link\":\"Link\",\"labelForeign\":\"Foreign Label\",\"sortBy\":\"Default Order (field)\",\"sortDirection\":\"Default Order (direction)\",\"relationName\":\"Middle Table Name\",\"linkMultipleField\":\"Link Multiple Field\",\"linkMultipleFieldForeign\":\"Foreign Link Multiple Field\",\"disabled\":\"Disabled\",\"textFilterFields\":\"Text Filter Fields\",\"audited\":\"Audited\",\"auditedForeign\":\"Foreign Audited\",\"statusField\":\"Status Field\",\"beforeSaveCustomScript\":\"Before Save Custom Script\"},\"options\":{\"type\":{\"\":\"None\",\"Base\":\"Base\",\"Person\":\"Person\",\"CategoryTree\":\"Category Tree\",\"Event\":\"Event\",\"BasePlus\":\"Base Plus\",\"Company\":\"Company\"},\"linkType\":{\"manyToMany\":\"Many-to-Many\",\"oneToMany\":\"One-to-Many\",\"manyToOne\":\"Many-to-One\",\"parentToChildren\":\"Parent-to-Children\",\"childrenToParent\":\"Children-to-Parent\"},\"sortDirection\":{\"asc\":\"Ascending\",\"desc\":\"Descending\"}},\"messages\":{\"entityCreated\":\"Entity has been created\",\"linkAlreadyExists\":\"Link name conflict.\",\"linkConflict\":\"Name conflict: link or field with the same name already exists.\"},\"tooltips\":{\"statusField\":\"Updates of this field are logged in stream.\",\"textFilterFields\":\"Fields used by text search.\",\"stream\":\"Whether entity has a Stream.\",\"disabled\":\"Check if you don't need this entity in your system.\",\"linkAudited\":\"Creating related record and linking with existing record will be logged in Stream.\",\"linkMultipleField\":\"Link Multiple field provides a handy way to edit relations. Don't use it if you can have a large number of related records.\",\"entityType\":\"Base Plus - has Activities, History and Tasks panels.\\n\\nEvent - available in Calendar and Activities panel.\"}},\"Export\":{\"fields\":{\"useCustomFieldList\":\"Custom Field List\",\"fieldList\":\"Field List\"}},\"Extension\":{\"fields\":{\"name\":\"Name\",\"version\":\"Version\",\"description\":\"Description\",\"isInstalled\":\"Installed\"},\"labels\":{\"Uninstall\":\"Uninstall\",\"Install\":\"Install\"},\"messages\":{\"uninstalled\":\"Extension {name} has been uninstalled\"}},\"ExternalAccount\":{\"labels\":{\"Connect\":\"Connect\",\"Connected\":\"Connected\"},\"help\":[],\"options\":{\"calendarDefaultEntity\":{\"Call\":\"Call\",\"Meeting\":\"Meeting\"},\"calendarDirection\":{\"EspoToGC\":\"One-way: EspoCRM > Google Calendar\",\"GCToEspo\":\"One-way: Google Calendar > EspoCRM\",\"Both\":\"Two-way\"}},\"fields\":{\"calendarStartDate\":\"Sync since\",\"calendarEntityTypes\":\"Sync Entities and Identification Labels\",\"calendarDirection\":\"Direction\",\"calendarMonitoredCalendars\":\"Other Calendars\",\"calendarMainCalendar\":\"Main Calendar\",\"calendarDefaultEntity\":\"Default Entity\",\"contactsGroups\":\"Add Contacts to Groups\",\"removeGoogleCalendarEventIfRemovedInEspo\":\"Remove Google Calendar Event upon removal in EspoCRM\",\"dontSyncEventAttendees\":\"Don't sync event attendees\"},\"messages\":{\"disconnectConfirmation\":\"Do you really want to disconnect?\",\"noPanels\":\"No available Google Products. Contact your Admin.\"},\"tooltips\":{\"calendarEntityTypes\":\"For type recognizing event name has to start from identification label. Label for default entity can be empty. Recommendation: Do not change identification labels after you saved synchronization setting\",\"calendarDefaultEntity\":\"Unrecognized Event will be loaded as selected entity.\"}},\"FieldManager\":{\"labels\":{\"Dynamic Logic\":\"Dynamic Logic\"},\"options\":{\"dateTimeDefault\":{\"\":\"None\",\"javascript: return this.dateTime.getNow(1);\":\"Now\",\"javascript: return this.dateTime.getNow(5);\":\"Now (5m)\",\"javascript: return this.dateTime.getNow(15);\":\"Now (15m)\",\"javascript: return this.dateTime.getNow(30);\":\"Now (30m)\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(1, 'hours', 15);\":\"+1 hour\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(2, 'hours', 15);\":\"+2 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(3, 'hours', 15);\":\"+3 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(4, 'hours', 15);\":\"+4 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(5, 'hours', 15);\":\"+5 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(6, 'hours', 15);\":\"+6 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(7, 'hours', 15);\":\"+7 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(8, 'hours', 15);\":\"+8 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(9, 'hours', 15);\":\"+9 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(10, 'hours', 15);\":\"+10 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(11, 'hours', 15);\":\"+11 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(12, 'hours', 15);\":\"+12 hours\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(1, 'days', 15);\":\"+1 day\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(2, 'days', 15);\":\"+2 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(3, 'days', 15);\":\"+3 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(4, 'days', 15);\":\"+4 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(5, 'days', 15);\":\"+5 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(6, 'days', 15);\":\"+6 days\",\"javascript: return this.dateTime.getDateTimeShiftedFromNow(1, 'week', 15);\":\"+1 week\"},\"dateDefault\":{\"\":\"None\",\"javascript: return this.dateTime.getToday();\":\"Today\",\"javascript: return this.dateTime.getDateShiftedFromToday(1, 'days');\":\"+1 day\",\"javascript: return this.dateTime.getDateShiftedFromToday(2, 'days');\":\"+2 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(3, 'days');\":\"+3 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(4, 'days');\":\"+4 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(5, 'days');\":\"+5 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(6, 'days');\":\"+6 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(7, 'days');\":\"+7 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(8, 'days');\":\"+8 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(9, 'days');\":\"+9 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(10, 'days');\":\"+10 days\",\"javascript: return this.dateTime.getDateShiftedFromToday(1, 'weeks');\":\"+1 week\",\"javascript: return this.dateTime.getDateShiftedFromToday(2, 'weeks');\":\"+2 weeks\",\"javascript: return this.dateTime.getDateShiftedFromToday(3, 'weeks');\":\"+3 weeks\",\"javascript: return this.dateTime.getDateShiftedFromToday(1, 'months');\":\"+1 month\",\"javascript: return this.dateTime.getDateShiftedFromToday(2, 'months');\":\"+2 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(3, 'months');\":\"+3 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(4, 'months');\":\"+4 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(5, 'months');\":\"+5 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(6, 'months');\":\"+6 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(7, 'months');\":\"+7 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(8, 'months');\":\"+8 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(9, 'months');\":\"+9 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(10, 'months');\":\"+10 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(11, 'months');\":\"+11 months\",\"javascript: return this.dateTime.getDateShiftedFromToday(1, 'year');\":\"+1 year\"}},\"tooltips\":{\"audited\":\"Updates will be logged in stream.\",\"required\":\"Field will be mandatory. Can't be left empty.\",\"default\":\"Value will be set by default upon creating.\",\"min\":\"Min acceptable value.\",\"max\":\"Max acceptable value.\",\"seeMoreDisabled\":\"If not checked then long texts will be shortened.\",\"lengthOfCut\":\"How long text can be before it will be cut.\",\"maxLength\":\"Max acceptable length of text.\",\"before\":\"The date value should be before the date value of the specified field.\",\"after\":\"The date value should be after the date value of the specified field.\",\"readOnly\":\"Field value can't be specified by user. But can be calculated by formula.\"}},\"Global\":{\"scopeNames\":{\"Email\":\"Email\",\"User\":\"User\",\"Team\":\"Team\",\"Role\":\"Role\",\"EmailTemplate\":\"Email Template\",\"EmailAccount\":\"Personal Email Account\",\"EmailAccountScope\":\"Personal Email Account\",\"OutboundEmail\":\"Outbound Email\",\"ScheduledJob\":\"Scheduled Job\",\"ExternalAccount\":\"External Account\",\"Extension\":\"Extension\",\"Dashboard\":\"Dashboard\",\"InboundEmail\":\"Group Email Account\",\"Stream\":\"Stream\",\"Import\":\"Import\",\"Template\":\"Template\",\"Job\":\"Job\",\"EmailFilter\":\"Email Filter\",\"Portal\":\"Portal\",\"PortalRole\":\"Portal Role\",\"Attachment\":\"Attachment\",\"EmailFolder\":\"Email Folder\",\"PortalUser\":\"Portal User\",\"Account\":\"Account\",\"Contact\":\"Contact\",\"Lead\":\"Lead\",\"Target\":\"Target\",\"Opportunity\":\"Opportunity\",\"Meeting\":\"Meeting\",\"Calendar\":\"Calendar\",\"Call\":\"Call\",\"Task\":\"Task\",\"Case\":\"Case\",\"Document\":\"Document\",\"DocumentFolder\":\"Document Folder\",\"Campaign\":\"Campaign\",\"TargetList\":\"Target List\",\"MassEmail\":\"Mass Email\",\"EmailQueueItem\":\"Email Queue Item\",\"CampaignTrackingUrl\":\"Tracking URL\",\"Activities\":\"Activities\",\"KnowledgeBaseArticle\":\"Knowledge Base Article\",\"KnowledgeBaseCategory\":\"Knowledge Base Category\",\"CampaignLogRecord\":\"Campaign Log Record\",\"Workflow\":\"Workflow\",\"Report\":\"Report\",\"Product\":\"Product\",\"ProductCategory\":\"Product Category\",\"ProductBrand\":\"Product Brand\",\"Quote\":\"Quote\",\"QuoteItem\":\"Quote Item\",\"Tax\":\"Tax\",\"ShippingProvider\":\"Shipping Provider\",\"OpportunityItem\":\"Opportunity Item\",\"MailChimpCampaign\":\"MailChimp Campaign\",\"MailChimpList\":\"MailChimp List\",\"MailChimpListGroup\":\"MailChimp List Group\",\"WorkflowLogRecord\":\"Workflow Log Record\",\"GoogleCalendar\":\"Google Calendar\",\"GoogleContacts\":\"Google Contacts\"},\"scopeNamesPlural\":{\"Email\":\"Emails\",\"User\":\"Users\",\"Team\":\"Teams\",\"Role\":\"Roles\",\"EmailTemplate\":\"Email Templates\",\"EmailAccount\":\"Personal Email Accounts\",\"EmailAccountScope\":\"Personal Email Accounts\",\"OutboundEmail\":\"Outbound Emails\",\"ScheduledJob\":\"Scheduled Jobs\",\"ExternalAccount\":\"External Accounts\",\"Extension\":\"Extensions\",\"Dashboard\":\"Dashboard\",\"InboundEmail\":\"Group Email Accounts\",\"Stream\":\"Stream\",\"Import\":\"Import Results\",\"Template\":\"Templates\",\"Job\":\"Jobs\",\"EmailFilter\":\"Email Filters\",\"Portal\":\"Portals\",\"PortalRole\":\"Portal Roles\",\"Attachment\":\"Attachments\",\"EmailFolder\":\"Email Folders\",\"PortalUser\":\"Portal Users\",\"Account\":\"Accounts\",\"Contact\":\"Contacts\",\"Lead\":\"Leads\",\"Target\":\"Targets\",\"Opportunity\":\"Opportunities\",\"Meeting\":\"Meetings\",\"Calendar\":\"Calendar\",\"Call\":\"Calls\",\"Task\":\"Tasks\",\"Case\":\"Cases\",\"Document\":\"Documents\",\"DocumentFolder\":\"Document Folders\",\"Campaign\":\"Campaigns\",\"TargetList\":\"Target Lists\",\"MassEmail\":\"Mass Emails\",\"EmailQueueItem\":\"Email Queue Items\",\"CampaignTrackingUrl\":\"Tracking URLs\",\"Activities\":\"Activities\",\"KnowledgeBaseArticle\":\"Knowledge Base\",\"KnowledgeBaseCategory\":\"Knowledge Base Categories\",\"CampaignLogRecord\":\"Campaign Log Records\",\"Workflow\":\"Workflows\",\"Report\":\"Reports\",\"Product\":\"Products\",\"ProductCategory\":\"Product Categories\",\"Quote\":\"Quotes\",\"QuoteItem\":\"Quote Items\",\"Tax\":\"Taxes\",\"ShippingProvider\":\"Shipping Providers\",\"OpportunityItem\":\"Opportunity Items\",\"ProductBrand\":\"Product Brands\",\"MailChimpCampaign\":\"MailChimp Campaigns\",\"MailChimpList\":\"MailChimp Lists\",\"MailChimpListGroup\":\"MailChimp List Groups\",\"WorkflowLogRecord\":\"Workflows Log\",\"GoogleCalendar\":\"Google Calendar\",\"GoogleContacts\":\"Google Contacts\"},\"labels\":{\"Misc\":\"Misc\",\"Merge\":\"Merge\",\"None\":\"None\",\"Home\":\"Home\",\"by\":\"by\",\"Saved\":\"Saved\",\"Error\":\"Error\",\"Select\":\"Select\",\"Not valid\":\"Not valid\",\"Please wait...\":\"Please wait...\",\"Please wait\":\"Please wait\",\"Loading...\":\"Loading...\",\"Uploading...\":\"Uploading...\",\"Sending...\":\"Sending...\",\"Merging...\":\"Merging...\",\"Merged\":\"Merged\",\"Removed\":\"Removed\",\"Posted\":\"Posted\",\"Linked\":\"Linked\",\"Unlinked\":\"Unlinked\",\"Done\":\"Done\",\"Access denied\":\"Access denied\",\"Not found\":\"Not found\",\"Access\":\"Access\",\"Are you sure?\":\"Are you sure?\",\"Record has been removed\":\"Record has been removed\",\"Wrong username\\/password\":\"Wrong username\\/password\",\"Post cannot be empty\":\"Post cannot be empty\",\"Removing...\":\"Removing...\",\"Unlinking...\":\"Unlinking...\",\"Posting...\":\"Posting...\",\"Username can not be empty!\":\"Username can not be empty!\",\"Cache is not enabled\":\"Cache is not enabled\",\"Cache has been cleared\":\"Cache has been cleared\",\"Rebuild has been done\":\"Rebuild has been done\",\"Saving...\":\"Saving...\",\"Modified\":\"Modified\",\"Created\":\"Created\",\"Create\":\"Create\",\"create\":\"create\",\"Overview\":\"Overview\",\"Details\":\"Details\",\"Add Field\":\"Add Field\",\"Add Dashlet\":\"Add Dashlet\",\"Filter\":\"Filter\",\"Edit Dashboard\":\"Edit Dashboard\",\"Add\":\"Add\",\"Add Item\":\"Add Item\",\"Reset\":\"Reset\",\"Menu\":\"Menu\",\"More\":\"More\",\"Search\":\"Search\",\"Only My\":\"Only My\",\"Open\":\"Open\",\"Admin\":\"Admin\",\"About\":\"About\",\"Refresh\":\"Refresh\",\"Remove\":\"Remove\",\"Options\":\"Options\",\"Username\":\"Username\",\"Password\":\"Password\",\"Login\":\"Login\",\"Log Out\":\"Log Out\",\"Preferences\":\"Preferences\",\"State\":\"State\",\"Street\":\"Street\",\"Country\":\"Country\",\"City\":\"City\",\"PostalCode\":\"Postal Code\",\"Followed\":\"Followed\",\"Follow\":\"Follow\",\"Followers\":\"Followers\",\"Clear Local Cache\":\"Clear Local Cache\",\"Actions\":\"Actions\",\"Delete\":\"Delete\",\"Update\":\"Update\",\"Save\":\"Save\",\"Edit\":\"Edit\",\"View\":\"View\",\"Cancel\":\"Cancel\",\"Apply\":\"Apply\",\"Unlink\":\"Unlink\",\"Mass Update\":\"Mass Update\",\"Export\":\"Export\",\"No Data\":\"No Data\",\"No Access\":\"No Access\",\"All\":\"All\",\"Active\":\"Active\",\"Inactive\":\"Inactive\",\"Write your comment here\":\"Write your comment here\",\"Post\":\"Post\",\"Stream\":\"Stream\",\"Show more\":\"Show more\",\"Dashlet Options\":\"Dashlet Options\",\"Full Form\":\"Full Form\",\"Insert\":\"Insert\",\"Person\":\"Person\",\"First Name\":\"First Name\",\"Last Name\":\"Last Name\",\"Original\":\"Original\",\"You\":\"You\",\"you\":\"you\",\"change\":\"change\",\"Change\":\"Change\",\"Primary\":\"Primary\",\"Save Filter\":\"Save Filter\",\"Administration\":\"Administration\",\"Run Import\":\"Run Import\",\"Duplicate\":\"Duplicate\",\"Notifications\":\"Notifications\",\"Mark all read\":\"Mark all read\",\"See more\":\"See more\",\"Today\":\"Today\",\"Tomorrow\":\"Tomorrow\",\"Yesterday\":\"Yesterday\",\"Submit\":\"Submit\",\"Close\":\"Close\",\"Yes\":\"Yes\",\"No\":\"No\",\"Select All Results\":\"Select All Results\",\"Value\":\"Value\",\"Current version\":\"Current version\",\"List View\":\"List View\",\"Tree View\":\"Tree View\",\"Unlink All\":\"Unlink All\",\"Total\":\"Total\",\"Print to PDF\":\"Print to PDF\",\"Default\":\"Default\",\"Number\":\"Number\",\"From\":\"From\",\"To\":\"To\",\"Create Post\":\"Create Post\",\"Previous Entry\":\"Previous Entry\",\"Next Entry\":\"Next Entry\",\"View List\":\"View List\",\"Attach File\":\"Attach File\",\"Skip\":\"Skip\",\"Attribute\":\"Attribute\",\"Function\":\"Function\",\"Self-Assign\":\"Self-Assign\",\"Self-Assigned\":\"Self-Assigned\",\"Create InboundEmail\":\"Create Inbound Email\",\"Activities\":\"Activities\",\"History\":\"History\",\"Attendees\":\"Attendees\",\"Schedule Meeting\":\"Schedule Meeting\",\"Schedule Call\":\"Schedule Call\",\"Compose Email\":\"Compose Email\",\"Log Meeting\":\"Log Meeting\",\"Log Call\":\"Log Call\",\"Archive Email\":\"Archive Email\",\"Create Task\":\"Create Task\",\"Tasks\":\"Tasks\"},\"messages\":{\"pleaseWait\":\"Please wait...\",\"posting\":\"Posting...\",\"confirmLeaveOutMessage\":\"Are you sure you want to leave the form?\",\"notModified\":\"You have not modified the record\",\"duplicate\":\"The record you are creating might already exist\",\"dropToAttach\":\"Drop to attach\",\"fieldIsRequired\":\"{field} is required\",\"fieldShouldBeEmail\":\"{field} should be a valid email\",\"fieldShouldBeFloat\":\"{field} should be a valid float\",\"fieldShouldBeInt\":\"{field} should be a valid integer\",\"fieldShouldBeDate\":\"{field} should be a valid date\",\"fieldShouldBeDatetime\":\"{field} should be a valid date\\/time\",\"fieldShouldAfter\":\"{field} should be after {otherField}\",\"fieldShouldBefore\":\"{field} should be before {otherField}\",\"fieldShouldBeBetween\":\"{field} should be between {min} and {max}\",\"fieldShouldBeLess\":\"{field} should be less then {value}\",\"fieldShouldBeGreater\":\"{field} should be greater then {value}\",\"fieldBadPasswordConfirm\":\"{field} not confirmed properly\",\"resetPreferencesDone\":\"Preferences has been reset to defaults\",\"confirmation\":\"Are you sure?\",\"unlinkAllConfirmation\":\"Are you sure you want to unlink all related records?\",\"resetPreferencesConfirmation\":\"Are you sure you want to reset preferences to defaults?\",\"removeRecordConfirmation\":\"Are you sure you want to remove the record?\",\"unlinkRecordConfirmation\":\"Are you sure you want to unlink the related record?\",\"removeSelectedRecordsConfirmation\":\"Are you sure you want to remove selected records?\",\"massUpdateResult\":\"{count} records have been updated\",\"massUpdateResultSingle\":\"{count} record has been updated\",\"noRecordsUpdated\":\"No records were updated\",\"massRemoveResult\":\"{count} records have been removed\",\"massRemoveResultSingle\":\"{count} record has been removed\",\"noRecordsRemoved\":\"No records were removed\",\"clickToRefresh\":\"Click to refresh\",\"streamPostInfo\":\"Type @username<\\/strong> to mention users in the post.\\n\\nAvailable markdown syntax:\\n`code<\\/code>`\\n**strong text<\\/strong>**\\n*emphasized text<\\/em>*\\n~deleted text<\\/del>~\\n> blockquote\\n[link text](url)\",\"writeYourCommentHere\":\"Write your comment here\",\"writeMessageToUser\":\"Write a message to {user}\",\"writeMessageToSelf\":\"Write a message on your stream\",\"typeAndPressEnter\":\"Type & press enter\",\"checkForNewNotifications\":\"Check for new notifications\",\"checkForNewNotes\":\"Check for stream updates\",\"internalPost\":\"Post will be seen only by internal users\",\"internalPostTitle\":\"Post is seen only by internal users\",\"done\":\"Done\",\"confirmMassFollow\":\"Are you sure you want to follow selected records?\",\"confirmMassUnfollow\":\"Are you sure you want to unfollow selected records?\",\"massFollowResult\":\"{count} records now are followed\",\"massUnfollowResult\":\"{count} records now are not followed\",\"massFollowResultSingle\":\"{count} record now is followed\",\"massUnfollowResultSingle\":\"{count} record now is not followed\",\"massFollowZeroResult\":\"Nothing got followed\",\"massUnfollowZeroResult\":\"Nothing got unfollowed\"},\"boolFilters\":{\"onlyMy\":\"Only My\",\"followed\":\"Followed\"},\"presetFilters\":{\"followed\":\"Followed\",\"all\":\"All\"},\"massActions\":{\"remove\":\"Remove\",\"merge\":\"Merge\",\"massUpdate\":\"Mass Update\",\"export\":\"Export\",\"follow\":\"Follow\",\"unfollow\":\"Unfollow\"},\"fields\":{\"name\":\"Name\",\"firstName\":\"First Name\",\"lastName\":\"Last Name\",\"salutationName\":\"Salutation\",\"assignedUser\":\"Assigned User\",\"assignedUsers\":\"Assigned Users\",\"emailAddress\":\"Email\",\"assignedUserName\":\"Assigned User Name\",\"teams\":\"Teams\",\"createdAt\":\"Created At\",\"modifiedAt\":\"Modified At\",\"createdBy\":\"Created By\",\"modifiedBy\":\"Modified By\",\"description\":\"Description\",\"address\":\"Address\",\"phoneNumber\":\"Phone\",\"phoneNumberMobile\":\"Phone (Mobile)\",\"phoneNumberHome\":\"Phone (Home)\",\"phoneNumberFax\":\"Phone (Fax)\",\"phoneNumberOffice\":\"Phone (Office)\",\"phoneNumberOther\":\"Phone (Other)\",\"order\":\"Order\",\"parent\":\"Parent\",\"children\":\"Children\",\"id\":\"ID\",\"billingAddressCity\":\"City\",\"billingAddressCountry\":\"Country\",\"billingAddressPostalCode\":\"Postal Code\",\"billingAddressState\":\"State\",\"billingAddressStreet\":\"Street\",\"billingAddressMap\":\"Map\",\"addressCity\":\"City\",\"addressStreet\":\"Street\",\"addressCountry\":\"Country\",\"addressState\":\"State\",\"addressPostalCode\":\"Postal Code\",\"addressMap\":\"Map\",\"shippingAddressCity\":\"City (Shipping)\",\"shippingAddressStreet\":\"Street (Shipping)\",\"shippingAddressCountry\":\"Country (Shipping)\",\"shippingAddressState\":\"State (Shipping)\",\"shippingAddressPostalCode\":\"Postal Code (Shipping)\",\"shippingAddressMap\":\"Map (Shipping)\"},\"links\":{\"assignedUser\":\"Assigned User\",\"createdBy\":\"Created By\",\"modifiedBy\":\"Modified By\",\"team\":\"Team\",\"roles\":\"Roles\",\"teams\":\"Teams\",\"users\":\"Users\",\"parent\":\"Parent\",\"children\":\"Children\",\"contacts\":\"Contacts\",\"opportunities\":\"Opportunities\",\"leads\":\"Leads\",\"meetings\":\"Meetings\",\"calls\":\"Calls\",\"tasks\":\"Tasks\",\"emails\":\"Emails\",\"accounts\":\"Accounts\",\"cases\":\"Cases\",\"documents\":\"Documents\",\"account\":\"Account\",\"opportunity\":\"Opportunity\",\"contact\":\"Contact\"},\"dashlets\":{\"Stream\":\"Stream\",\"Emails\":\"My Inbox\",\"Leads\":\"My Leads\",\"Opportunities\":\"My Opportunities\",\"Tasks\":\"My Tasks\",\"Cases\":\"My Cases\",\"Calendar\":\"Calendar\",\"Calls\":\"My Calls\",\"Meetings\":\"My Meetings\",\"OpportunitiesByStage\":\"Opportunities by Stage\",\"OpportunitiesByLeadSource\":\"Opportunities by Lead Source\",\"SalesByMonth\":\"Sales by Month\",\"SalesPipeline\":\"Sales Pipeline\",\"Activities\":\"My Activities\"},\"notificationMessages\":{\"assign\":\"{entityType} {entity} has been assigned to you\",\"emailReceived\":\"Email received from {from}\",\"entityRemoved\":\"{user} removed {entityType} {entity}\"},\"streamMessages\":{\"post\":\"{user} posted on {entityType} {entity}\",\"attach\":\"{user} attached on {entityType} {entity}\",\"status\":\"{user} updated {field} of {entityType} {entity}\",\"update\":\"{user} updated {entityType} {entity}\",\"postTargetTeam\":\"{user} posted to team {target}\",\"postTargetTeams\":\"{user} posted to teams {target}\",\"postTargetPortal\":\"{user} posted to portal {target}\",\"postTargetPortals\":\"{user} posted to portals {target}\",\"postTarget\":\"{user} posted to {target}\",\"postTargetYou\":\"{user} posted to you\",\"postTargetYouAndOthers\":\"{user} posted to {target} and you\",\"postTargetAll\":\"{user} posted to all\",\"postTargetSelf\":\"{user} self-posted\",\"postTargetSelfAndOthers\":\"{user} posted to {target} and themself\",\"mentionInPost\":\"{user} mentioned {mentioned} in {entityType} {entity}\",\"mentionYouInPost\":\"{user} mentioned you in {entityType} {entity}\",\"mentionInPostTarget\":\"{user} mentioned {mentioned} in post\",\"mentionYouInPostTarget\":\"{user} mentioned you in post to {target}\",\"mentionYouInPostTargetAll\":\"{user} mentioned you in post to all\",\"mentionYouInPostTargetNoTarget\":\"{user} mentioned you in post\",\"create\":\"{user} created {entityType} {entity}\",\"createThis\":\"{user} created this {entityType}\",\"createAssignedThis\":\"{user} created this {entityType} assigned to {assignee}\",\"createAssigned\":\"{user} created {entityType} {entity} assigned to {assignee}\",\"createAssignedYou\":\"{user} created {entityType} {entity} assigned to you\",\"createAssignedThisSelf\":\"{user} created this {entityType} self-assigned\",\"createAssignedSelf\":\"{user} created {entityType} {entity} self-assigned\",\"assign\":\"{user} assigned {entityType} {entity} to {assignee}\",\"assignThis\":\"{user} assigned this {entityType} to {assignee}\",\"assignYou\":\"{user} assigned {entityType} {entity} to you\",\"assignThisVoid\":\"{user} unassigned this {entityType}\",\"assignVoid\":\"{user} unassigned {entityType} {entity}\",\"assignThisSelf\":\"{user} self-assigned this {entityType}\",\"assignSelf\":\"{user} self-assigned {entityType} {entity}\",\"postThis\":\"{user} posted\",\"attachThis\":\"{user} attached\",\"statusThis\":\"{user} updated {field}\",\"updateThis\":\"{user} updated this {entityType}\",\"createRelatedThis\":\"{user} created {relatedEntityType} {relatedEntity} related to this {entityType}\",\"createRelated\":\"{user} created {relatedEntityType} {relatedEntity} related to {entityType} {entity}\",\"relate\":\"{user} linked {relatedEntityType} {relatedEntity} with {entityType} {entity}\",\"relateThis\":\"{user} linked {relatedEntityType} {relatedEntity} with this {entityType}\",\"emailReceivedFromThis\":\"Email received from {from}\",\"emailReceivedInitialFromThis\":\"Email received from {from}, this {entityType} created\",\"emailReceivedThis\":\"Email received\",\"emailReceivedInitialThis\":\"Email received, this {entityType} created\",\"emailReceivedFrom\":\"Email received from {from}, related to {entityType} {entity}\",\"emailReceivedFromInitial\":\"Email received from {from}, {entityType} {entity} created\",\"emailReceived\":\"Email received related to {entityType} {entity}\",\"emailReceivedInitial\":\"Email received: {entityType} {entity} created\",\"emailReceivedInitialFrom\":\"Email received from {from}, {entityType} {entity} created\",\"emailSent\":\"{by} sent email related to {entityType} {entity}\",\"emailSentThis\":\"{by} sent email\"},\"streamMessagesMale\":{\"postTargetSelfAndOthers\":\"{user} posted to {target} and himself\"},\"streamMessagesFemale\":{\"postTargetSelfAndOthers\":\"{user} posted to {target} and herself\"},\"lists\":{\"monthNames\":[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"],\"monthNamesShort\":[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],\"dayNames\":[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"],\"dayNamesShort\":[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],\"dayNamesMin\":[\"Su\",\"Mo\",\"Tu\",\"We\",\"Th\",\"Fr\",\"Sa\"]},\"options\":{\"salutationName\":{\"Mr.\":\"Mr.\",\"Mrs.\":\"Mrs.\",\"Ms.\":\"Ms.\",\"Dr.\":\"Dr.\"},\"language\":{\"af_ZA\":\"Afrikaans\",\"az_AZ\":\"Azerbaijani\",\"be_BY\":\"Belarusian\",\"bg_BG\":\"Bulgarian\",\"bn_IN\":\"Bengali\",\"bs_BA\":\"Bosnian\",\"ca_ES\":\"Catalan\",\"cs_CZ\":\"Czech\",\"cy_GB\":\"Welsh\",\"da_DK\":\"Danish\",\"de_DE\":\"German\",\"el_GR\":\"Greek\",\"en_GB\":\"English (UK)\",\"en_US\":\"English (US)\",\"es_ES\":\"Spanish (Spain)\",\"et_EE\":\"Estonian\",\"eu_ES\":\"Basque\",\"fa_IR\":\"Persian\",\"fi_FI\":\"Finnish\",\"fo_FO\":\"Faroese\",\"fr_CA\":\"French (Canada)\",\"fr_FR\":\"French (France)\",\"ga_IE\":\"Irish\",\"gl_ES\":\"Galician\",\"gn_PY\":\"Guarani\",\"he_IL\":\"Hebrew\",\"hi_IN\":\"Hindi\",\"hr_HR\":\"Croatian\",\"hu_HU\":\"Hungarian\",\"hy_AM\":\"Armenian\",\"id_ID\":\"Indonesian\",\"is_IS\":\"Icelandic\",\"it_IT\":\"Italian\",\"ja_JP\":\"Japanese\",\"ka_GE\":\"Georgian\",\"km_KH\":\"Khmer\",\"ko_KR\":\"Korean\",\"ku_TR\":\"Kurdish\",\"lt_LT\":\"Lithuanian\",\"lv_LV\":\"Latvian\",\"mk_MK\":\"Macedonian\",\"ml_IN\":\"Malayalam\",\"ms_MY\":\"Malay\",\"nb_NO\":\"Norwegian Bokm\\u00e5l\",\"nn_NO\":\"Norwegian Nynorsk\",\"ne_NP\":\"Nepali\",\"nl_NL\":\"Dutch\",\"pa_IN\":\"Punjabi\",\"pl_PL\":\"Polish\",\"ps_AF\":\"Pashto\",\"pt_BR\":\"Portuguese (Brazil)\",\"pt_PT\":\"Portuguese (Portugal)\",\"ro_RO\":\"Romanian\",\"ru_RU\":\"Russian\",\"sk_SK\":\"Slovak\",\"sl_SI\":\"Slovene\",\"sq_AL\":\"Albanian\",\"sr_RS\":\"Serbian\",\"sv_SE\":\"Swedish\",\"sw_KE\":\"Swahili\",\"ta_IN\":\"Tamil\",\"te_IN\":\"Telugu\",\"th_TH\":\"Thai\",\"tl_PH\":\"Tagalog\",\"tr_TR\":\"Turkish\",\"uk_UA\":\"Ukrainian\",\"ur_PK\":\"Urdu\",\"vi_VN\":\"Vietnamese\",\"zh_CN\":\"Simplified Chinese (China)\",\"zh_HK\":\"Traditional Chinese (Hong Kong)\",\"zh_TW\":\"Traditional Chinese (Taiwan)\"},\"dateSearchRanges\":{\"on\":\"On\",\"notOn\":\"Not On\",\"after\":\"After\",\"before\":\"Before\",\"between\":\"Between\",\"today\":\"Today\",\"past\":\"Past\",\"future\":\"Future\",\"currentMonth\":\"Current Month\",\"lastMonth\":\"Last Month\",\"currentQuarter\":\"Current Quarter\",\"lastQuarter\":\"Last Quarter\",\"currentYear\":\"Current Year\",\"lastYear\":\"Last Year\",\"lastSevenDays\":\"Last 7 Days\",\"lastXDays\":\"Last X Days\",\"nextXDays\":\"Next X Days\",\"ever\":\"Ever\",\"isEmpty\":\"Is Empty\",\"olderThanXDays\":\"Older Than X Days\",\"afterXDays\":\"After X Days\"},\"searchRanges\":{\"is\":\"Is\",\"isEmpty\":\"Is Empty\",\"isNotEmpty\":\"Is Not Empty\",\"isOneOf\":\"Is One Of\",\"isFromTeams\":\"Is From Team\"},\"varcharSearchRanges\":{\"equals\":\"Equals\",\"like\":\"Is Like (%)\",\"startsWith\":\"Starts With\",\"endsWith\":\"Ends With\",\"contains\":\"Contains\",\"isEmpty\":\"Is Empty\",\"isNotEmpty\":\"Is Not Empty\"},\"intSearchRanges\":{\"equals\":\"Equals\",\"notEquals\":\"Not Equals\",\"greaterThan\":\"Greater Than\",\"lessThan\":\"Less Than\",\"greaterThanOrEquals\":\"Greater Than or Equals\",\"lessThanOrEquals\":\"Less Than or Equals\",\"between\":\"Between\",\"isEmpty\":\"Is Empty\",\"isNotEmpty\":\"Is Not Empty\"},\"autorefreshInterval\":{\"0\":\"None\",\"0.5\":\"30 seconds\",\"1\":\"1 minute\",\"2\":\"2 minutes\",\"5\":\"5 minutes\",\"10\":\"10 minutes\"},\"phoneNumber\":{\"Mobile\":\"Mobile\",\"Office\":\"Office\",\"Fax\":\"Fax\",\"Home\":\"Home\",\"Other\":\"Other\"},\"reminderTypes\":{\"Popup\":\"Popup\",\"Email\":\"Email\"}},\"sets\":{\"summernote\":{\"NOTICE\":\"You can find translation here: https:\\/\\/github.com\\/HackerWins\\/summernote\\/tree\\/master\\/lang\",\"font\":{\"bold\":\"Bold\",\"italic\":\"Italic\",\"underline\":\"Underline\",\"strike\":\"Strike\",\"clear\":\"Remove Font Style\",\"height\":\"Line Height\",\"name\":\"Font Family\",\"size\":\"Font Size\"},\"image\":{\"image\":\"Picture\",\"insert\":\"Insert Image\",\"resizeFull\":\"Resize Full\",\"resizeHalf\":\"Resize Half\",\"resizeQuarter\":\"Resize Quarter\",\"floatLeft\":\"Float Left\",\"floatRight\":\"Float Right\",\"floatNone\":\"Float None\",\"dragImageHere\":\"Drag an image here\",\"selectFromFiles\":\"Select from files\",\"url\":\"Image URL\",\"remove\":\"Remove Image\"},\"link\":{\"link\":\"Link\",\"insert\":\"Insert Link\",\"unlink\":\"Unlink\",\"edit\":\"Edit\",\"textToDisplay\":\"Text to display\",\"url\":\"To what URL should this link go?\",\"openInNewWindow\":\"Open in new window\"},\"video\":{\"video\":\"Video\",\"videoLink\":\"Video Link\",\"insert\":\"Insert Video\",\"url\":\"Video URL?\",\"providers\":\"(YouTube, Vimeo, Vine, Instagram, or DailyMotion)\"},\"table\":{\"table\":\"Table\"},\"hr\":{\"insert\":\"Insert Horizontal Rule\"},\"style\":{\"style\":\"Style\",\"normal\":\"Normal\",\"blockquote\":\"Quote\",\"pre\":\"Code\",\"h1\":\"Header 1\",\"h2\":\"Header 2\",\"h3\":\"Header 3\",\"h4\":\"Header 4\",\"h5\":\"Header 5\",\"h6\":\"Header 6\"},\"lists\":{\"unordered\":\"Unordered list\",\"ordered\":\"Ordered list\"},\"options\":{\"help\":\"Help\",\"fullscreen\":\"Full Screen\",\"codeview\":\"Code View\"},\"paragraph\":{\"paragraph\":\"Paragraph\",\"outdent\":\"Outdent\",\"indent\":\"Indent\",\"left\":\"Align left\",\"center\":\"Align center\",\"right\":\"Align right\",\"justify\":\"Justify full\"},\"color\":{\"recent\":\"Recent Color\",\"more\":\"More Color\",\"background\":\"BackColor\",\"foreground\":\"FontColor\",\"transparent\":\"Transparent\",\"setTransparent\":\"Set transparent\",\"reset\":\"Reset\",\"resetToDefault\":\"Reset to default\"},\"shortcut\":{\"shortcuts\":\"Keyboard shortcuts\",\"close\":\"Close\",\"textFormatting\":\"Text formatting\",\"action\":\"Action\",\"paragraphFormatting\":\"Paragraph formatting\",\"documentStyle\":\"Document Style\"},\"history\":{\"undo\":\"Undo\",\"redo\":\"Redo\"}}},\"themes\":{\"Espo\":\"Espo\",\"EspoRtl\":\"RTL Espo\",\"Sakura\":\"Sakura\",\"EspoVertical\":\"Espo w\\/ sidebar\",\"SakuraVertical\":\"Sakura w\\/ sidebar\",\"Violet\":\"Violet\",\"VioletVertical\":\"Violet w\\/ sidebar\",\"Hazyblue\":\"Hazyblue\",\"HazyblueVertical\":\"Hazyblue w\\/ sidebar\"}},\"Import\":{\"labels\":{\"Revert Import\":\"Revert Import\",\"Return to Import\":\"Return to Import\",\"Run Import\":\"Run Import\",\"Back\":\"Back\",\"Field Mapping\":\"Field Mapping\",\"Default Values\":\"Default Values\",\"Add Field\":\"Add Field\",\"Created\":\"Created\",\"Updated\":\"Updated\",\"Result\":\"Result\",\"Show records\":\"Show records\",\"Remove Duplicates\":\"Remove Duplicates\",\"importedCount\":\"Imported (count)\",\"duplicateCount\":\"Duplicates (count)\",\"updatedCount\":\"Updated (count)\",\"Create Only\":\"Create Only\",\"Create and Update\":\"Create & Update\",\"Update Only\":\"Update Only\",\"Update by\":\"Update by\",\"Set as Not Duplicate\":\"Set as Not Duplicate\",\"File (CSV)\":\"File (CSV)\",\"First Row Value\":\"First Row Value\",\"Skip\":\"Skip\",\"Header Row Value\":\"Header Row Value\",\"Field\":\"Field\",\"What to Import?\":\"What to Import?\",\"Entity Type\":\"Entity Type\",\"What to do?\":\"What to do?\",\"Properties\":\"Properties\",\"Header Row\":\"Header Row\",\"Person Name Format\":\"Person Name Format\",\"John Smith\":\"John Smith\",\"Smith John\":\"Smith John\",\"Smith, John\":\"Smith, John\",\"Field Delimiter\":\"Field Delimiter\",\"Date Format\":\"Date Format\",\"Decimal Mark\":\"Decimal Mark\",\"Text Qualifier\":\"Text Qualifier\",\"Time Format\":\"Time Format\",\"Currency\":\"Currency\",\"Preview\":\"Preview\",\"Next\":\"Next\",\"Step 1\":\"Step 1\",\"Step 2\":\"Step 2\",\"Double Quote\":\"Double Quote\",\"Single Quote\":\"Single Quote\",\"Imported\":\"Imported\",\"Duplicates\":\"Duplicates\",\"Skip searching for duplicates\":\"Skip searching for duplicates\",\"Timezone\":\"Timezone\"},\"messages\":{\"utf8\":\"Should be UTF-8 encoded\",\"duplicatesRemoved\":\"Duplicates removed\",\"inIdle\":\"Execute in idle (for big data; via cron)\"},\"fields\":{\"file\":\"File\",\"entityType\":\"Entity Type\",\"imported\":\"Imported Records\",\"duplicates\":\"Duplicate Records\",\"updated\":\"Updated Records\",\"status\":\"Status\"},\"options\":{\"status\":{\"Failed\":\"Failed\",\"In Process\":\"In Process\",\"Complete\":\"Complete\"}}},\"InboundEmail\":{\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email Address\",\"team\":\"Target Team\",\"status\":\"Status\",\"assignToUser\":\"Assign to User\",\"host\":\"Host\",\"username\":\"Username\",\"password\":\"Password\",\"port\":\"Port\",\"monitoredFolders\":\"Monitored Folders\",\"trashFolder\":\"Trash Folder\",\"ssl\":\"SSL\",\"createCase\":\"Create Case\",\"reply\":\"Auto-Reply\",\"caseDistribution\":\"Case Distribution\",\"replyEmailTemplate\":\"Reply Email Template\",\"replyFromAddress\":\"Reply From Address\",\"replyToAddress\":\"Reply To Address\",\"replyFromName\":\"Reply From Name\",\"targetUserPosition\":\"Target User Position\",\"fetchSince\":\"Fetch Since\",\"addAllTeamUsers\":\"For all team users\",\"teams\":\"Teams\"},\"tooltips\":{\"reply\":\"Notify email senders that their emails has been received.\\n\\n Only one email will be sent to a particular recipient during some period of time to prevent looping.\",\"createCase\":\"Automatically create case from incoming emails.\",\"replyToAddress\":\"Specify email address of this mailbox to make responses come here.\",\"caseDistribution\":\"How cases will be assigned to. Assigned directly to the user or among the team.\",\"assignToUser\":\"User cases will be assigned to.\",\"team\":\"Team cases will be assigned to.\",\"teams\":\"Teams emails will be assigned to.\",\"targetUserPosition\":\"Users with specified position will be distributed with cases.\",\"addAllTeamUsers\":\"Emails will be appearing in Inbox of all users of specified teams.\"},\"links\":{\"filters\":\"Filters\",\"emails\":\"Emails\"},\"options\":{\"status\":{\"Active\":\"Active\",\"Inactive\":\"Inactive\"},\"caseDistribution\":{\"\":\"None\",\"Direct-Assignment\":\"Direct-Assignment\",\"Round-Robin\":\"Round-Robin\",\"Least-Busy\":\"Least-Busy\"}},\"labels\":{\"Create InboundEmail\":\"Create Email Account\",\"IMAP\":\"IMAP\",\"Actions\":\"Actions\",\"Main\":\"Main\"},\"messages\":{\"couldNotConnectToImap\":\"Could not connect to IMAP server\"}},\"Integration\":{\"fields\":{\"enabled\":\"Enabled\",\"clientId\":\"Client ID\",\"clientSecret\":\"Client Secret\",\"redirectUri\":\"Redirect URI\",\"apiKey\":\"API Key\",\"createEmails\":\"Fetch sent Emails\",\"markEmailsOptedOut\":\"Mark email addresses as Opted Out for Unsubscribed Recipients\",\"hardBouncedAction\":\"Hard Bounced Handling\",\"googleCalendar\":\"Calendar\",\"googleContacts\":\"Contacts\",\"googleTasks\":\"Tasks\",\"logSyncDurationDays\":\"Log\\/Activity sync duration (days)\"},\"titles\":{\"GoogleMaps\":\"Google Maps\"},\"messages\":{\"selectIntegration\":\"Select an integration from menu.\",\"noIntegrations\":\"No Integrations is available.\"},\"help\":{\"Google\":\"

Obtain OAuth 2.0 credentials from the Google Developers Console.<\\/b><\\/p>

Visit Google Developers Console<\\/a> to obtain OAuth 2.0 credentials such as a Client ID and Client Secret that are known to both Google and EspoCRM application.<\\/p>

This integration requires curl<\\/b> extension. Google Contacts also needs libxml<\\/b> and xml<\\/b><\\/p>\",\"GoogleMaps\":\"

Obtain API key here<\\/a>.<\\/p>\",\"MailChimp\":\"

MailChimp Configuration<\\/b><\\/p>

You can get your API Key in your MailChimp Account, in Extras tab select API keys, or click here<\\/a><\\/p>\"},\"options\":{\"hardBouncedAction\":{\"setAsInvalid\":\"Set Email Address as Invalid\",\"removeFromList\":\"Remove from List\",\"setAsInvalidAndRemove\":\"Both of Actions\"}},\"tooltips\":{\"createEmails\":\"Fetch sent emails from MailChimp and relate to your Recipients in EspoCRM. Recommendation: Do not fetch emails if you use big recipient lists.\",\"logSyncDurationDays\":\"Number of days after campaign sent date activity will be synced.\"}},\"Job\":{\"fields\":{\"status\":\"Status\",\"executeTime\":\"Execute At\",\"attempts\":\"Attempts Left\",\"failedAttempts\":\"Failed Attempts\",\"serviceName\":\"Service\",\"method\":\"Method\",\"scheduledJob\":\"Scheduled Job\",\"data\":\"Data\"},\"options\":{\"status\":{\"Pending\":\"Pending\",\"Success\":\"Success\",\"Running\":\"Running\",\"Failed\":\"Failed\"}}},\"LayoutManager\":{\"fields\":{\"width\":\"Width (%)\",\"link\":\"Link\",\"notSortable\":\"Not Sortable\",\"align\":\"Align\",\"panelName\":\"Panel Name\",\"style\":\"Style\",\"sticked\":\"Sticked\"},\"options\":{\"align\":{\"left\":\"Left\",\"right\":\"Right\"},\"style\":{\"default\":\"Default\",\"success\":\"Success\",\"danger\":\"Danger\",\"info\":\"Info\",\"warning\":\"Warning\",\"primary\":\"Primary\"}}},\"Note\":{\"fields\":{\"post\":\"Post\",\"attachments\":\"Attachments\",\"targetType\":\"Target\",\"teams\":\"Teams\",\"users\":\"Users\",\"portals\":\"Portals\"},\"filters\":{\"all\":\"All\",\"posts\":\"Posts\",\"updates\":\"Updates\"},\"options\":{\"targetType\":{\"self\":\"to myself\",\"users\":\"to particular user(s)\",\"teams\":\"to particular team(s)\",\"all\":\"to all internal users\",\"portals\":\"to portal users\"}},\"messages\":{\"writeMessage\":\"Write your message here\"}},\"Portal\":{\"fields\":{\"name\":\"Name\",\"logo\":\"Logo\",\"url\":\"URL\",\"portalRoles\":\"Roles\",\"isActive\":\"Is Active\",\"isDefault\":\"Is Default\",\"tabList\":\"Tab List\",\"quickCreateList\":\"Quick Create List\",\"companyLogo\":\"Logo\",\"theme\":\"Theme\",\"language\":\"Language\",\"dashboardLayout\":\"Dashboard Layout\",\"dateFormat\":\"Date Format\",\"timeFormat\":\"Time Format\",\"timeZone\":\"Time Zone\",\"weekStart\":\"First Day of Week\",\"defaultCurrency\":\"Default Currency\",\"customUrl\":\"Custom URL\",\"customId\":\"Custom ID\"},\"links\":{\"users\":\"Users\",\"portalRoles\":\"Roles\",\"notes\":\"Notes\",\"articles\":\"Knowledge Base Articles\"},\"tooltips\":{\"portalRoles\":\"Specified Portal Roles will be applied to all users of this portal.\"},\"labels\":{\"Create Portal\":\"Create Portal\",\"User Interface\":\"User Interface\",\"General\":\"General\",\"Settings\":\"Settings\"}},\"PortalRole\":{\"fields\":[],\"links\":{\"users\":\"Users\"},\"tooltips\":[],\"labels\":{\"Access\":\"Access\",\"Create PortalRole\":\"Create Portal Role\",\"Scope Level\":\"Scope Level\",\"Field Level\":\"Field Level\"}},\"PortalUser\":{\"labels\":{\"Create PortalUser\":\"Create Portal User\"}},\"Preferences\":{\"fields\":{\"dateFormat\":\"Date Format\",\"timeFormat\":\"Time Format\",\"timeZone\":\"Time Zone\",\"weekStart\":\"First Day of Week\",\"thousandSeparator\":\"Thousand Separator\",\"decimalMark\":\"Decimal Mark\",\"defaultCurrency\":\"Default Currency\",\"currencyList\":\"Currency List\",\"language\":\"Language\",\"smtpServer\":\"Server\",\"smtpPort\":\"Port\",\"smtpAuth\":\"Auth\",\"smtpSecurity\":\"Security\",\"smtpUsername\":\"Username\",\"emailAddress\":\"Email\",\"smtpPassword\":\"Password\",\"smtpEmailAddress\":\"Email Address\",\"exportDelimiter\":\"Export Delimiter\",\"receiveAssignmentEmailNotifications\":\"Email notifications upon assignment\",\"receiveMentionEmailNotifications\":\"Email notifications about mentions in posts\",\"receiveStreamEmailNotifications\":\"Email notifications about posts and status updates\",\"autoFollowEntityTypeList\":\"Auto-Follow\",\"signature\":\"Email Signature\",\"dashboardTabList\":\"Tab List\",\"defaultReminders\":\"Default Reminders\",\"theme\":\"Theme\",\"useCustomTabList\":\"Custom Tab List\",\"tabList\":\"Tab List\",\"emailReplyToAllByDefault\":\"Email Reply to All by Default\",\"dashboardLayout\":\"Dashboard Layout\",\"emailReplyForceHtml\":\"Email Reply in HTML\",\"doNotFillAssignedUserIfNotRequired\":\"Do not fill Assigned User if not required\",\"followEntityOnStreamPost\":\"Auto-follow entity after posting in Stream\"},\"links\":[],\"options\":{\"weekStart\":[\"Sunday\",\"Monday\"]},\"labels\":{\"Notifications\":\"Notifications\",\"User Interface\":\"User Interface\",\"SMTP\":\"SMTP\",\"Misc\":\"Misc\",\"Locale\":\"Locale\"},\"tooltips\":{\"autoFollowEntityTypeList\":\"User will automatically follow all new records of the selected entity types, will see information in the stream and receive notifications.\"}},\"Role\":{\"fields\":{\"name\":\"Name\",\"roles\":\"Roles\",\"assignmentPermission\":\"Assignment Permission\",\"userPermission\":\"User Permission\",\"portalPermission\":\"Portal Permission\"},\"links\":{\"users\":\"Users\",\"teams\":\"Teams\"},\"tooltips\":{\"assignmentPermission\":\"Allows to restrict an ability to assign records and post messages to other users.\\n\\nall - no restriction\\n\\nteam - can assign and post only to teammates\\n\\nno - can assign and post only to self\",\"userPermission\":\"Allows to restrict an ability for users to view activities, calendar and stream of other users.\\n\\nall - can view all\\n\\nteam - can view activities of teammates only\\n\\nno - can't view\",\"portalPermission\":\"Defines an access to portal information, ability to convert contacts to portal users and post messages to portal users.\"},\"labels\":{\"Access\":\"Access\",\"Create Role\":\"Create Role\",\"Scope Level\":\"Scope Level\",\"Field Level\":\"Field Level\"},\"options\":{\"accessList\":{\"not-set\":\"not-set\",\"enabled\":\"enabled\",\"disabled\":\"disabled\"},\"levelList\":{\"all\":\"all\",\"team\":\"team\",\"account\":\"account\",\"contact\":\"contact\",\"own\":\"own\",\"no\":\"no\",\"yes\":\"yes\",\"not-set\":\"not-set\"}},\"actions\":{\"read\":\"Read\",\"edit\":\"Edit\",\"delete\":\"Delete\",\"stream\":\"Stream\",\"create\":\"Create\"},\"messages\":{\"changesAfterClearCache\":\"All changes in an access control will be applied after cache is cleared.\"}},\"ScheduledJob\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"job\":\"Job\",\"scheduling\":\"Scheduling\"},\"links\":{\"log\":\"Log\"},\"labels\":{\"Create ScheduledJob\":\"Create Scheduled Job\"},\"options\":{\"job\":{\"Cleanup\":\"Clean-up\",\"CheckInboundEmails\":\"Check Group Email Accounts\",\"CheckEmailAccounts\":\"Check Personal Email Accounts\",\"SendEmailReminders\":\"Send Email Reminders\",\"AuthTokenControl\":\"Auth Token Control\",\"SendEmailNotifications\":\"Send Email Notifications\",\"ProcessMassEmail\":\"Send Mass Emails\",\"ControlKnowledgeBaseArticleStatus\":\"Control Knowledge Base Article Status\",\"SynchronizeEventsWithGoogleCalendar\":\"Google Calendar Sync\",\"MailChimpSyncData\":\"MailChimp Sync\",\"RunMailChimpQueueItems\":\"Run MailChimp Queue Items\",\"ReportTargetListSync\":\"Sync Target Lists with Reports\",\"ScheduleReportSending\":\"Schedule Report Sending\",\"RunScheduledWorkflows\":\"Run Scheduled Workflows\"},\"cronSetup\":{\"linux\":\"Note: Add this line to the crontab file to run Espo Scheduled Jobs:\",\"mac\":\"Note: Add this line to the crontab file to run Espo Scheduled Jobs:\",\"windows\":\"Note: Create a batch file with the following commands to run Espo Scheduled Jobs using Windows Scheduled Tasks:\",\"default\":\"Note: Add this command to Cron Job (Scheduled Task):\"},\"status\":{\"Active\":\"Active\",\"Inactive\":\"Inactive\"}},\"tooltips\":{\"scheduling\":\"Crontab notation. Defines frequency of job runs.\\n\\n*\\/5 * * * * - every 5 minutes\\n\\n0 *\\/2 * * * - every 2 hours\\n\\n30 1 * * * - at 01:30 once a day\\n\\n0 0 1 * * - on the first day of the month\"}},\"ScheduledJobLogRecord\":{\"fields\":{\"status\":\"Status\",\"executionTime\":\"Execution Time\",\"target\":\"Target\"}},\"Settings\":{\"fields\":{\"useCache\":\"Use Cache\",\"dateFormat\":\"Date Format\",\"timeFormat\":\"Time Format\",\"timeZone\":\"Time Zone\",\"weekStart\":\"First Day of Week\",\"thousandSeparator\":\"Thousand Separator\",\"decimalMark\":\"Decimal Mark\",\"defaultCurrency\":\"Default Currency\",\"baseCurrency\":\"Base Currency\",\"currencyRates\":\"Rate Values\",\"currencyList\":\"Currency List\",\"language\":\"Language\",\"companyLogo\":\"Company Logo\",\"smtpServer\":\"Server\",\"smtpPort\":\"Port\",\"smtpAuth\":\"Auth\",\"smtpSecurity\":\"Security\",\"smtpUsername\":\"Username\",\"emailAddress\":\"Email\",\"smtpPassword\":\"Password\",\"outboundEmailFromName\":\"From Name\",\"outboundEmailFromAddress\":\"From Address\",\"outboundEmailIsShared\":\"Is Shared\",\"recordsPerPage\":\"Records Per Page\",\"recordsPerPageSmall\":\"Records Per Page (Small)\",\"tabList\":\"Tab List\",\"quickCreateList\":\"Quick Create List\",\"exportDelimiter\":\"Export Delimiter\",\"globalSearchEntityList\":\"Global Search Entity List\",\"authenticationMethod\":\"Authentication Method\",\"ldapHost\":\"Host\",\"ldapPort\":\"Port\",\"ldapAuth\":\"Auth\",\"ldapUsername\":\"Full User DN\",\"ldapPassword\":\"Password\",\"ldapBindRequiresDn\":\"Bind Requires DN\",\"ldapBaseDn\":\"Base DN\",\"ldapAccountCanonicalForm\":\"Account Canonical Form\",\"ldapAccountDomainName\":\"Account Domain Name\",\"ldapTryUsernameSplit\":\"Try Username Split\",\"ldapCreateEspoUser\":\"Create User in EspoCRM\",\"ldapSecurity\":\"Security\",\"ldapUserLoginFilter\":\"User Login Filter\",\"ldapAccountDomainNameShort\":\"Account Domain Name Short\",\"ldapOptReferrals\":\"Opt Referrals\",\"ldapUserNameAttribute\":\"Username Attribute\",\"ldapUserObjectClass\":\"User ObjectClass\",\"ldapUserTitleAttribute\":\"User Title Attribute\",\"ldapUserFirstNameAttribute\":\"User First Name Attribute\",\"ldapUserLastNameAttribute\":\"User Last Name Attribute\",\"ldapUserEmailAddressAttribute\":\"User Email Address Attribute\",\"ldapUserTeams\":\"User Teams\",\"ldapUserDefaultTeam\":\"User Default Team\",\"ldapUserPhoneNumberAttribute\":\"User Phone Number Attribute\",\"exportDisabled\":\"Disable Export (only admin is allowed)\",\"assignmentNotificationsEntityList\":\"Entities to notify about upon assignment\",\"assignmentEmailNotifications\":\"Notifications upon assignment\",\"assignmentEmailNotificationsEntityList\":\"Assignment email notifications scopes\",\"streamEmailNotifications\":\"Notifications about updates in Stream for internal users\",\"portalStreamEmailNotifications\":\"Notifications about updates in Stream for portal users\",\"streamEmailNotificationsEntityList\":\"Stream email notifications scopes\",\"b2cMode\":\"B2C Mode\",\"avatarsDisabled\":\"Disable Avatars\",\"followCreatedEntities\":\"Follow Created Entities\",\"displayListViewRecordCount\":\"Display Total Count (on List View)\",\"theme\":\"Theme\",\"userThemesDisabled\":\"Disable User Themes\",\"emailMessageMaxSize\":\"Email Max Size (Mb)\",\"massEmailMaxPerHourCount\":\"Max count of emails sent per hour\",\"personalEmailMaxPortionSize\":\"Max email portion size for personal account fetching\",\"inboundEmailMaxPortionSize\":\"Max email portion size for group account fetching\",\"maxEmailAccountCount\":\"Max count of personal email accounts per user\",\"authTokenLifetime\":\"Auth Token Lifetime (hours)\",\"authTokenMaxIdleTime\":\"Auth Token Max Idle Time (hours)\",\"dashboardLayout\":\"Dashboard Layout (default)\",\"siteUrl\":\"Site URL\",\"addressPreview\":\"Address Preview\",\"addressFormat\":\"Address Format\",\"notificationSoundsDisabled\":\"Disable Notification Sounds\",\"applicationName\":\"Application Name\",\"calendarEntityList\":\"Calendar Entity List\",\"mentionEmailNotifications\":\"Send email notifications about mentions in posts\",\"massEmailDisableMandatoryOptOutLink\":\"Disable mandatory opt-out link\",\"activitiesEntityList\":\"Activities Entity List\",\"historyEntityList\":\"History Entity List\"},\"options\":{\"weekStart\":[\"Sunday\",\"Monday\"]},\"tooltips\":{\"recordsPerPage\":\"Number of records initially displayed in list views.\",\"recordsPerPageSmall\":\"Number of records initially displayed in relationship panels.\",\"outboundEmailIsShared\":\"Allow users to sent emails via this SMTP.\",\"followCreatedEntities\":\"Users will automatically follow records they created.\",\"emailMessageMaxSize\":\"All inbound emails exceeding a specified size will be fetched w\\/o body and attachments.\",\"authTokenLifetime\":\"Defines how long tokens can exist.\\n0 - means no expiration.\",\"authTokenMaxIdleTime\":\"Defines how long since the last access tokens can exist.\\n0 - means no expiration.\",\"userThemesDisabled\":\"If checked then users won't be able to select another theme.\",\"ldapUsername\":\"The full system user DN which allows to search other users. E.g. \\\"CN=LDAP System User,OU=users,OU=espocrm, DC=test,DC=lan\\\".\",\"ldapPassword\":\"The password to access to LDAP server.\",\"ldapAuth\":\"Access credentials for the LDAP server.\",\"ldapUserNameAttribute\":\"The\\u00a0attribute to identify the user. \\nE.g. \\\"userPrincipalName\\\" or \\\"sAMAccountName\\\" for Active Directory, \\\"uid\\\" for OpenLDAP.\",\"ldapUserObjectClass\":\"ObjectClass attribute for searching users. E.g. \\\"person\\\" for AD, \\\"inetOrgPerson\\\" for OpenLDAP.\",\"ldapAccountCanonicalForm\":\"The type of your\\u00a0account canonical form. There are 4 options:
- 'Dn' - the form in the format 'CN=tester,OU=espocrm,DC=test, DC=lan'.
- 'Username' - the form 'tester'.
- 'Backslash' - the form 'COMPANY\\\\tester'.
- 'Principal' - the form 'tester@company.com'.\",\"ldapBindRequiresDn\":\"The option to format\\u00a0the username in the DN form.\",\"ldapBaseDn\":\"The\\u00a0default base DN used for searching users. E.g. \\\"OU=users,OU=espocrm,DC=test, DC=lan\\\".\",\"ldapTryUsernameSplit\":\"The option to split a username with the domain.\",\"ldapOptReferrals\":\"if\\u00a0referrals should be followed to the LDAP client.\",\"ldapCreateEspoUser\":\"This option allows EspoCRM\\u00a0to create a user from the LDAP.\",\"ldapUserFirstNameAttribute\":\"LDAP attribute which is used to determine the user first name. E.g. \\\"givenname\\\".\",\"ldapUserLastNameAttribute\":\"LDAP attribute which is used to determine the user last name. E.g. \\\"sn\\\".\",\"ldapUserTitleAttribute\":\"LDAP attribute which is used to determine the user title. E.g. \\\"title\\\".\",\"ldapUserEmailAddressAttribute\":\"LDAP attribute which is used to determine the user email address. E.g. \\\"mail\\\".\",\"ldapUserPhoneNumberAttribute\":\"LDAP attribute which is used to determine the user phone number. E.g. \\\"telephoneNumber\\\".\",\"ldapUserLoginFilter\":\"The filter which allows to restrict users who able to use EspoCRM. E.g. \\\"memberOf=CN=espoGroup, OU=groups,OU=espocrm, DC=test,DC=lan\\\".\",\"ldapAccountDomainName\":\"The domain which is used for authorization to LDAP server.\",\"ldapAccountDomainNameShort\":\"The short domain which is used for authorization to LDAP server.\",\"ldapUserTeams\":\"Teams for created user. For more, see user profile.\",\"ldapUserDefaultTeam\":\"Default team for created user. For more, see user profile.\",\"b2cMode\":\"By default EspoCRM is adapted for B2B. You can switch it to B2C.\"},\"labels\":{\"System\":\"System\",\"Locale\":\"Locale\",\"SMTP\":\"SMTP\",\"Configuration\":\"Configuration\",\"In-app Notifications\":\"In-app Notifications\",\"Email Notifications\":\"Email Notifications\",\"Currency Settings\":\"Currency Settings\",\"Currency Rates\":\"Currency Rates\",\"Mass Email\":\"Mass Email\",\"Test Connection\":\"Test Connection\",\"Connecting\":\"Connecting...\",\"Activities\":\"Activities\"},\"messages\":{\"ldapTestConnection\":\"The connection successfully established.\"}},\"Team\":{\"fields\":{\"name\":\"Name\",\"roles\":\"Roles\",\"positionList\":\"Position List\"},\"links\":{\"users\":\"Users\",\"notes\":\"Notes\",\"roles\":\"Roles\",\"inboundEmails\":\"Group Email Accounts\"},\"tooltips\":{\"roles\":\"Access Roles. Users of this team obtain access control level from selected roles.\",\"positionList\":\"Available positions in this team. E.g. Salesperson, Manager.\"},\"labels\":{\"Create Team\":\"Create Team\"}},\"Template\":{\"fields\":{\"name\":\"Name\",\"body\":\"Body\",\"entityType\":\"Entity Type\",\"header\":\"Header\",\"footer\":\"Footer\",\"leftMargin\":\"Left Margin\",\"topMargin\":\"Top Margin\",\"rightMargin\":\"Right Margin\",\"bottomMargin\":\"Bottom Margin\",\"printFooter\":\"Print Footer\",\"footerPosition\":\"Footer Position\"},\"links\":[],\"labels\":{\"Create Template\":\"Create Template\"},\"tooltips\":{\"footer\":\"Use {pageNumber} to print page number.\"}},\"User\":{\"fields\":{\"name\":\"Name\",\"userName\":\"User Name\",\"title\":\"Title\",\"isAdmin\":\"Is Admin\",\"defaultTeam\":\"Default Team\",\"emailAddress\":\"Email\",\"phoneNumber\":\"Phone\",\"roles\":\"Roles\",\"portals\":\"Portals\",\"portalRoles\":\"Portal Roles\",\"teamRole\":\"Position\",\"password\":\"Password\",\"currentPassword\":\"Current Password\",\"passwordConfirm\":\"Confirm Password\",\"newPassword\":\"New Password\",\"newPasswordConfirm\":\"Confirm New Password\",\"avatar\":\"Avatar\",\"isActive\":\"Is Active\",\"isPortalUser\":\"Is Portal User\",\"contact\":\"Contact\",\"accounts\":\"Accounts\",\"account\":\"Account (Primary)\",\"sendAccessInfo\":\"Send Email with Access Info to User\",\"portal\":\"Portal\",\"gender\":\"Gender\",\"position\":\"Position in Team\",\"acceptanceStatus\":\"Acceptance Status\"},\"links\":{\"teams\":\"Teams\",\"roles\":\"Roles\",\"notes\":\"Notes\",\"portals\":\"Portals\",\"portalRoles\":\"Portal Roles\",\"contact\":\"Contact\",\"accounts\":\"Accounts\",\"account\":\"Account (Primary)\",\"tasks\":\"Tasks\",\"targetLists\":\"Target Lists\"},\"labels\":{\"Create User\":\"Create User\",\"Generate\":\"Generate\",\"Access\":\"Access\",\"Preferences\":\"Preferences\",\"Change Password\":\"Change Password\",\"Teams and Access Control\":\"Teams and Access Control\",\"Forgot Password?\":\"Forgot Password?\",\"Password Change Request\":\"Password Change Request\",\"Email Address\":\"Email Address\",\"External Accounts\":\"External Accounts\",\"Email Accounts\":\"Email Accounts\",\"Portal\":\"Portal\",\"Create Portal User\":\"Create Portal User\",\"Proceed w\\/o Contact\":\"Proceed w\\/o Contact\"},\"tooltips\":{\"defaultTeam\":\"All records created by this user will be related to this team by default.\",\"userName\":\"Letters a-z, numbers 0-9, dots, hyphens, @-signs and underscores are allowed.\",\"isAdmin\":\"Admin user can access everything.\",\"isActive\":\"If unchecked then user won't be able to login.\",\"teams\":\"Teams which this user belongs to. Access control level is inherited from team's roles.\",\"roles\":\"Additional access roles. Use it if user doesn't belong to any team or you need to extend access control level exclusively for this user.\",\"portalRoles\":\"Additional portal roles. Use it to extend access control level exclusively for this user.\",\"portals\":\"Portals which this user has access to.\"},\"messages\":{\"passwordWillBeSent\":\"Password will be sent to user's email address.\",\"accountInfoEmailSubject\":\"EspoCRM User Access Info\",\"accountInfoEmailBody\":\"Your access information:\\n\\nUsername: {userName}\\nPassword: {password}\\n\\n{siteUrl}\",\"passwordChangeLinkEmailSubject\":\"Change Password Request\",\"passwordChangeLinkEmailBody\":\"You can change your password by following this link {link}. This unique URL will be expired soon.\",\"passwordChanged\":\"Password has been changed\",\"userCantBeEmpty\":\"Username can not be empty\",\"wrongUsernamePasword\":\"Wrong username\\/password\",\"emailAddressCantBeEmpty\":\"Email Address can not be empty\",\"userNameEmailAddressNotFound\":\"Username\\/Email Address not found\",\"forbidden\":\"Forbidden, please try later\",\"uniqueLinkHasBeenSent\":\"The unique URL has been sent to the specified email address.\",\"passwordChangedByRequest\":\"Password has been changed.\",\"setupSmtpBefore\":\"You need to setup
SMTP settings<\\/a> to make the system be able to send password in email.\"},\"options\":{\"gender\":{\"\":\"Not Set\",\"Male\":\"Male\",\"Female\":\"Female\",\"Neutral\":\"Neutral\"}},\"boolFilters\":{\"onlyMyTeam\":\"Only My Team\"},\"presetFilters\":{\"active\":\"Active\",\"activePortal\":\"Portal Active\"}},\"Account\":{\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email\",\"website\":\"Website\",\"phoneNumber\":\"Phone\",\"billingAddress\":\"Billing Address\",\"shippingAddress\":\"Shipping Address\",\"description\":\"Description\",\"sicCode\":\"Sic Code\",\"industry\":\"Industry\",\"type\":\"Type\",\"contactRole\":\"Title\",\"campaign\":\"Campaign\",\"targetLists\":\"Target Lists\",\"targetList\":\"Target List\",\"originalLead\":\"Original Lead\"},\"links\":{\"contacts\":\"Contacts\",\"opportunities\":\"Opportunities\",\"cases\":\"Cases\",\"documents\":\"Documents\",\"meetingsPrimary\":\"Meetings (expanded)\",\"callsPrimary\":\"Calls (expanded)\",\"tasksPrimary\":\"Tasks (expanded)\",\"emailsPrimary\":\"Emails (expanded)\",\"targetLists\":\"Target Lists\",\"campaignLogRecords\":\"Campaign Log\",\"campaign\":\"Campaign\",\"portalUsers\":\"Portal Users\",\"originalLead\":\"Original Lead\",\"quotes\":\"Quotes\",\"quoteItems\":\"Quote Items\"},\"options\":{\"type\":{\"Customer\":\"Customer\",\"Investor\":\"Investor\",\"Partner\":\"Partner\",\"Reseller\":\"Reseller\"},\"industry\":{\"Aerospace\":\"Aerospace\",\"Agriculture\":\"Agriculture\",\"Advertising\":\"Advertising\",\"Apparel & Accessories\":\"Apparel & Accessories\",\"Architecture\":\"Architecture\",\"Automotive\":\"Automotive\",\"Banking\":\"Banking\",\"Biotechnology\":\"Biotechnology\",\"Building Materials & Equipment\":\"Building Materials & Equipment\",\"Chemical\":\"Chemical\",\"Construction\":\"Construction\",\"Computer\":\"Computer\",\"Defense\":\"Defense\",\"Creative\":\"Creative\",\"Culture\":\"Culture\",\"Consulting\":\"Consulting\",\"Education\":\"Education\",\"Electronics\":\"Electronics\",\"Electric Power\":\"Electric Power\",\"Energy\":\"Energy\",\"Entertainment & Leisure\":\"Entertainment & Leisure\",\"Finance\":\"Finance\",\"Food & Beverage\":\"Food & Beverage\",\"Grocery\":\"Grocery\",\"Hospitality\":\"Hospitality\",\"Healthcare\":\"Healthcare\",\"Insurance\":\"Insurance\",\"Legal\":\"Legal\",\"Manufacturing\":\"Manufacturing\",\"Mass Media\":\"Mass Media\",\"Mining\":\"Mining\",\"Music\":\"Music\",\"Marketing\":\"Marketing\",\"Publishing\":\"Publishing\",\"Petroleum\":\"Petroleum\",\"Real Estate\":\"Real Estate\",\"Retail\":\"Retail\",\"Shipping\":\"Shipping\",\"Service\":\"Service\",\"Support\":\"Support\",\"Sports\":\"Sports\",\"Software\":\"Software\",\"Technology\":\"Technology\",\"Telecommunications\":\"Telecommunications\",\"Television\":\"Television\",\"Testing, Inspection & Certification\":\"Testing, Inspection & Certification\",\"Transportation\":\"Transportation\",\"Venture Capital\":\"Venture Capital\",\"Wholesale\":\"Wholesale\",\"Water\":\"Water\"}},\"labels\":{\"Create Account\":\"Create Account\",\"Copy Billing\":\"Copy Billing\"},\"presetFilters\":{\"customers\":\"Customers\",\"partners\":\"Partners\",\"recentlyCreated\":\"Recently Created\"}},\"Calendar\":{\"modes\":{\"month\":\"Month\",\"week\":\"Week\",\"day\":\"Day\",\"agendaWeek\":\"Week\",\"agendaDay\":\"Day\",\"timeline\":\"Timeline\"},\"labels\":{\"Today\":\"Today\",\"Create\":\"Create\",\"Shared\":\"Shared\",\"Add User\":\"Add User\",\"current\":\"current\",\"time\":\"time\",\"User List\":\"User List\",\"Manage Users\":\"Manage Users\"}},\"Call\":{\"fields\":{\"name\":\"Name\",\"parent\":\"Parent\",\"status\":\"Status\",\"dateStart\":\"Date Start\",\"dateEnd\":\"Date End\",\"direction\":\"Direction\",\"duration\":\"Duration\",\"description\":\"Description\",\"users\":\"Users\",\"contacts\":\"Contacts\",\"leads\":\"Leads\",\"reminders\":\"Reminders\",\"account\":\"Account\",\"acceptanceStatus\":\"Acceptance Status\"},\"links\":[],\"options\":{\"status\":{\"Planned\":\"Planned\",\"Held\":\"Held\",\"Not Held\":\"Not Held\"},\"direction\":{\"Outbound\":\"Outbound\",\"Inbound\":\"Inbound\"},\"acceptanceStatus\":{\"None\":\"None\",\"Accepted\":\"Accepted\",\"Declined\":\"Declined\",\"Tentative\":\"Tentative\"}},\"massActions\":{\"setHeld\":\"Set Held\",\"setNotHeld\":\"Set Not Held\"},\"labels\":{\"Create Call\":\"Create Call\",\"Set Held\":\"Set Held\",\"Set Not Held\":\"Set Not Held\",\"Send Invitations\":\"Send Invitations\"},\"presetFilters\":{\"planned\":\"Planned\",\"held\":\"Held\",\"todays\":\"Today's\"}},\"Campaign\":{\"fields\":{\"name\":\"Name\",\"description\":\"Description\",\"status\":\"Status\",\"type\":\"Type\",\"startDate\":\"Start Date\",\"endDate\":\"End Date\",\"targetLists\":\"Target Lists\",\"excludingTargetLists\":\"Excluding Target Lists\",\"sentCount\":\"Sent\",\"openedCount\":\"Opened\",\"clickedCount\":\"Clicked\",\"optedOutCount\":\"Opted Out\",\"bouncedCount\":\"Bounced\",\"hardBouncedCount\":\"Hard Bounced\",\"softBouncedCount\":\"Soft Bounced\",\"leadCreatedCount\":\"Leads Created\",\"revenue\":\"Revenue\",\"revenueConverted\":\"Revenue (converted)\",\"budget\":\"Budget\",\"budgetConverted\":\"Budget (converted)\"},\"links\":{\"targetLists\":\"Target Lists\",\"excludingTargetLists\":\"Excluding Target Lists\",\"accounts\":\"Accounts\",\"contacts\":\"Contacts\",\"leads\":\"Leads\",\"opportunities\":\"Opportunities\",\"campaignLogRecords\":\"Log\",\"massEmails\":\"Mass Emails\",\"trackingUrls\":\"Tracking URLs\"},\"options\":{\"type\":{\"Email\":\"Email\",\"Web\":\"Web\",\"Television\":\"Television\",\"Radio\":\"Radio\",\"Newsletter\":\"Newsletter\",\"Mail\":\"Mail\"},\"status\":{\"Planning\":\"Planning\",\"Active\":\"Active\",\"Inactive\":\"Inactive\",\"Complete\":\"Complete\"}},\"labels\":{\"Create Campaign\":\"Create Campaign\",\"Target Lists\":\"Target Lists\",\"Statistics\":\"Statistics\",\"hard\":\"hard\",\"soft\":\"soft\",\"Unsubscribe\":\"Unsubscribe\",\"Mass Emails\":\"Mass Emails\",\"Email Templates\":\"Email Templates\",\"Unsubscribe again\":\"Unsubscribe again\",\"Subscribe again\":\"Subscribe again\",\"Create Target List\":\"Create Target List\",\"MailChimp Campaign Sync\":\"MailChimp Campaign Sync\",\"MailChimp Sync\":\"MailChimp Sync\"},\"presetFilters\":{\"active\":\"Active\"},\"messages\":{\"unsubscribed\":\"You have been unsubscribed from our mailing list.\",\"subscribedAgain\":\"You are subscribed again.\"},\"tooltips\":{\"targetLists\":\"Targets that should receive messages.\",\"excludingTargetLists\":\"Targets that should not receive messages.\"}},\"CampaignLogRecord\":{\"fields\":{\"action\":\"Action\",\"actionDate\":\"Date\",\"data\":\"Data\",\"campaign\":\"Campaign\",\"parent\":\"Target\",\"object\":\"Object\",\"application\":\"Application\",\"queueItem\":\"Queue Item\",\"stringData\":\"String Data\",\"stringAdditionalData\":\"String Additional Data\"},\"links\":{\"queueItem\":\"Queue Item\",\"parent\":\"Parent\",\"object\":\"Object\"},\"options\":{\"action\":{\"Sent\":\"Sent\",\"Opened\":\"Opened\",\"Opted Out\":\"Opted Out\",\"Bounced\":\"Bounced\",\"Clicked\":\"Clicked\",\"Lead Created\":\"Lead Created\"}},\"labels\":{\"All\":\"All\"},\"presetFilters\":{\"sent\":\"Sent\",\"opened\":\"Opened\",\"optedOut\":\"Opted Out\",\"bounced\":\"Bounced\",\"clicked\":\"Clicked\",\"leadCreated\":\"Lead Created\"}},\"CampaignTrackingUrl\":{\"fields\":{\"url\":\"URL\",\"urlToUse\":\"Code to insert instead of URL\",\"campaign\":\"Campaign\"},\"links\":{\"campaign\":\"Campaign\"},\"labels\":{\"Create CampaignTrackingUrl\":\"Create Tracking URL\"}},\"Case\":{\"fields\":{\"name\":\"Name\",\"number\":\"Number\",\"status\":\"Status\",\"account\":\"Account\",\"contact\":\"Contact\",\"contacts\":\"Contacts\",\"priority\":\"Priority\",\"type\":\"Type\",\"description\":\"Description\",\"inboundEmail\":\"Inbound Email\",\"lead\":\"Lead\"},\"links\":{\"inboundEmail\":\"Inbound Email\",\"account\":\"Account\",\"contact\":\"Contact (Primary)\",\"Contacts\":\"Contacts\",\"meetings\":\"Meetings\",\"calls\":\"Calls\",\"tasks\":\"Tasks\",\"emails\":\"Emails\",\"articles\":\"Knowledge Base Articles\",\"lead\":\"Lead\"},\"options\":{\"status\":{\"New\":\"New\",\"Assigned\":\"Assigned\",\"Pending\":\"Pending\",\"Closed\":\"Closed\",\"Rejected\":\"Rejected\",\"Duplicate\":\"Duplicate\"},\"priority\":{\"Low\":\"Low\",\"Normal\":\"Normal\",\"High\":\"High\",\"Urgent\":\"Urgent\"},\"type\":{\"Question\":\"Question\",\"Incident\":\"Incident\",\"Problem\":\"Problem\"}},\"labels\":{\"Create Case\":\"Create Case\",\"Close\":\"Close\",\"Reject\":\"Reject\",\"Closed\":\"Closed\",\"Rejected\":\"Rejected\"},\"presetFilters\":{\"open\":\"Open\",\"closed\":\"Closed\"}},\"Contact\":{\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email\",\"title\":\"Title\",\"account\":\"Account\",\"accounts\":\"Accounts\",\"phoneNumber\":\"Phone\",\"accountType\":\"Account Type\",\"doNotCall\":\"Do Not Call\",\"address\":\"Address\",\"opportunityRole\":\"Opportunity Role\",\"accountRole\":\"Title\",\"description\":\"Description\",\"campaign\":\"Campaign\",\"targetLists\":\"Target Lists\",\"targetList\":\"Target List\",\"portalUser\":\"Portal User\",\"originalLead\":\"Original Lead\",\"acceptanceStatus\":\"Acceptance Status\"},\"links\":{\"opportunities\":\"Opportunities\",\"cases\":\"Cases\",\"targetLists\":\"Target Lists\",\"campaignLogRecords\":\"Campaign Log\",\"campaign\":\"Campaign\",\"account\":\"Account (Primary)\",\"accounts\":\"Accounts\",\"casesPrimary\":\"Cases (Primary)\",\"portalUser\":\"Portal User\",\"originalLead\":\"Original Lead\",\"documents\":\"Documents\",\"quotesBilling\":\"Quotes (Billing)\",\"quotesShipping\":\"Quotes (Shipping)\"},\"labels\":{\"Create Contact\":\"Create Contact\"},\"options\":{\"opportunityRole\":{\"\":\"--None--\",\"Decision Maker\":\"Decision Maker\",\"Evaluator\":\"Evaluator\",\"Influencer\":\"Influencer\"}},\"presetFilters\":{\"portalUsers\":\"Portal Users\",\"notPortalUsers\":\"Not Portal Users\"},\"massActions\":{\"pushToGoogle\":\"Push to Google\"},\"messages\":{\"confirmationGoogleContactsPush\":\"Do you want to push selected contacts to Google Contacts?\",\"successGoogleContactsPush\":\"{count} record(s) successfully pushed. The rest is about to be pushed in idle mode.\"}},\"Document\":{\"labels\":{\"Create Document\":\"Create Document\",\"Details\":\"Details\"},\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"file\":\"File\",\"type\":\"Type\",\"publishDate\":\"Publish Date\",\"expirationDate\":\"Expiration Date\",\"description\":\"Description\",\"accounts\":\"Accounts\",\"folder\":\"Folder\"},\"links\":{\"accounts\":\"Accounts\",\"opportunities\":\"Opportunities\",\"folder\":\"Folder\",\"leads\":\"Leads\",\"contacts\":\"Contacts\"},\"options\":{\"status\":{\"Active\":\"Active\",\"Draft\":\"Draft\",\"Expired\":\"Expired\",\"Canceled\":\"Canceled\"},\"type\":{\"\":\"None\",\"Contract\":\"Contract\",\"NDA\":\"NDA\",\"EULA\":\"EULA\",\"License Agreement\":\"License Agreement\"}},\"presetFilters\":{\"active\":\"Active\",\"draft\":\"Draft\"}},\"DocumentFolder\":{\"labels\":{\"Create DocumentFolder\":\"Create Document Folder\",\"Manage Categories\":\"Manage Folders\",\"Documents\":\"Documents\"},\"links\":{\"documents\":\"Documents\"}},\"EmailQueueItem\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"target\":\"Target\",\"sentAt\":\"Date Sent\",\"attemptCount\":\"Attempts\",\"emailAddress\":\"Email Address\",\"massEmail\":\"Mass Email\",\"isTest\":\"Is Test\"},\"links\":{\"target\":\"Target\",\"massEmail\":\"Mass Email\"},\"options\":{\"status\":{\"Pending\":\"Pending\",\"Sent\":\"Sent\",\"Failed\":\"Failed\",\"Sending\":\"Sending\"}},\"presetFilters\":{\"pending\":\"Pending\",\"sent\":\"Sent\",\"failed\":\"Failed\"}},\"KnowledgeBaseArticle\":{\"labels\":{\"Create KnowledgeBaseArticle\":\"Create Article\",\"Any\":\"Any\",\"Send in Email\":\"Send in Email\",\"Move Up\":\"Move Up\",\"Move Down\":\"Move Down\",\"Move to Top\":\"Move to Top\",\"Move to Bottom\":\"Move to Bottom\"},\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"type\":\"Type\",\"attachments\":\"Attachments\",\"publishDate\":\"Publish Date\",\"expirationDate\":\"Expiration Date\",\"description\":\"Description\",\"body\":\"Body\",\"categories\":\"Categories\",\"language\":\"Language\",\"portals\":\"Portals\"},\"links\":{\"cases\":\"Cases\",\"opportunities\":\"Opportunities\",\"categories\":\"Categories\",\"portals\":\"Portals\"},\"options\":{\"status\":{\"In Review\":\"In Review\",\"Draft\":\"Draft\",\"Archived\":\"Archived\",\"Published\":\"Published\"},\"type\":{\"Article\":\"Article\"}},\"tooltips\":{\"portals\":\"If not empty then this article will be available only in specified portals. If empty then it will available in all portals.\"},\"presetFilters\":{\"published\":\"Published\"}},\"KnowledgeBaseCategory\":{\"labels\":{\"Create KnowledgeBaseCategory\":\"Create Category\",\"Manage Categories\":\"Manage Categories\",\"Articles\":\"Articles\"},\"links\":{\"articles\":\"Articles\"}},\"Lead\":{\"labels\":{\"Converted To\":\"Converted To\",\"Create Lead\":\"Create Lead\",\"Convert\":\"Convert\"},\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email\",\"title\":\"Title\",\"website\":\"Website\",\"phoneNumber\":\"Phone\",\"accountName\":\"Account Name\",\"doNotCall\":\"Do Not Call\",\"address\":\"Address\",\"status\":\"Status\",\"source\":\"Source\",\"opportunityAmount\":\"Opportunity Amount\",\"opportunityAmountConverted\":\"Opportunity Amount (converted)\",\"description\":\"Description\",\"createdAccount\":\"Account\",\"createdContact\":\"Contact\",\"createdOpportunity\":\"Opportunity\",\"campaign\":\"Campaign\",\"targetLists\":\"Target Lists\",\"targetList\":\"Target List\",\"industry\":\"Industry\",\"acceptanceStatus\":\"Acceptance Status\",\"opportunityAmountCurrency\":\"Opportunity Amount Currency\",\"images\":\"Avatar\",\"password\":\"password\",\"wechatOpenID\":\"wechatOpenID\",\"verifier\":\"verifier\"},\"links\":{\"targetLists\":\"Target Lists\",\"campaignLogRecords\":\"Campaign Log\",\"campaign\":\"Campaign\",\"createdAccount\":\"Account\",\"createdContact\":\"Contact\",\"createdOpportunity\":\"Opportunity\",\"cases\":\"Cases\",\"documents\":\"Documents\"},\"options\":{\"status\":{\"New\":\"New\",\"Assigned\":\"Assigned\",\"In Process\":\"In Process\",\"Converted\":\"Converted\",\"Recycled\":\"Recycled\",\"Dead\":\"Dead\"},\"source\":{\"\":\"None\",\"Call\":\"Call\",\"Email\":\"Email\",\"Existing Customer\":\"Existing Customer\",\"Partner\":\"Partner\",\"Public Relations\":\"Public Relations\",\"Web Site\":\"Web Site\",\"Campaign\":\"Campaign\",\"Other\":\"Other\"}},\"presetFilters\":{\"active\":\"Active\",\"actual\":\"Actual\",\"converted\":\"Converted\"},\"massActions\":{\"pushToGoogle\":\"Push to Google\"},\"messages\":{\"confirmationGoogleContactsPush\":\"Do you want to push selected leads to Google Contacts?\",\"successGoogleContactsPush\":\"{count} record(s) successfully pushed. The rest is about to be pushed in idle mode.\"},\"tooltips\":{\"verifier\":\"who said you are real alumni\"}},\"MassEmail\":{\"fields\":{\"name\":\"Name\",\"status\":\"Status\",\"storeSentEmails\":\"Store Sent Emails\",\"startAt\":\"Date Start\",\"fromAddress\":\"From Address\",\"fromName\":\"From Name\",\"replyToAddress\":\"Reply-to Address\",\"replyToName\":\"Reply-to Name\",\"campaign\":\"Campaign\",\"emailTemplate\":\"Email Template\",\"inboundEmail\":\"Email Account\",\"targetLists\":\"Target Lists\",\"excludingTargetLists\":\"Excluding Target Lists\",\"optOutEntirely\":\"Opt-Out Entirely\"},\"links\":{\"targetLists\":\"Target Lists\",\"excludingTargetLists\":\"Excluding Target Lists\",\"queueItems\":\"Queue Items\",\"campaign\":\"Campaign\",\"emailTemplate\":\"Email Template\",\"inboundEmail\":\"Email Account\"},\"options\":{\"status\":{\"Draft\":\"Draft\",\"Pending\":\"Pending\",\"In Process\":\"In Process\",\"Complete\":\"Complete\",\"Canceled\":\"Canceled\",\"Failed\":\"Failed\"}},\"labels\":{\"Create MassEmail\":\"Create Mass Email\",\"Send Test\":\"Send Test\"},\"messages\":{\"selectAtLeastOneTarget\":\"Select at least one target.\",\"testSent\":\"Test email(s) supposed to be sent\"},\"tooltips\":{\"optOutEntirely\":\"Email addresses of recipients that unsubscribed will be marked as opted out and they will not receive any mass emails anymore.\",\"targetLists\":\"Targets that should receive messages.\",\"excludingTargetLists\":\"Targets that should not receive messages.\"},\"presetFilters\":{\"actual\":\"Actual\",\"complete\":\"Complete\"}},\"Meeting\":{\"fields\":{\"name\":\"Name\",\"parent\":\"Parent\",\"status\":\"Status\",\"dateStart\":\"Date Start\",\"dateEnd\":\"Date End\",\"duration\":\"Duration\",\"description\":\"Description\",\"users\":\"Users\",\"contacts\":\"Contacts\",\"leads\":\"Leads\",\"reminders\":\"Reminders\",\"account\":\"Account\",\"acceptanceStatus\":\"Acceptance Status\"},\"links\":[],\"options\":{\"status\":{\"Planned\":\"Planned\",\"Held\":\"Held\",\"Not Held\":\"Not Held\"},\"acceptanceStatus\":{\"None\":\"None\",\"Accepted\":\"Accepted\",\"Declined\":\"Declined\",\"Tentative\":\"Tentative\"}},\"massActions\":{\"setHeld\":\"Set Held\",\"setNotHeld\":\"Set Not Held\"},\"labels\":{\"Create Meeting\":\"Create Meeting\",\"Set Held\":\"Set Held\",\"Set Not Held\":\"Set Not Held\",\"Send Invitations\":\"Send Invitations\",\"on time\":\"on time\",\"before\":\"before\"},\"presetFilters\":{\"planned\":\"Planned\",\"held\":\"Held\",\"todays\":\"Today's\"},\"messages\":{\"nothingHasBeenSent\":\"Nothing were sent\"}},\"Opportunity\":{\"fields\":{\"name\":\"Name\",\"account\":\"Account\",\"stage\":\"Stage\",\"amount\":\"Amount\",\"probability\":\"Probability, %\",\"leadSource\":\"Lead Source\",\"doNotCall\":\"Do Not Call\",\"closeDate\":\"Close Date\",\"contacts\":\"Contacts\",\"description\":\"Description\",\"amountConverted\":\"Amount (converted)\",\"amountWeightedConverted\":\"Amount Weighted\",\"campaign\":\"Campaign\",\"originalLead\":\"Original Lead\",\"amountCurrency\":\"Amount Currency\",\"itemList\":\"Item List\"},\"links\":{\"contacts\":\"Contacts\",\"documents\":\"Documents\",\"campaign\":\"Campaign\",\"originalLead\":\"Original Lead\",\"quotes\":\"Quotes\"},\"options\":{\"stage\":{\"Prospecting\":\"Prospecting\",\"Qualification\":\"Qualification\",\"Needs Analysis\":\"Needs Analysis\",\"Value Proposition\":\"Value Proposition\",\"Id. Decision Makers\":\"Id. Decision Makers\",\"Perception Analysis\":\"Perception Analysis\",\"Proposal\\/Price Quote\":\"Proposal\\/Price Quote\",\"Negotiation\\/Review\":\"Negotiation\\/Review\",\"Closed Won\":\"Closed Won\",\"Closed Lost\":\"Closed Lost\"}},\"labels\":{\"Create Opportunity\":\"Create Opportunity\",\"Items\":\"Items\",\"Select Product\":\"Select Product\",\"Add Item\":\"Add Item\"},\"presetFilters\":{\"open\":\"Open\",\"won\":\"Won\",\"lost\":\"Lost\"}},\"Target\":{\"fields\":{\"name\":\"Name\",\"emailAddress\":\"Email\",\"title\":\"Title\",\"website\":\"Website\",\"accountName\":\"Account Name\",\"phoneNumber\":\"Phone\",\"doNotCall\":\"Do Not Call\",\"address\":\"Address\",\"description\":\"Description\"},\"links\":[],\"labels\":{\"Create Target\":\"Create Target\",\"Convert to Lead\":\"Convert to Lead\"}},\"TargetList\":{\"fields\":{\"name\":\"Name\",\"description\":\"Description\",\"entryCount\":\"Entry Count\",\"campaigns\":\"Campaigns\",\"endDate\":\"End Date\",\"targetLists\":\"Target Lists\",\"includingActionList\":\"Including\",\"excludingActionList\":\"Excluding\",\"syncWithReports\":\"Reports\",\"syncWithReportsEnabled\":\"Enabled\",\"syncWithReportsUnlink\":\"Unlink\"},\"links\":{\"accounts\":\"Accounts\",\"contacts\":\"Contacts\",\"leads\":\"Leads\",\"campaigns\":\"Campaigns\",\"massEmails\":\"Mass Emails\",\"syncWithReports\":\"Sync with Reports\"},\"options\":{\"type\":{\"Email\":\"Email\",\"Web\":\"Web\",\"Television\":\"Television\",\"Radio\":\"Radio\",\"Newsletter\":\"Newsletter\"}},\"labels\":{\"Create TargetList\":\"Create Target List\",\"Opted Out\":\"Opted Out\",\"Cancel Opt-Out\":\"Cancel Opt-Out\",\"Opt-Out\":\"Opt-Out\",\"MailChimp List Settings\":\"MailChimp List Sync\",\"MailChimp Sync\":\"MailChimp Sync\",\"Sync with Reports\":\"Sync with Reports\"},\"tooltips\":{\"syncWithReportsUnlink\":\"Entries which are not contained in report results will be unlinked from Target List.\",\"syncWithReports\":\"Target List will be synced with results of selected reports.\"}},\"Task\":{\"fields\":{\"name\":\"Name\",\"parent\":\"Parent\",\"status\":\"Status\",\"dateStart\":\"Date Start\",\"dateEnd\":\"Date Due\",\"dateStartDate\":\"Date Start (all day)\",\"dateEndDate\":\"Date End (all day)\",\"priority\":\"Priority\",\"description\":\"Description\",\"isOverdue\":\"Is Overdue\",\"account\":\"Account\",\"dateCompleted\":\"Date Completed\",\"attachments\":\"Attachments\",\"reminders\":\"Reminders\"},\"links\":{\"attachments\":\"Attachments\"},\"options\":{\"status\":{\"Not Started\":\"Not Started\",\"Started\":\"Started\",\"Completed\":\"Completed\",\"Canceled\":\"Canceled\",\"Deferred\":\"Deferred\"},\"priority\":{\"Low\":\"Low\",\"Normal\":\"Normal\",\"High\":\"High\",\"Urgent\":\"Urgent\"}},\"labels\":{\"Create Task\":\"Create Task\",\"Complete\":\"Complete\"},\"presetFilters\":{\"actual\":\"Actual\",\"completed\":\"Completed\",\"deferred\":\"Deferred\",\"todays\":\"Today's\",\"overdue\":\"Overdue\"}},\"Google\":{\"products\":{\"googleCalendar\":\"Google Calendar\",\"googleTask\":\"Google Task\",\"googleContacts\":\"Contacts\"}},\"GoogleCalendar\":{\"messages\":{\"fieldLabelIsRequired\":\"Only one entity could haven't Identification Label\",\"emptyNotDefaultEnitityLabel\":\"Identification Label of not by default Entity can't be empty\",\"defaultEntityIsRequiredInList\":\"Default Entity is required in the Sync Entities List\",\"notUniqueIdentificationLabel\":\"Identification Labels have to be unique\"}},\"MailChimp\":{\"labels\":{\"synced with MailChimp\":\"synchronized with MailChimp\",\"failed synced with MailChimp\":\"did not synchronize with MailChimp. Try to schedule a synchronization one more time.\",\"Espo Campaign\":\"Espo Campaign\",\"Espo TargetList\":\"Espo Target List\",\"MailChimp Campaign\":\"MailChimp Campaign\",\"MailChimp TargetList\":\"MailChimp List\",\"MailChimp TargetListGroup\":\"MailChimp Group\",\"MailChimp Sync\":\"MailChimp Sync\",\"Proceed Setup on MailChimp\":\"Proceed Setup on MailChimp\",\"Save and Sync Now\":\"Save & Sync Now\",\"Sync Now\":\"Sync Now\",\"Scheduling Synchronization\":\"Scheduling Synchronization...\",\"Synchronization is scheduled\":\"Synchronization is scheduled\",\"Selected grouping\":\"You selected a grouping. Select a group?\"},\"tooltips\":{\"mailChimpGroup\":\"Select a list group (second level in the tree), if you want to add all recipients of Target List to the specified Interest Group\"}},\"MailChimpCampaign\":{\"labels\":{\"Create MailChimpCampaign\":\"Create MailChimp Campaign\"},\"fields\":{\"name\":\"Name\",\"type\":\"Type\",\"list\":\"List\",\"subject\":\"Email Subject\",\"fromEmail\":\"From Email Address\",\"fromName\":\"From Name\",\"toName\":\"Personalize the \\\"To:\\\" field\",\"status\":\"Status\",\"dateSent\":\"Date Sent\",\"content\":\"Content?\"},\"options\":{\"type\":{\"regular\":\"Regular\",\"plaintext\":\"Plain-Text\",\"rss\":\"RSS-Driven\",\"absplit\":\"A\\/B Split\",\"auto\":\"Auto\"},\"status\":{\"sent\":\"Sent\",\"save\":\"Save\",\"paused\":\"Paused\",\"schedule\":\"Schedule\",\"sending\":\"Sending\"}}},\"MailChimpList\":{\"labels\":{\"Create MailChimpList\":\"Create MailChimp List\"},\"fields\":{\"name\":\"Name\",\"company\":\"Company \\/ Organization\",\"address1\":\"Address\",\"address2\":\"Other Address\",\"city\":\"City\",\"state\":\"State \\/ Province \\/ Region\",\"zip\":\"Zip \\/ Postal Code\",\"country\":\"Country\",\"phone\":\"Phone\",\"reminder\":\"Remind people how they got on your list\",\"subject\":\"Email Subject\",\"fromEmail\":\"From Email Address\",\"fromName\":\"From Name\",\"subscribers\":\"Subcribers\",\"language\":\"Language\"},\"options\":{\"country\":{\"AD\":\"Andorra\",\"AE\":\"United Arab Emirates\",\"AF\":\"Afghanistan\",\"AG\":\"Antigua and Barbuda\",\"AI\":\"Anguilla\",\"AL\":\"Albania\",\"AM\":\"Armenia\",\"AO\":\"Angola\",\"AQ\":\"Antarctica\",\"AR\":\"Argentina\",\"AS\":\"American Samoa\",\"AT\":\"Austria\",\"AU\":\"Australia\",\"AW\":\"Aruba\",\"AX\":\"\\u00c5land Islands\",\"AZ\":\"Azerbaijan\",\"BA\":\"Bosnia and Herzegovina\",\"BB\":\"Barbados\",\"BD\":\"Bangladesh\",\"BE\":\"Belgium\",\"BF\":\"Burkina Faso\",\"BG\":\"Bulgaria\",\"BH\":\"Bahrain\",\"BI\":\"Burundi\",\"BJ\":\"Benin\",\"BL\":\"Saint Barth\\u00e9lemy\",\"BM\":\"Bermuda\",\"BN\":\"Brunei Darussalam\",\"BO\":\"Bolivia, Plurinational State of\",\"BQ\":\"Bonaire, Sint Eustatius and Saba\",\"BR\":\"Brazil\",\"BS\":\"Bahamas\",\"BT\":\"Bhutan\",\"BV\":\"Bouvet Island\",\"BW\":\"Botswana\",\"BY\":\"Belarus\",\"BZ\":\"Belize\",\"CA\":\"Canada\",\"CC\":\"Cocos (Keeling) Islands\",\"CD\":\"Congo, the Democratic Republic of the\",\"CF\":\"Central African Republic\",\"CG\":\"Congo\",\"CH\":\"Switzerland\",\"CI\":\"C\\u00f4te d'Ivoire\",\"CK\":\"Cook Islands\",\"CL\":\"Chile\",\"CM\":\"Cameroon\",\"CN\":\"China\",\"CO\":\"Colombia\",\"CR\":\"Costa Rica\",\"CU\":\"Cuba\",\"CV\":\"Cabo Verde\",\"CW\":\"Cura\\u00e7ao\",\"CX\":\"Christmas Island\",\"CY\":\"Cyprus\",\"CZ\":\"Czech Republic\",\"DE\":\"Germany\",\"DJ\":\"Djibouti\",\"DK\":\"Denmark\",\"DM\":\"Dominica\",\"DO\":\"Dominican Republic\",\"DZ\":\"Algeria\",\"EC\":\"Ecuador\",\"EE\":\"Estonia\",\"EG\":\"Egypt\",\"EH\":\"Western Sahara\",\"ER\":\"Eritrea\",\"ES\":\"Spain\",\"ET\":\"Ethiopia\",\"FI\":\"Finland\",\"FJ\":\"Fiji\",\"FK\":\"Falkland Islands (Malvinas)\",\"FM\":\"Micronesia, Federated States of\",\"FO\":\"Faroe Islands\",\"FR\":\"France\",\"GA\":\"Gabon\",\"GB\":\"United Kingdom of Great Britain and Northern Ireland\",\"GD\":\"Grenada\",\"GE\":\"Georgia\",\"GF\":\"French Guiana\",\"GG\":\"Guernsey\",\"GH\":\"Ghana\",\"GI\":\"Gibraltar\",\"GL\":\"Greenland\",\"GM\":\"Gambia\",\"GN\":\"Guinea\",\"GP\":\"Guadeloupe\",\"GQ\":\"Equatorial Guinea\",\"GR\":\"Greece\",\"GS\":\"South Georgia and the South Sandwich Islands\",\"GT\":\"Guatemala\",\"GU\":\"Guam\",\"GW\":\"Guinea-Bissau\",\"GY\":\"Guyana\",\"HK\":\"Hong Kong\",\"HM\":\"Heard Island and McDonald Islands\",\"HN\":\"Honduras\",\"HR\":\"Croatia\",\"HT\":\"Haiti\",\"HU\":\"Hungary\",\"ID\":\"Indonesia\",\"IE\":\"Ireland\",\"IL\":\"Israel\",\"IM\":\"Isle of Man\",\"IN\":\"India\",\"IO\":\"British Indian Ocean Territory\",\"IQ\":\"Iraq\",\"IR\":\"Iran, Islamic Republic of\",\"IS\":\"Iceland\",\"IT\":\"Italy\",\"JE\":\"Jersey\",\"JM\":\"Jamaica\",\"JO\":\"Jordan\",\"JP\":\"Japan\",\"KE\":\"Kenya\",\"KG\":\"Kyrgyzstan\",\"KH\":\"Cambodia\",\"KI\":\"Kiribati\",\"KM\":\"Comoros\",\"KN\":\"Saint Kitts and Nevis\",\"KP\":\"Korea, Democratic People's Republic of\",\"KR\":\"Korea, Republic of\",\"KW\":\"Kuwait\",\"KY\":\"Cayman Islands\",\"KZ\":\"Kazakhstan\",\"LA\":\"Lao People's Democratic Republic\",\"LB\":\"Lebanon\",\"LC\":\"Saint Lucia\",\"LI\":\"Liechtenstein\",\"LK\":\"Sri Lanka\",\"LR\":\"Liberia\",\"LS\":\"Lesotho\",\"LT\":\"Lithuania\",\"LU\":\"Luxembourg\",\"LV\":\"Latvia\",\"LY\":\"Libya\",\"MA\":\"Morocco\",\"MC\":\"Monaco\",\"MD\":\"Moldova, Republic of\",\"ME\":\"Montenegro\",\"MF\":\"Saint Martin (French part)\",\"MG\":\"Madagascar\",\"MH\":\"Marshall Islands\",\"MK\":\"Macedonia, the former Yugoslav Republic of\",\"ML\":\"Mali\",\"MM\":\"Myanmar\",\"MN\":\"Mongolia\",\"MO\":\"Macao\",\"MP\":\"Northern Mariana Islands\",\"MQ\":\"Martinique\",\"MR\":\"Mauritania\",\"MS\":\"Montserrat\",\"MT\":\"Malta\",\"MU\":\"Mauritius\",\"MV\":\"Maldives\",\"MW\":\"Malawi\",\"MX\":\"Mexico\",\"MY\":\"Malaysia\",\"MZ\":\"Mozambique\",\"NA\":\"Namibia\",\"NC\":\"New Caledonia\",\"NE\":\"Niger\",\"NF\":\"Norfolk Island\",\"NG\":\"Nigeria\",\"NI\":\"Nicaragua\",\"NL\":\"Netherlands\",\"NO\":\"Norway\",\"NP\":\"Nepal\",\"NR\":\"Nauru\",\"NU\":\"Niue\",\"NZ\":\"New Zealand\",\"OM\":\"Oman\",\"PA\":\"Panama\",\"PE\":\"Peru\",\"PF\":\"French Polynesia\",\"PG\":\"Papua New Guinea\",\"PH\":\"Philippines\",\"PK\":\"Pakistan\",\"PL\":\"Poland\",\"PM\":\"Saint Pierre and Miquelon\",\"PN\":\"Pitcairn\",\"PR\":\"Puerto Rico\",\"PS\":\"Palestine, State of\",\"PT\":\"Portugal\",\"PW\":\"Palau\",\"PY\":\"Paraguay\",\"QA\":\"Qatar\",\"RE\":\"R\\u00e9union\",\"RO\":\"Romania\",\"RS\":\"Serbia\",\"RU\":\"Russian Federation\",\"RW\":\"Rwanda\",\"SA\":\"Saudi Arabia\",\"SB\":\"Solomon Islands\",\"SC\":\"Seychelles\",\"SD\":\"Sudan\",\"SE\":\"Sweden\",\"SG\":\"Singapore\",\"SH\":\"Saint Helena, Ascension and Tristan da Cunha\",\"SI\":\"Slovenia\",\"SJ\":\"Svalbard and Jan Mayen\",\"SK\":\"Slovakia\",\"SL\":\"Sierra Leone\",\"SM\":\"San Marino\",\"SN\":\"Senegal\",\"SO\":\"Somalia\",\"SR\":\"Suriname\",\"SS\":\"South Sudan\",\"ST\":\"Sao Tome and Principe\",\"SV\":\"El Salvador\",\"SX\":\"Sint Maarten (Dutch part)\",\"SY\":\"Syrian Arab Republic\",\"SZ\":\"Swaziland\",\"TC\":\"Turks and Caicos Islands\",\"TD\":\"Chad\",\"TF\":\"French Southern Territories\",\"TG\":\"Togo\",\"TH\":\"Thailand\",\"TJ\":\"Tajikistan\",\"TK\":\"Tokelau\",\"TL\":\"Timor-Leste\",\"TM\":\"Turkmenistan\",\"TN\":\"Tunisia\",\"TO\":\"Tonga\",\"TR\":\"Turkey\",\"TT\":\"Trinidad and Tobago\",\"TV\":\"Tuvalu\",\"TW\":\"Taiwan, Province of China\",\"TZ\":\"Tanzania, United Republic of\",\"UA\":\"Ukraine\",\"UG\":\"Uganda\",\"UM\":\"United States Minor Outlying Islands\",\"US\":\"United States of America\",\"UY\":\"Uruguay\",\"UZ\":\"Uzbekistan\",\"VA\":\"Holy See\",\"VC\":\"Saint Vincent and the Grenadines\",\"VE\":\"Venezuela, Bolivarian Republic of\",\"VG\":\"Virgin Islands, British\",\"VI\":\"Virgin Islands, U.S.\",\"VN\":\"Viet Nam\",\"VU\":\"Vanuatu\",\"WF\":\"Wallis and Futuna\",\"WS\":\"Samoa\",\"YE\":\"Yemen\",\"YT\":\"Mayotte\",\"ZA\":\"South Africa\",\"ZM\":\"Zambia\",\"ZW\":\"Zimbabwe\"}}},\"OpportunityItem\":{\"fields\":{\"name\":\"Name\",\"qty\":\"Qty\",\"quantity\":\"Quantity\",\"unitPrice\":\"Unit Price\",\"amount\":\"Amount\",\"product\":\"Product\",\"order\":\"Line Number\",\"opportunity\":\"Opportunity\",\"description\":\"Description\",\"amountConverted\":\"Amount (Converted)\",\"unitPriceConverted\":\"Unit Price (Converted)\"},\"links\":{\"opportunity\":\"Opportunity\",\"product\":\"Product\"}},\"Product\":{\"labels\":{\"Create Product\":\"Create Product\",\"Price\":\"Price\",\"Brands\":\"Brands\",\"Categories\":\"Categories\"},\"fields\":{\"status\":\"Status\",\"brand\":\"Brand\",\"partNumber\":\"Part Number\",\"category\":\"Category\",\"pricingType\":\"Pricing Type\",\"pricingFactor\":\"Pricing Factor\",\"costPrice\":\"Cost Price\",\"listPrice\":\"List Price\",\"unitPrice\":\"Unit Price\",\"costPriceConverted\":\"Cost Price (Converted)\",\"listPriceConverted\":\"List Price (Converted)\",\"unitPriceConverted\":\"Unit Price (Converted)\",\"url\":\"URL\",\"weight\":\"Weight\"},\"links\":{\"brand\":\"Brand\",\"category\":\"Category\"},\"options\":{\"pricingType\":{\"Same as List\":\"Same as List\",\"Fixed\":\"Fixed\",\"Discount from List\":\"Discount from List\",\"Markup over Cost\":\"Markup over Cost\",\"Profit Margin\":\"Profit Margin\"}},\"presetFilters\":{\"available\":\"Available\"}},\"ProductBrand\":{\"labels\":{\"Create ProductBrand\":\"Create Brand\"},\"fields\":{\"website\":\"Website\"},\"links\":{\"products\":\"Products\"}},\"ProductCategory\":{\"labels\":{\"Create ProductCategory\":\"Create Category\",\"Manage Categories\":\"Manage Categories\"},\"fields\":{\"order\":\"Order\"},\"links\":{\"products\":\"Products\"}},\"Quote\":{\"labels\":{\"Create Quote\":\"Create Quote\",\"Taxes\":\"Taxes\",\"Shipping Providers\":\"Shipping Providers\",\"Add Item\":\"Add Item\",\"Templates\":\"Templates\",\"Items\":\"Items\",\"Email PDF\":\"Email PDF\",\"Quote Items\":\"Quote Items\"},\"fields\":{\"status\":\"Status\",\"number\":\"Quote Number\",\"invoiceNumber\":\"Invoice Number\",\"account\":\"Account\",\"opportunity\":\"Opportunity\",\"billingAddress\":\"Billing Address\",\"shippingAddress\":\"Shipping Address\",\"billingContact\":\"Billing Contact\",\"shippingContact\":\"Shipping Contact\",\"tax\":\"Tax\",\"taxRate\":\"Tax Rate\",\"shippingCost\":\"Shipping Cost\",\"shippingProvider\":\"Shipping Provider\",\"taxAmount\":\"Tax Amount\",\"discountAmount\":\"Discount Amount\",\"amount\":\"Amount\",\"preDiscountedAmount\":\"Pre-Discount Amount\",\"grandTotalAmount\":\"Grand Total Amount\",\"itemList\":\"Item List\",\"dateQuoted\":\"Date Quoted\",\"dateInvoiced\":\"Date Invoiced\",\"weight\":\"Weight\",\"amountConverted\":\"Amount (converted)\",\"taxAmountConverted\":\"Tax Amount (converted)\",\"shippingCostConverted\":\"Shipping Cost (converted)\",\"preDiscountedAmountConverted\":\"Pre-Discount Amount (converted)\",\"discountAmountConverted\":\"Discount Amount (converted)\",\"grandTotalAmountConverted\":\"Grand Total Amount (converted)\"},\"links\":{\"items\":\"Items\",\"billingContact\":\"Billing Contact\",\"shippingContact\":\"Shipping Contact\",\"opportunity\":\"Opportunity\",\"account\":\"Account\",\"tax\":\"Tax\"},\"options\":{\"status\":{\"Draft\":\"Draft\",\"In Review\":\"In Review\",\"Presented\":\"Presented\",\"Approved\":\"Approved\",\"Rejected\":\"Rejected\",\"Canceled\":\"Canceled\"}},\"presetFilters\":{\"actual\":\"Actual\",\"approved\":\"Approved\"}},\"QuoteItem\":{\"fields\":{\"name\":\"Name\",\"qty\":\"Qty\",\"quantity\":\"Quantity\",\"listPrice\":\"List Price\",\"unitPrice\":\"Unit Price\",\"amount\":\"Amount\",\"taxRate\":\"Tax Rate\",\"product\":\"Product\",\"order\":\"Line Number\",\"quote\":\"Quote\",\"weight\":\"Weight\",\"unitWeight\":\"Unit Weight\",\"description\":\"Description\",\"discount\":\"Discount (%)\",\"amountConverted\":\"Amount (Converted)\",\"unitPriceConverted\":\"Unit Price (Converted)\",\"listPriceConverted\":\"List Price (Converted)\",\"account\":\"Account\",\"quoteStatus\":\"Quote Status\"},\"links\":{\"quote\":\"Quote\",\"product\":\"Product\",\"account\":\"Account\"},\"labels\":{\"Quotes\":\"Quotes\"}},\"Report\":{\"labels\":{\"Create Report\":\"Create Report\",\"Run\":\"Run\",\"Total\":\"Total\",\"-Empty-\":\"-Empty-\",\"Parameters\":\"Parameters\",\"Filters\":\"Filters\",\"Chart\":\"Chart\",\"List Report\":\"List Report\",\"Grid Report\":\"Grid Report\",\"days\":\"days\",\"never\":\"never\",\"Get Csv\":\"Get Csv\",\"EmailSending\":\"Email Sending\",\"View Report\":\"View Report\",\"Report\":\"Report\",\"Add AND\":\"Add AND\",\"Add OR\":\"Add OR\",\"Columns\":\"Columns\"},\"fields\":{\"type\":\"Type\",\"entityType\":\"Entity Type\",\"description\":\"Description\",\"groupBy\":\"Group by\",\"columns\":\"Columns\",\"orderBy\":\"Order by\",\"filters\":\"Filters\",\"runtimeFilters\":\"Runtime Filters\",\"chartType\":\"Chart Type\",\"emailSendingInterval\":\"Interval\",\"emailSendingTime\":\"Time\",\"emailSendingUsers\":\"Users\",\"emailSendingSettingDay\":\"Day\",\"emailSendingSettingMonth\":\"Month\",\"emailSendingSettingWeekdays\":\"Days\",\"emailSendingDoNotSendEmptyReport\":\"Don't send if report is empty\",\"chartColorList\":\"Chart Colors\",\"chartColor\":\"Chart Color\",\"orderByList\":\"List Order\"},\"tooltips\":{\"emailSendingUsers\":\"Users report result will be sent to\",\"chartColorList\":\"Custom colors for specific groups.\"},\"functions\":{\"COUNT\":\"Count\",\"SUM\":\"Sum\",\"AVG\":\"Avg\",\"MIN\":\"Min\",\"MAX\":\"Max\",\"YEAR\":\"Year\",\"MONTH\":\"Month\",\"DAY\":\"Day\"},\"orders\":{\"ASC\":\"ASC\",\"DESC\":\"DESC\",\"LIST\":\"LIST\"},\"options\":{\"chartType\":{\"BarHorizontal\":\"Bar (horizontal)\",\"BarVertical\":\"Bar (vertical)\",\"Pie\":\"Pie\",\"Line\":\"Line\"},\"emailSendingInterval\":{\"\":\"None\",\"Daily\":\"Daily\",\"Weekly\":\"Weekly\",\"Monthly\":\"Monthly\",\"Yearly\":\"Yearly\"},\"emailSendingSettingDay\":{\"32\":\"Last day of month\"},\"type\":{\"Grid\":\"Grid\",\"List\":\"List\"}},\"messages\":{\"validateMaxCount\":\"Count should not be greater than {maxCount}\",\"gridReportDescription\":\"Group by one or two columns and see summations. Can be displayed as a chart.\",\"listReportDescription\":\"Simple list of records which meet filters criteria.\"},\"presetFilters\":{\"list\":\"List\",\"grid\":\"Grid\",\"listTargets\":\"List (Targets)\",\"listAccounts\":\"List (Accounts)\",\"listContacts\":\"List (Contacts)\",\"listLeads\":\"List (Leads)\",\"listUsers\":\"List (Users)\"},\"errorMessages\":{\"error\":\"Error\",\"noChart\":\"No chart selected for the report\",\"selectReport\":\"Select Report in dashlet options\"},\"filtersGroupTypes\":{\"or\":\"OR\",\"and\":\"AND\"}},\"ShippingProvider\":{\"labels\":{\"Create ShippingProvider\":\"Create Shipping Provider\"},\"fields\":{\"website\":\"Website\"}},\"Tax\":{\"labels\":{\"Create Tax\":\"Create Tax\"},\"fields\":{\"rate\":\"Rate\"}},\"Workflow\":{\"fields\":{\"Name\":\"Name\",\"entityType\":\"Target Entity\",\"type\":\"Trigger Type\",\"isActive\":\"Active\",\"description\":\"Description\",\"usersToMakeToFollow\":\"Users to make to follow the record\",\"whatToFollow\":\"What to Follow\",\"portalOnly\":\"Portal Only\",\"portal\":\"Portal\",\"targetReport\":\"Target Report\",\"scheduling\":\"Scheduling\",\"methodName\":\"Service Method\",\"assignmentRule\":\"Assignment Rule\",\"targetTeam\":\"Target Team\",\"targetUserPosition\":\"Target User Position\",\"listReport\":\"List Report\"},\"links\":{\"portal\":\"Portal\",\"targetReport\":\"Target Report\",\"workflowLogRecords\":\"Log\"},\"tooltips\":{\"portalOnly\":\"If checked workflow will be triggered only in portal.\",\"portal\":\"Specific portal where workflow will be triggered. Leave empty if you need it to work in any portal.\",\"scheduling\":\"Crontab notation. Defines frequency of job runs.\\n\\n*\\/5 * * * * - every 5 minutes\\n\\n0 *\\/2 * * * - every 2 hours\\n\\n30 1 * * * - at 01:30 once a day\\n\\n0 0 1 * * - on the first day of the month\"},\"labels\":{\"Create Workflow\":\"Create Rule\",\"General\":\"General\",\"Conditions\":\"Conditions\",\"Actions\":\"Actions\",\"All\":\"All\",\"Any\":\"Any\",\"Formula\":\"Formula\",\"Email Address\":\"Email Address\",\"Email Template\":\"Email Template\",\"From\":\"From\",\"To\":\"To\",\"immediately\":\"Immediately\",\"later\":\"Later\",\"today\":\"now\",\"plus\":\"plus\",\"minus\":\"minus\",\"days\":\"days\",\"hours\":\"hours\",\"months\":\"months\",\"minutes\":\"minutes\",\"Link\":\"Link\",\"Entity\":\"Entity\",\"Add Field\":\"Add Field\",\"equals\":\"equals\",\"wasEqual\":\"was equal\",\"notEquals\":\"not equals\",\"wasNotEqual\":\"was not equal\",\"changed\":\"changed\",\"notEmpty\":\"not empty\",\"isEmpty\":\"empty\",\"value\":\"value\",\"field\":\"field\",\"true\":\"true\",\"false\":\"false\",\"greaterThan\":\"greater than\",\"lessThan\":\"less than\",\"greaterThanOrEquals\":\"greater than or equals\",\"lessThanOrEquals\":\"less than or equals\",\"between\":\"between\",\"on\":\"on\",\"before\":\"before\",\"after\":\"after\",\"beforeToday\":\"before today\",\"afterToday\":\"after today\",\"recipient\":\"Recipient\",\"has\":\"has\",\"messageTemplate\":\"Message Template\",\"users\":\"Users\",\"Target Entity\":\"Target Entity\",\"Workflow\":\"Workflow\",\"Workflows Log\":\"Workflows Log\",\"methodName\":\"Service Method\",\"additionalParameters\":\"Additional Parameters (JSON format)\",\"doNotStore\":\"Do not store sent email\",\"Related\":\"Related\"},\"emailAddressOptions\":{\"currentUser\":\"Current User\",\"specifiedEmailAddress\":\"Specified Email Address\",\"assignedUser\":\"Assigned User\",\"targetEntity\":\"Target Entity\",\"specifiedUsers\":\"Specified Users\",\"specifiedContacts\":\"Specified Contacts\",\"teamUsers\":\"Team Users\",\"followers\":\"Followers\",\"followersExcludingAssignedUser\":\"Followers excluding Assigned User\",\"specifiedTeams\":\"Users of specified Teams\",\"system\":\"System\"},\"options\":{\"type\":{\"afterRecordSaved\":\"After record saved\",\"afterRecordCreated\":\"After record created\",\"scheduled\":\"Scheduled\",\"sequential\":\"Sequential\"},\"subjectType\":{\"value\":\"value\",\"field\":\"field\",\"today\":\"today\\/now\"},\"assignmentRule\":{\"Round-Robin\":\"Round-Robin\",\"Least-Busy\":\"Least-Busy\"}},\"actionTypes\":{\"sendEmail\":\"Send Email\",\"createEntity\":\"Create Entity\",\"createRelatedEntity\":\"Create Related Entity\",\"updateEntity\":\"Update Entity\",\"updateRelatedEntity\":\"Update Related Entity\",\"relateWithEntity\":\"Link with Another Entity\",\"unrelateFromEntity\":\"Unlink from Another Entity\",\"makeFollowed\":\"Make Followed\",\"createNotification\":\"Create Notification\",\"triggerWorkflow\":\"Trigger Another Workflow\",\"runService\":\"Run Service Action\",\"applyAssignmentRule\":\"Apply Assignment Rule\"},\"texts\":{\"allMustBeMet\":\"All must be met\",\"atLeastOneMustBeMet\":\"At least one must be met\",\"formulaInfo\":\"Conditions of any complexity in espo-formula language\"},\"messages\":{\"loopNotice\":\"Be careful about a possible looping through two or more workflow rules continuously.\",\"messageTemplateHelpText\":\"Available variables:\\n{entity} - target record,\\n{user} - current user.\"}},\"WorkflowLogRecord\":{\"labels\":[],\"fields\":{\"target\":\"Target\",\"workflow\":\"Workflow\"}}}" }, "redirectURL": "", "headersSize": 511, @@ -3798,7 +3798,7 @@ "size": 1655, "mimeType": "application/json", "compression": 0, - "text": "{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":120,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-06-04 04:08:16\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechat_hitxy_id\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":\"AUD\",\"opportunityAmountConverted\":120,\"emailAddressData\":[{\"emailAddress\":\"test@gmail.com\",\"lower\":\"test@gmail.com\",\"primary\":true,\"optOut\":false,\"invalid\":false},{\"emailAddress\":\"abc@hotmail.com\",\"lower\":\"abc@hotmail.com\",\"primary\":false,\"optOut\":false,\"invalid\":false},{\"emailAddress\":\"def@jjx.com.au\",\"lower\":\"def@jjx.com.au\",\"primary\":false,\"optOut\":false,\"invalid\":false}],\"phoneNumberData\":[{\"phoneNumber\":\"456\",\"primary\":true,\"type\":\"Home\"},{\"phoneNumber\":\"123\",\"primary\":false,\"type\":\"Mobile\"}],\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"1\",\"modifiedByName\":\"Admin\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"teamsIds\":[],\"teamsNames\":{},\"campaignId\":null,\"campaignName\":null,\"createdAccountId\":null,\"createdAccountName\":null,\"createdContactId\":null,\"createdContactName\":null,\"createdOpportunityId\":null,\"createdOpportunityName\":null,\"imagesIds\":[],\"imagesNames\":{},\"isFollowed\":true,\"followersIds\":[\"1\"],\"followersNames\":{\"1\":\"Admin\"},\"imagesTypes\":{}}" + "text": "{\"id\":\"58f4aa0682ea74bb8\",\"name\":\"same email\",\"deleted\":false,\"salutationName\":\"\",\"firstName\":\"same\",\"lastName\":\"email\",\"title\":\"\",\"status\":\"New\",\"source\":\"\",\"industry\":\"\",\"opportunityAmount\":120,\"website\":\"\",\"addressStreet\":\"\",\"addressCity\":\"\",\"addressState\":\"\",\"addressCountry\":\"\",\"addressPostalCode\":\"\",\"emailAddress\":\"test@gmail.com\",\"phoneNumber\":\"456\",\"doNotCall\":false,\"description\":\"\",\"createdAt\":\"2017-04-17 11:41:58\",\"modifiedAt\":\"2017-06-04 04:08:16\",\"accountName\":\"\",\"password\":\"abcdefg\",\"wechatOpenID\":\"the user id obtained from wechat public account\",\"verifier\":[\"231823091\",\"adkdaifaskfsafsa\",\"394kfdjafdsa\",\"39410498321041\"],\"opportunityAmountCurrency\":\"AUD\",\"opportunityAmountConverted\":120,\"emailAddressData\":[{\"emailAddress\":\"test@gmail.com\",\"lower\":\"test@gmail.com\",\"primary\":true,\"optOut\":false,\"invalid\":false},{\"emailAddress\":\"abc@hotmail.com\",\"lower\":\"abc@hotmail.com\",\"primary\":false,\"optOut\":false,\"invalid\":false},{\"emailAddress\":\"def@jjx.com.au\",\"lower\":\"def@jjx.com.au\",\"primary\":false,\"optOut\":false,\"invalid\":false}],\"phoneNumberData\":[{\"phoneNumber\":\"456\",\"primary\":true,\"type\":\"Home\"},{\"phoneNumber\":\"123\",\"primary\":false,\"type\":\"Mobile\"}],\"createdById\":\"1\",\"createdByName\":\"Admin\",\"modifiedById\":\"1\",\"modifiedByName\":\"Admin\",\"assignedUserId\":\"1\",\"assignedUserName\":\"Admin\",\"teamsIds\":[],\"teamsNames\":{},\"campaignId\":null,\"campaignName\":null,\"createdAccountId\":null,\"createdAccountName\":null,\"createdContactId\":null,\"createdContactName\":null,\"createdOpportunityId\":null,\"createdOpportunityName\":null,\"imagesIds\":[],\"imagesNames\":{},\"isFollowed\":true,\"followersIds\":[\"1\"],\"followersNames\":{\"1\":\"Admin\"},\"imagesTypes\":{}}" }, "redirectURL": "", "headersSize": 504, diff --git a/sample_data/duplicate_err-when-creating-entity.json b/sample_data/duplicate_err-when-creating-entity.json index 254fc93..5013049 100644 --- a/sample_data/duplicate_err-when-creating-entity.json +++ b/sample_data/duplicate_err-when-creating-entity.json @@ -27,7 +27,7 @@ "modifiedAt": "2017-06-29 03:35:33", "accountName": null, "password": "pp", - "wechat_hitxy_id": "someopenid", + "wechatOpenID": "someopenid", "verifier": null, "opportunityAmountCurrency": null, "opportunityAmountConverted": null, diff --git a/sample_data/sample_crm_lead_query.json b/sample_data/sample_crm_lead_query.json index c33ef66..69a849e 100644 --- a/sample_data/sample_crm_lead_query.json +++ b/sample_data/sample_crm_lead_query.json @@ -27,7 +27,7 @@ "modifiedAt": "2017-04-18 04:41:06", "accountName": "", "password": "abcdefg", - "wechat_hitxy_id": "the user id obtained from wechat public account", + "wechatOpenID": "the user id obtained from wechat public account", "verifier": [ "231823091", "adkdaifaskfsafsa", @@ -82,7 +82,7 @@ "modifiedAt": "2017-06-30 03:16:53", "accountName": null, "password": "pp", - "wechat_hitxy_id": "someopenid", + "wechatOpenID": "someopenid", "verifier": null, "opportunityAmountCurrency": null, "opportunityAmountConverted": null, @@ -123,7 +123,7 @@ "modifiedAt": "2017-06-30 03:11:45", "accountName": null, "password": "pp", - "wechat_hitxy_id": "someopenid", + "wechatOpenID": "someopenid", "verifier": null, "opportunityAmountCurrency": null, "opportunityAmountConverted": null, @@ -164,7 +164,7 @@ "modifiedAt": "2017-06-28 11:38:20", "accountName": null, "password": "password", - "wechat_hitxy_id": "oUN420Wj78vnkNeAJY7RMPXA28oc", + "wechatOpenID": "oUN420Wj78vnkNeAJY7RMPXA28oc", "verifier": null, "opportunityAmountCurrency": null, "opportunityAmountConverted": null, @@ -205,7 +205,7 @@ "modifiedAt": "2017-06-26 02:32:11", "accountName": "", "password": "dir", - "wechat_hitxy_id": "dir", + "wechatOpenID": "dir", "verifier": [], "opportunityAmountCurrency": null, "opportunityAmountConverted": null, @@ -246,7 +246,7 @@ "modifiedAt": "2017-06-26 02:32:11", "accountName": "", "password": "123", - "wechat_hitxy_id": "weid", + "wechatOpenID": "weid", "verifier": [], "opportunityAmountCurrency": null, "opportunityAmountConverted": null, @@ -287,7 +287,7 @@ "modifiedAt": "2017-06-26 02:32:11", "accountName": "", "password": "abcdefg", - "wechat_hitxy_id": "the user id obtained from wechat public account", + "wechatOpenID": "the user id obtained from wechat public account", "verifier": [ "231823091", "adkdaifaskfsafsa", @@ -333,7 +333,7 @@ "modifiedAt": "2017-06-26 02:32:11", "accountName": "", "password": null, - "wechat_hitxy_id": "the user id obtained from wechat public account", + "wechatOpenID": "the user id obtained from wechat public account", "verifier": [], "opportunityAmountCurrency": null, "opportunityAmountConverted": null, @@ -374,7 +374,7 @@ "modifiedAt": "2017-06-26 02:32:11", "accountName": "", "password": null, - "wechat_hitxy_id": "abce667598", + "wechatOpenID": "abce667598", "verifier": null, "opportunityAmountCurrency": null, "opportunityAmountConverted": null,