mirror of
https://github.com/lingble/chatwoot.git
synced 2025-11-01 11:37:58 +00:00
Merge branch 'develop' into send-on-email-service
This commit is contained in:
1
.github/workflows/run_mfa_spec.yml
vendored
1
.github/workflows/run_mfa_spec.yml
vendored
@@ -70,6 +70,7 @@ jobs:
|
|||||||
spec/services/mfa/authentication_service_spec.rb \
|
spec/services/mfa/authentication_service_spec.rb \
|
||||||
spec/requests/api/v1/profile/mfa_controller_spec.rb \
|
spec/requests/api/v1/profile/mfa_controller_spec.rb \
|
||||||
spec/controllers/devise_overrides/sessions_controller_spec.rb \
|
spec/controllers/devise_overrides/sessions_controller_spec.rb \
|
||||||
|
spec/models/application_record_external_credentials_encryption_spec.rb \
|
||||||
--profile=10 \
|
--profile=10 \
|
||||||
--format documentation
|
--format documentation
|
||||||
env:
|
env:
|
||||||
|
|||||||
@@ -644,7 +644,7 @@ GEM
|
|||||||
activesupport (>= 3.0.0)
|
activesupport (>= 3.0.0)
|
||||||
raabro (1.4.0)
|
raabro (1.4.0)
|
||||||
racc (1.8.1)
|
racc (1.8.1)
|
||||||
rack (3.2.0)
|
rack (3.2.3)
|
||||||
rack-attack (6.7.0)
|
rack-attack (6.7.0)
|
||||||
rack (>= 1.0, < 4)
|
rack (>= 1.0, < 4)
|
||||||
rack-contrib (2.5.0)
|
rack-contrib (2.5.0)
|
||||||
@@ -935,7 +935,7 @@ GEM
|
|||||||
unicode-emoji (~> 4.0, >= 4.0.4)
|
unicode-emoji (~> 4.0, >= 4.0.4)
|
||||||
unicode-emoji (4.0.4)
|
unicode-emoji (4.0.4)
|
||||||
uniform_notifier (1.17.0)
|
uniform_notifier (1.17.0)
|
||||||
uri (1.0.3)
|
uri (1.0.4)
|
||||||
uri_template (0.7.0)
|
uri_template (0.7.0)
|
||||||
valid_email2 (5.2.6)
|
valid_email2 (5.2.6)
|
||||||
activemodel (>= 3.2)
|
activemodel (>= 3.2)
|
||||||
|
|||||||
@@ -7,6 +7,7 @@ class Messages::MessageBuilder
|
|||||||
@private = params[:private] || false
|
@private = params[:private] || false
|
||||||
@conversation = conversation
|
@conversation = conversation
|
||||||
@user = user
|
@user = user
|
||||||
|
@account = conversation.account
|
||||||
@message_type = params[:message_type] || 'outgoing'
|
@message_type = params[:message_type] || 'outgoing'
|
||||||
@attachments = params[:attachments]
|
@attachments = params[:attachments]
|
||||||
@automation_rule = content_attributes&.dig(:automation_rule_id)
|
@automation_rule = content_attributes&.dig(:automation_rule_id)
|
||||||
@@ -20,6 +21,9 @@ class Messages::MessageBuilder
|
|||||||
@message = @conversation.messages.build(message_params)
|
@message = @conversation.messages.build(message_params)
|
||||||
process_attachments
|
process_attachments
|
||||||
process_emails
|
process_emails
|
||||||
|
# When the message has no quoted content, it will just be rendered as a regular message
|
||||||
|
# The frontend is equipped to handle this case
|
||||||
|
process_email_content if @account.feature_enabled?(:quoted_email_reply)
|
||||||
@message.save!
|
@message.save!
|
||||||
@message
|
@message
|
||||||
end
|
end
|
||||||
@@ -92,6 +96,14 @@ class Messages::MessageBuilder
|
|||||||
@message.content_attributes[:to_emails] = to_emails
|
@message.content_attributes[:to_emails] = to_emails
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def process_email_content
|
||||||
|
return unless should_process_email_content?
|
||||||
|
|
||||||
|
@message.content_attributes ||= {}
|
||||||
|
email_attributes = build_email_attributes
|
||||||
|
@message.content_attributes[:email] = email_attributes
|
||||||
|
end
|
||||||
|
|
||||||
def process_email_string(email_string)
|
def process_email_string(email_string)
|
||||||
return [] if email_string.blank?
|
return [] if email_string.blank?
|
||||||
|
|
||||||
@@ -153,4 +165,71 @@ class Messages::MessageBuilder
|
|||||||
source_id: @params[:source_id]
|
source_id: @params[:source_id]
|
||||||
}.merge(external_created_at).merge(automation_rule_id).merge(campaign_id).merge(template_params)
|
}.merge(external_created_at).merge(automation_rule_id).merge(campaign_id).merge(template_params)
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def email_inbox?
|
||||||
|
@conversation.inbox&.inbox_type == 'Email'
|
||||||
|
end
|
||||||
|
|
||||||
|
def should_process_email_content?
|
||||||
|
email_inbox? && !@private && @message.content.present?
|
||||||
|
end
|
||||||
|
|
||||||
|
def build_email_attributes
|
||||||
|
email_attributes = ensure_indifferent_access(@message.content_attributes[:email] || {})
|
||||||
|
normalized_content = normalize_email_body(@message.content)
|
||||||
|
|
||||||
|
# Use custom HTML content if provided, otherwise generate from message content
|
||||||
|
email_attributes[:html_content] = if custom_email_content_provided?
|
||||||
|
build_custom_html_content
|
||||||
|
else
|
||||||
|
build_html_content(normalized_content)
|
||||||
|
end
|
||||||
|
|
||||||
|
email_attributes[:text_content] = build_text_content(normalized_content)
|
||||||
|
email_attributes
|
||||||
|
end
|
||||||
|
|
||||||
|
def build_html_content(normalized_content)
|
||||||
|
html_content = ensure_indifferent_access(@message.content_attributes.dig(:email, :html_content) || {})
|
||||||
|
rendered_html = render_email_html(normalized_content)
|
||||||
|
html_content[:full] = rendered_html
|
||||||
|
html_content[:reply] = rendered_html
|
||||||
|
html_content
|
||||||
|
end
|
||||||
|
|
||||||
|
def build_text_content(normalized_content)
|
||||||
|
text_content = ensure_indifferent_access(@message.content_attributes.dig(:email, :text_content) || {})
|
||||||
|
text_content[:full] = normalized_content
|
||||||
|
text_content[:reply] = normalized_content
|
||||||
|
text_content
|
||||||
|
end
|
||||||
|
|
||||||
|
def ensure_indifferent_access(hash)
|
||||||
|
return {} if hash.blank?
|
||||||
|
|
||||||
|
hash.respond_to?(:with_indifferent_access) ? hash.with_indifferent_access : hash
|
||||||
|
end
|
||||||
|
|
||||||
|
def normalize_email_body(content)
|
||||||
|
content.to_s.gsub("\r\n", "\n")
|
||||||
|
end
|
||||||
|
|
||||||
|
def render_email_html(content)
|
||||||
|
return '' if content.blank?
|
||||||
|
|
||||||
|
ChatwootMarkdownRenderer.new(content).render_message.to_s
|
||||||
|
end
|
||||||
|
|
||||||
|
def custom_email_content_provided?
|
||||||
|
@params[:email_html_content].present?
|
||||||
|
end
|
||||||
|
|
||||||
|
def build_custom_html_content
|
||||||
|
html_content = ensure_indifferent_access(@message.content_attributes.dig(:email, :html_content) || {})
|
||||||
|
|
||||||
|
html_content[:full] = @params[:email_html_content]
|
||||||
|
html_content[:reply] = @params[:email_html_content]
|
||||||
|
|
||||||
|
html_content
|
||||||
|
end
|
||||||
end
|
end
|
||||||
|
|||||||
@@ -4,7 +4,8 @@ class Api::V1::Accounts::InboxesController < Api::V1::Accounts::BaseController
|
|||||||
before_action :fetch_agent_bot, only: [:set_agent_bot]
|
before_action :fetch_agent_bot, only: [:set_agent_bot]
|
||||||
before_action :validate_limit, only: [:create]
|
before_action :validate_limit, only: [:create]
|
||||||
# we are already handling the authorization in fetch inbox
|
# we are already handling the authorization in fetch inbox
|
||||||
before_action :check_authorization, except: [:show]
|
before_action :check_authorization, except: [:show, :health]
|
||||||
|
before_action :validate_whatsapp_cloud_channel, only: [:health]
|
||||||
|
|
||||||
def index
|
def index
|
||||||
@inboxes = policy_scope(Current.account.inboxes.order_by_name.includes(:channel, { avatar_attachment: [:blob] }))
|
@inboxes = policy_scope(Current.account.inboxes.order_by_name.includes(:channel, { avatar_attachment: [:blob] }))
|
||||||
@@ -78,6 +79,14 @@ class Api::V1::Accounts::InboxesController < Api::V1::Accounts::BaseController
|
|||||||
render status: :internal_server_error, json: { error: e.message }
|
render status: :internal_server_error, json: { error: e.message }
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def health
|
||||||
|
health_data = Whatsapp::HealthService.new(@inbox.channel).fetch_health_status
|
||||||
|
render json: health_data
|
||||||
|
rescue StandardError => e
|
||||||
|
Rails.logger.error "[INBOX HEALTH] Error fetching health data: #{e.message}"
|
||||||
|
render json: { error: e.message }, status: :unprocessable_entity
|
||||||
|
end
|
||||||
|
|
||||||
private
|
private
|
||||||
|
|
||||||
def fetch_inbox
|
def fetch_inbox
|
||||||
@@ -89,6 +98,12 @@ class Api::V1::Accounts::InboxesController < Api::V1::Accounts::BaseController
|
|||||||
@agent_bot = AgentBot.find(params[:agent_bot]) if params[:agent_bot]
|
@agent_bot = AgentBot.find(params[:agent_bot]) if params[:agent_bot]
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def validate_whatsapp_cloud_channel
|
||||||
|
return if @inbox.channel.is_a?(Channel::Whatsapp) && @inbox.channel.provider == 'whatsapp_cloud'
|
||||||
|
|
||||||
|
render json: { error: 'Health data only available for WhatsApp Cloud API channels' }, status: :bad_request
|
||||||
|
end
|
||||||
|
|
||||||
def create_channel
|
def create_channel
|
||||||
return unless allowed_channel_types.include?(permitted_params[:channel][:type])
|
return unless allowed_channel_types.include?(permitted_params[:channel][:type])
|
||||||
|
|
||||||
|
|||||||
@@ -19,6 +19,19 @@ class DeviseOverrides::OmniauthCallbacksController < DeviseTokenAuth::OmniauthCa
|
|||||||
redirect_to login_page_url(email: encoded_email, sso_auth_token: @resource.generate_sso_auth_token)
|
redirect_to login_page_url(email: encoded_email, sso_auth_token: @resource.generate_sso_auth_token)
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def sign_in_user_on_mobile
|
||||||
|
@resource.skip_confirmation! if confirmable_enabled?
|
||||||
|
|
||||||
|
# once the resource is found and verified
|
||||||
|
# we can just send them to the login page again with the SSO params
|
||||||
|
# that will log them in
|
||||||
|
encoded_email = ERB::Util.url_encode(@resource.email)
|
||||||
|
params = { email: encoded_email, sso_auth_token: @resource.generate_sso_auth_token }.to_query
|
||||||
|
|
||||||
|
mobile_deep_link_base = GlobalConfigService.load('MOBILE_DEEP_LINK_BASE', 'chatwootapp')
|
||||||
|
redirect_to "#{mobile_deep_link_base}://auth/saml?#{params}", allow_other_host: true
|
||||||
|
end
|
||||||
|
|
||||||
def sign_up_user
|
def sign_up_user
|
||||||
return redirect_to login_page_url(error: 'no-account-found') unless account_signup_allowed?
|
return redirect_to login_page_url(error: 'no-account-found') unless account_signup_allowed?
|
||||||
return redirect_to login_page_url(error: 'business-account-only') unless validate_signup_email_is_business_domain?
|
return redirect_to login_page_url(error: 'business-account-only') unless validate_signup_email_is_business_domain?
|
||||||
|
|||||||
36
app/javascript/dashboard/api/captain/customTools.js
Normal file
36
app/javascript/dashboard/api/captain/customTools.js
Normal file
@@ -0,0 +1,36 @@
|
|||||||
|
/* global axios */
|
||||||
|
import ApiClient from '../ApiClient';
|
||||||
|
|
||||||
|
class CaptainCustomTools extends ApiClient {
|
||||||
|
constructor() {
|
||||||
|
super('captain/custom_tools', { accountScoped: true });
|
||||||
|
}
|
||||||
|
|
||||||
|
get({ page = 1, searchKey } = {}) {
|
||||||
|
return axios.get(this.url, {
|
||||||
|
params: { page, searchKey },
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
show(id) {
|
||||||
|
return axios.get(`${this.url}/${id}`);
|
||||||
|
}
|
||||||
|
|
||||||
|
create(data = {}) {
|
||||||
|
return axios.post(this.url, {
|
||||||
|
custom_tool: data,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
update(id, data = {}) {
|
||||||
|
return axios.put(`${this.url}/${id}`, {
|
||||||
|
custom_tool: data,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
delete(id) {
|
||||||
|
return axios.delete(`${this.url}/${id}`);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export default new CaptainCustomTools();
|
||||||
14
app/javascript/dashboard/api/inboxHealth.js
Normal file
14
app/javascript/dashboard/api/inboxHealth.js
Normal file
@@ -0,0 +1,14 @@
|
|||||||
|
/* global axios */
|
||||||
|
import ApiClient from './ApiClient';
|
||||||
|
|
||||||
|
class InboxHealthAPI extends ApiClient {
|
||||||
|
constructor() {
|
||||||
|
super('inboxes', { accountScoped: true });
|
||||||
|
}
|
||||||
|
|
||||||
|
getHealthStatus(inboxId) {
|
||||||
|
return axios.get(`${this.url}/${inboxId}/health`);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export default new InboxHealthAPI();
|
||||||
@@ -10,6 +10,10 @@ const props = defineProps({
|
|||||||
type: String,
|
type: String,
|
||||||
required: true,
|
required: true,
|
||||||
},
|
},
|
||||||
|
translationKey: {
|
||||||
|
type: String,
|
||||||
|
required: true,
|
||||||
|
},
|
||||||
entity: {
|
entity: {
|
||||||
type: Object,
|
type: Object,
|
||||||
required: true,
|
required: true,
|
||||||
@@ -25,7 +29,9 @@ const emit = defineEmits(['deleteSuccess']);
|
|||||||
const { t } = useI18n();
|
const { t } = useI18n();
|
||||||
const store = useStore();
|
const store = useStore();
|
||||||
const deleteDialogRef = ref(null);
|
const deleteDialogRef = ref(null);
|
||||||
const i18nKey = computed(() => props.type.toUpperCase());
|
const i18nKey = computed(() => {
|
||||||
|
return props.translationKey || props.type.toUpperCase();
|
||||||
|
});
|
||||||
|
|
||||||
const deleteEntity = async payload => {
|
const deleteEntity = async payload => {
|
||||||
if (!payload) return;
|
if (!payload) return;
|
||||||
|
|||||||
@@ -0,0 +1,73 @@
|
|||||||
|
<script setup>
|
||||||
|
import { defineModel, watch } from 'vue';
|
||||||
|
import { useI18n } from 'vue-i18n';
|
||||||
|
import Input from 'dashboard/components-next/input/Input.vue';
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
authType: {
|
||||||
|
type: String,
|
||||||
|
required: true,
|
||||||
|
validator: value => ['none', 'bearer', 'basic', 'api_key'].includes(value),
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const { t } = useI18n();
|
||||||
|
|
||||||
|
const authConfig = defineModel('authConfig', {
|
||||||
|
type: Object,
|
||||||
|
default: () => ({}),
|
||||||
|
});
|
||||||
|
|
||||||
|
watch(
|
||||||
|
() => props.authType,
|
||||||
|
() => {
|
||||||
|
authConfig.value = {};
|
||||||
|
}
|
||||||
|
);
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<div class="flex flex-col gap-2">
|
||||||
|
<Input
|
||||||
|
v-if="authType === 'bearer'"
|
||||||
|
v-model="authConfig.token"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.BEARER_TOKEN')"
|
||||||
|
:placeholder="
|
||||||
|
t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.BEARER_TOKEN_PLACEHOLDER')
|
||||||
|
"
|
||||||
|
/>
|
||||||
|
<template v-else-if="authType === 'basic'">
|
||||||
|
<Input
|
||||||
|
v-model="authConfig.username"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.USERNAME')"
|
||||||
|
:placeholder="
|
||||||
|
t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.USERNAME_PLACEHOLDER')
|
||||||
|
"
|
||||||
|
/>
|
||||||
|
<Input
|
||||||
|
v-model="authConfig.password"
|
||||||
|
type="password"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.PASSWORD')"
|
||||||
|
:placeholder="
|
||||||
|
t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.PASSWORD_PLACEHOLDER')
|
||||||
|
"
|
||||||
|
/>
|
||||||
|
</template>
|
||||||
|
<template v-else-if="authType === 'api_key'">
|
||||||
|
<Input
|
||||||
|
v-model="authConfig.name"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.API_KEY')"
|
||||||
|
:placeholder="
|
||||||
|
t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.API_KEY_PLACEHOLDER')
|
||||||
|
"
|
||||||
|
/>
|
||||||
|
<Input
|
||||||
|
v-model="authConfig.key"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.API_VALUE')"
|
||||||
|
:placeholder="
|
||||||
|
t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_CONFIG.API_VALUE_PLACEHOLDER')
|
||||||
|
"
|
||||||
|
/>
|
||||||
|
</template>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
@@ -0,0 +1,87 @@
|
|||||||
|
<script setup>
|
||||||
|
import { ref, computed } from 'vue';
|
||||||
|
import { useStore } from 'dashboard/composables/store';
|
||||||
|
import { useAlert } from 'dashboard/composables';
|
||||||
|
import { useI18n } from 'vue-i18n';
|
||||||
|
import { parseAPIErrorResponse } from 'dashboard/store/utils/api';
|
||||||
|
|
||||||
|
import Dialog from 'dashboard/components-next/dialog/Dialog.vue';
|
||||||
|
import CustomToolForm from './CustomToolForm.vue';
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
selectedTool: {
|
||||||
|
type: Object,
|
||||||
|
default: () => ({}),
|
||||||
|
},
|
||||||
|
type: {
|
||||||
|
type: String,
|
||||||
|
default: 'create',
|
||||||
|
validator: value => ['create', 'edit'].includes(value),
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const emit = defineEmits(['close']);
|
||||||
|
const { t } = useI18n();
|
||||||
|
const store = useStore();
|
||||||
|
|
||||||
|
const dialogRef = ref(null);
|
||||||
|
|
||||||
|
const updateTool = toolDetails =>
|
||||||
|
store.dispatch('captainCustomTools/update', {
|
||||||
|
id: props.selectedTool.id,
|
||||||
|
...toolDetails,
|
||||||
|
});
|
||||||
|
|
||||||
|
const i18nKey = computed(
|
||||||
|
() => `CAPTAIN.CUSTOM_TOOLS.${props.type.toUpperCase()}`
|
||||||
|
);
|
||||||
|
|
||||||
|
const createTool = toolDetails =>
|
||||||
|
store.dispatch('captainCustomTools/create', toolDetails);
|
||||||
|
|
||||||
|
const handleSubmit = async updatedTool => {
|
||||||
|
try {
|
||||||
|
if (props.type === 'edit') {
|
||||||
|
await updateTool(updatedTool);
|
||||||
|
} else {
|
||||||
|
await createTool(updatedTool);
|
||||||
|
}
|
||||||
|
useAlert(t(`${i18nKey.value}.SUCCESS_MESSAGE`));
|
||||||
|
dialogRef.value.close();
|
||||||
|
} catch (error) {
|
||||||
|
const errorMessage =
|
||||||
|
parseAPIErrorResponse(error) || t(`${i18nKey.value}.ERROR_MESSAGE`);
|
||||||
|
useAlert(errorMessage);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleClose = () => {
|
||||||
|
emit('close');
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleCancel = () => {
|
||||||
|
dialogRef.value.close();
|
||||||
|
};
|
||||||
|
|
||||||
|
defineExpose({ dialogRef });
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<Dialog
|
||||||
|
ref="dialogRef"
|
||||||
|
width="2xl"
|
||||||
|
:title="$t(`${i18nKey}.TITLE`)"
|
||||||
|
:description="$t('CAPTAIN.CUSTOM_TOOLS.FORM_DESCRIPTION')"
|
||||||
|
:show-cancel-button="false"
|
||||||
|
:show-confirm-button="false"
|
||||||
|
@close="handleClose"
|
||||||
|
>
|
||||||
|
<CustomToolForm
|
||||||
|
:mode="type"
|
||||||
|
:tool="selectedTool"
|
||||||
|
@submit="handleSubmit"
|
||||||
|
@cancel="handleCancel"
|
||||||
|
/>
|
||||||
|
<template #footer />
|
||||||
|
</Dialog>
|
||||||
|
</template>
|
||||||
@@ -0,0 +1,125 @@
|
|||||||
|
<script setup>
|
||||||
|
import { computed } from 'vue';
|
||||||
|
import { useToggle } from '@vueuse/core';
|
||||||
|
import { useI18n } from 'vue-i18n';
|
||||||
|
import { dynamicTime } from 'shared/helpers/timeHelper';
|
||||||
|
|
||||||
|
import CardLayout from 'dashboard/components-next/CardLayout.vue';
|
||||||
|
import DropdownMenu from 'dashboard/components-next/dropdown-menu/DropdownMenu.vue';
|
||||||
|
import Button from 'dashboard/components-next/button/Button.vue';
|
||||||
|
import Policy from 'dashboard/components/policy.vue';
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
id: {
|
||||||
|
type: Number,
|
||||||
|
required: true,
|
||||||
|
},
|
||||||
|
title: {
|
||||||
|
type: String,
|
||||||
|
required: true,
|
||||||
|
},
|
||||||
|
description: {
|
||||||
|
type: String,
|
||||||
|
default: '',
|
||||||
|
},
|
||||||
|
authType: {
|
||||||
|
type: String,
|
||||||
|
default: 'none',
|
||||||
|
},
|
||||||
|
updatedAt: {
|
||||||
|
type: Number,
|
||||||
|
required: true,
|
||||||
|
},
|
||||||
|
createdAt: {
|
||||||
|
type: Number,
|
||||||
|
required: true,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const emit = defineEmits(['action']);
|
||||||
|
|
||||||
|
const { t } = useI18n();
|
||||||
|
|
||||||
|
const [showActionsDropdown, toggleDropdown] = useToggle();
|
||||||
|
|
||||||
|
const menuItems = computed(() => [
|
||||||
|
{
|
||||||
|
label: t('CAPTAIN.CUSTOM_TOOLS.OPTIONS.EDIT_TOOL'),
|
||||||
|
value: 'edit',
|
||||||
|
action: 'edit',
|
||||||
|
icon: 'i-lucide-pencil-line',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('CAPTAIN.CUSTOM_TOOLS.OPTIONS.DELETE_TOOL'),
|
||||||
|
value: 'delete',
|
||||||
|
action: 'delete',
|
||||||
|
icon: 'i-lucide-trash',
|
||||||
|
},
|
||||||
|
]);
|
||||||
|
|
||||||
|
const timestamp = computed(() =>
|
||||||
|
dynamicTime(props.updatedAt || props.createdAt)
|
||||||
|
);
|
||||||
|
|
||||||
|
const handleAction = ({ action, value }) => {
|
||||||
|
toggleDropdown(false);
|
||||||
|
emit('action', { action, value, id: props.id });
|
||||||
|
};
|
||||||
|
|
||||||
|
const authTypeLabel = computed(() => {
|
||||||
|
return t(
|
||||||
|
`CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPES.${props.authType.toUpperCase()}`
|
||||||
|
);
|
||||||
|
});
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<CardLayout class="relative">
|
||||||
|
<div class="flex relative justify-between w-full gap-1">
|
||||||
|
<span class="text-base text-n-slate-12 line-clamp-1 font-medium">
|
||||||
|
{{ title }}
|
||||||
|
</span>
|
||||||
|
<div class="flex items-center gap-2">
|
||||||
|
<Policy
|
||||||
|
v-on-clickaway="() => toggleDropdown(false)"
|
||||||
|
:permissions="['administrator']"
|
||||||
|
class="relative flex items-center group"
|
||||||
|
>
|
||||||
|
<Button
|
||||||
|
icon="i-lucide-ellipsis-vertical"
|
||||||
|
color="slate"
|
||||||
|
size="xs"
|
||||||
|
class="rounded-md group-hover:bg-n-alpha-2"
|
||||||
|
@click="toggleDropdown()"
|
||||||
|
/>
|
||||||
|
<DropdownMenu
|
||||||
|
v-if="showActionsDropdown"
|
||||||
|
:menu-items="menuItems"
|
||||||
|
class="mt-1 ltr:right-0 rtl:right-0 top-full"
|
||||||
|
@action="handleAction($event)"
|
||||||
|
/>
|
||||||
|
</Policy>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="flex items-center justify-between w-full gap-4">
|
||||||
|
<div class="flex items-center gap-3 flex-1">
|
||||||
|
<span
|
||||||
|
v-if="description"
|
||||||
|
class="text-sm truncate text-n-slate-11 flex-1"
|
||||||
|
>
|
||||||
|
{{ description }}
|
||||||
|
</span>
|
||||||
|
<span
|
||||||
|
v-if="authType !== 'none'"
|
||||||
|
class="text-sm shrink-0 text-n-slate-11 inline-flex items-center gap-1"
|
||||||
|
>
|
||||||
|
<i class="i-lucide-lock text-base" />
|
||||||
|
{{ authTypeLabel }}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
<span class="text-sm text-n-slate-11 line-clamp-1 shrink-0">
|
||||||
|
{{ timestamp }}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</CardLayout>
|
||||||
|
</template>
|
||||||
@@ -0,0 +1,271 @@
|
|||||||
|
<script setup>
|
||||||
|
import { reactive, computed, useTemplateRef, watch } from 'vue';
|
||||||
|
import { useI18n } from 'vue-i18n';
|
||||||
|
import { useVuelidate } from '@vuelidate/core';
|
||||||
|
import { required } from '@vuelidate/validators';
|
||||||
|
import { useMapGetter } from 'dashboard/composables/store';
|
||||||
|
|
||||||
|
import Input from 'dashboard/components-next/input/Input.vue';
|
||||||
|
import TextArea from 'dashboard/components-next/textarea/TextArea.vue';
|
||||||
|
import Button from 'dashboard/components-next/button/Button.vue';
|
||||||
|
import ComboBox from 'dashboard/components-next/combobox/ComboBox.vue';
|
||||||
|
import ParamRow from './ParamRow.vue';
|
||||||
|
import AuthConfig from './AuthConfig.vue';
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
mode: {
|
||||||
|
type: String,
|
||||||
|
default: 'create',
|
||||||
|
validator: value => ['create', 'edit'].includes(value),
|
||||||
|
},
|
||||||
|
tool: {
|
||||||
|
type: Object,
|
||||||
|
default: () => ({}),
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const emit = defineEmits(['submit', 'cancel']);
|
||||||
|
|
||||||
|
const { t } = useI18n();
|
||||||
|
|
||||||
|
const formState = {
|
||||||
|
uiFlags: useMapGetter('captainCustomTools/getUIFlags'),
|
||||||
|
};
|
||||||
|
|
||||||
|
const initialState = {
|
||||||
|
title: '',
|
||||||
|
description: '',
|
||||||
|
endpoint_url: '',
|
||||||
|
http_method: 'GET',
|
||||||
|
request_template: '',
|
||||||
|
response_template: '',
|
||||||
|
auth_type: 'none',
|
||||||
|
auth_config: {},
|
||||||
|
param_schema: [],
|
||||||
|
};
|
||||||
|
|
||||||
|
const state = reactive({ ...initialState });
|
||||||
|
|
||||||
|
// Populate form when in edit mode
|
||||||
|
watch(
|
||||||
|
() => props.tool,
|
||||||
|
newTool => {
|
||||||
|
if (props.mode === 'edit' && newTool && newTool.id) {
|
||||||
|
state.title = newTool.title || '';
|
||||||
|
state.description = newTool.description || '';
|
||||||
|
state.endpoint_url = newTool.endpoint_url || '';
|
||||||
|
state.http_method = newTool.http_method || 'GET';
|
||||||
|
state.request_template = newTool.request_template || '';
|
||||||
|
state.response_template = newTool.response_template || '';
|
||||||
|
state.auth_type = newTool.auth_type || 'none';
|
||||||
|
state.auth_config = newTool.auth_config || {};
|
||||||
|
state.param_schema = newTool.param_schema || [];
|
||||||
|
}
|
||||||
|
},
|
||||||
|
{ immediate: true }
|
||||||
|
);
|
||||||
|
|
||||||
|
const DEFAULT_PARAM = {
|
||||||
|
name: '',
|
||||||
|
type: 'string',
|
||||||
|
description: '',
|
||||||
|
required: false,
|
||||||
|
};
|
||||||
|
|
||||||
|
const validationRules = {
|
||||||
|
title: { required },
|
||||||
|
endpoint_url: { required },
|
||||||
|
http_method: { required },
|
||||||
|
auth_type: { required },
|
||||||
|
};
|
||||||
|
|
||||||
|
const httpMethodOptions = computed(() => [
|
||||||
|
{ value: 'GET', label: 'GET' },
|
||||||
|
{ value: 'POST', label: 'POST' },
|
||||||
|
]);
|
||||||
|
|
||||||
|
const authTypeOptions = computed(() => [
|
||||||
|
{ value: 'none', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPES.NONE') },
|
||||||
|
{ value: 'bearer', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPES.BEARER') },
|
||||||
|
{ value: 'basic', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPES.BASIC') },
|
||||||
|
{
|
||||||
|
value: 'api_key',
|
||||||
|
label: t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPES.API_KEY'),
|
||||||
|
},
|
||||||
|
]);
|
||||||
|
|
||||||
|
const v$ = useVuelidate(validationRules, state);
|
||||||
|
|
||||||
|
const isLoading = computed(() =>
|
||||||
|
props.mode === 'edit'
|
||||||
|
? formState.uiFlags.value.updatingItem
|
||||||
|
: formState.uiFlags.value.creatingItem
|
||||||
|
);
|
||||||
|
|
||||||
|
const getErrorMessage = (field, errorKey) => {
|
||||||
|
return v$.value[field].$error
|
||||||
|
? t(`CAPTAIN.CUSTOM_TOOLS.FORM.${errorKey}.ERROR`)
|
||||||
|
: '';
|
||||||
|
};
|
||||||
|
|
||||||
|
const formErrors = computed(() => ({
|
||||||
|
title: getErrorMessage('title', 'TITLE'),
|
||||||
|
endpoint_url: getErrorMessage('endpoint_url', 'ENDPOINT_URL'),
|
||||||
|
}));
|
||||||
|
|
||||||
|
const paramsRef = useTemplateRef('paramsRef');
|
||||||
|
|
||||||
|
const isParamsValid = () => {
|
||||||
|
if (!paramsRef.value || paramsRef.value.length === 0) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
return paramsRef.value.every(param => param.validate());
|
||||||
|
};
|
||||||
|
|
||||||
|
const removeParam = index => {
|
||||||
|
state.param_schema.splice(index, 1);
|
||||||
|
};
|
||||||
|
|
||||||
|
const addParam = () => {
|
||||||
|
state.param_schema.push({ ...DEFAULT_PARAM });
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleCancel = () => emit('cancel');
|
||||||
|
|
||||||
|
const handleSubmit = async () => {
|
||||||
|
const isFormValid = await v$.value.$validate();
|
||||||
|
if (!isFormValid || !isParamsValid()) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
emit('submit', state);
|
||||||
|
};
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<form
|
||||||
|
class="flex flex-col px-4 -mx-4 gap-4 max-h-[calc(100vh-200px)] overflow-y-scroll"
|
||||||
|
@submit.prevent="handleSubmit"
|
||||||
|
>
|
||||||
|
<Input
|
||||||
|
v-model="state.title"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.TITLE.LABEL')"
|
||||||
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.TITLE.PLACEHOLDER')"
|
||||||
|
:message="formErrors.title"
|
||||||
|
:message-type="formErrors.title ? 'error' : 'info'"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<TextArea
|
||||||
|
v-model="state.description"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.DESCRIPTION.LABEL')"
|
||||||
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.DESCRIPTION.PLACEHOLDER')"
|
||||||
|
:rows="2"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<div class="flex gap-2">
|
||||||
|
<div class="flex flex-col gap-1 w-28">
|
||||||
|
<label class="mb-0.5 text-sm font-medium text-n-slate-12">
|
||||||
|
{{ t('CAPTAIN.CUSTOM_TOOLS.FORM.HTTP_METHOD.LABEL') }}
|
||||||
|
</label>
|
||||||
|
<ComboBox
|
||||||
|
v-model="state.http_method"
|
||||||
|
:options="httpMethodOptions"
|
||||||
|
class="[&>div>button]:bg-n-alpha-black2 [&_li]:font-mono [&_button]:font-mono [&>div>button]:outline-offset-[-1px]"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<Input
|
||||||
|
v-model="state.endpoint_url"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.ENDPOINT_URL.LABEL')"
|
||||||
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.ENDPOINT_URL.PLACEHOLDER')"
|
||||||
|
:message="formErrors.endpoint_url"
|
||||||
|
:message-type="formErrors.endpoint_url ? 'error' : 'info'"
|
||||||
|
class="flex-1"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="flex flex-col gap-1">
|
||||||
|
<label class="mb-0.5 text-sm font-medium text-n-slate-12">
|
||||||
|
{{ t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPE.LABEL') }}
|
||||||
|
</label>
|
||||||
|
<ComboBox
|
||||||
|
v-model="state.auth_type"
|
||||||
|
:options="authTypeOptions"
|
||||||
|
class="[&>div>button]:bg-n-alpha-black2"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<AuthConfig
|
||||||
|
v-model:auth-config="state.auth_config"
|
||||||
|
:auth-type="state.auth_type"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<div class="flex flex-col gap-2">
|
||||||
|
<label class="text-sm font-medium text-n-slate-12">
|
||||||
|
{{ t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAMETERS.LABEL') }}
|
||||||
|
</label>
|
||||||
|
<p class="text-xs text-n-slate-11 -mt-1">
|
||||||
|
{{ t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAMETERS.HELP_TEXT') }}
|
||||||
|
</p>
|
||||||
|
<ul v-if="state.param_schema.length > 0" class="grid gap-2 list-none">
|
||||||
|
<ParamRow
|
||||||
|
v-for="(param, index) in state.param_schema"
|
||||||
|
:key="index"
|
||||||
|
ref="paramsRef"
|
||||||
|
v-model:name="param.name"
|
||||||
|
v-model:type="param.type"
|
||||||
|
v-model:description="param.description"
|
||||||
|
v-model:required="param.required"
|
||||||
|
@remove="removeParam(index)"
|
||||||
|
/>
|
||||||
|
</ul>
|
||||||
|
<Button
|
||||||
|
type="button"
|
||||||
|
sm
|
||||||
|
ghost
|
||||||
|
blue
|
||||||
|
icon="i-lucide-plus"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.ADD_PARAMETER')"
|
||||||
|
@click="addParam"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<TextArea
|
||||||
|
v-if="state.http_method === 'POST'"
|
||||||
|
v-model="state.request_template"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.REQUEST_TEMPLATE.LABEL')"
|
||||||
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.REQUEST_TEMPLATE.PLACEHOLDER')"
|
||||||
|
:rows="4"
|
||||||
|
class="[&_textarea]:font-mono"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<TextArea
|
||||||
|
v-model="state.response_template"
|
||||||
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.RESPONSE_TEMPLATE.LABEL')"
|
||||||
|
:placeholder="
|
||||||
|
t('CAPTAIN.CUSTOM_TOOLS.FORM.RESPONSE_TEMPLATE.PLACEHOLDER')
|
||||||
|
"
|
||||||
|
:rows="4"
|
||||||
|
class="[&_textarea]:font-mono"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<div class="flex gap-3 justify-between items-center w-full">
|
||||||
|
<Button
|
||||||
|
type="button"
|
||||||
|
variant="faded"
|
||||||
|
color="slate"
|
||||||
|
:label="t('CAPTAIN.FORM.CANCEL')"
|
||||||
|
class="w-full bg-n-alpha-2 text-n-blue-text hover:bg-n-alpha-3"
|
||||||
|
@click="handleCancel"
|
||||||
|
/>
|
||||||
|
<Button
|
||||||
|
type="submit"
|
||||||
|
:label="
|
||||||
|
t(mode === 'edit' ? 'CAPTAIN.FORM.EDIT' : 'CAPTAIN.FORM.CREATE')
|
||||||
|
"
|
||||||
|
class="w-full"
|
||||||
|
:is-loading="isLoading"
|
||||||
|
:disabled="isLoading"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
</template>
|
||||||
@@ -0,0 +1,113 @@
|
|||||||
|
<script setup>
|
||||||
|
import { computed, defineModel, ref, watch } from 'vue';
|
||||||
|
import { useI18n } from 'vue-i18n';
|
||||||
|
import Button from 'dashboard/components-next/button/Button.vue';
|
||||||
|
import Input from 'dashboard/components-next/input/Input.vue';
|
||||||
|
import ComboBox from 'dashboard/components-next/combobox/ComboBox.vue';
|
||||||
|
import Checkbox from 'dashboard/components-next/checkbox/Checkbox.vue';
|
||||||
|
|
||||||
|
const emit = defineEmits(['remove']);
|
||||||
|
const { t } = useI18n();
|
||||||
|
const showErrors = ref(false);
|
||||||
|
|
||||||
|
const name = defineModel('name', {
|
||||||
|
type: String,
|
||||||
|
required: true,
|
||||||
|
});
|
||||||
|
|
||||||
|
const type = defineModel('type', {
|
||||||
|
type: String,
|
||||||
|
required: true,
|
||||||
|
});
|
||||||
|
|
||||||
|
const description = defineModel('description', {
|
||||||
|
type: String,
|
||||||
|
default: '',
|
||||||
|
});
|
||||||
|
|
||||||
|
const required = defineModel('required', {
|
||||||
|
type: Boolean,
|
||||||
|
default: false,
|
||||||
|
});
|
||||||
|
|
||||||
|
const paramTypeOptions = computed(() => [
|
||||||
|
{ value: 'string', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAM_TYPES.STRING') },
|
||||||
|
{ value: 'number', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAM_TYPES.NUMBER') },
|
||||||
|
{
|
||||||
|
value: 'boolean',
|
||||||
|
label: t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAM_TYPES.BOOLEAN'),
|
||||||
|
},
|
||||||
|
{ value: 'array', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAM_TYPES.ARRAY') },
|
||||||
|
{ value: 'object', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAM_TYPES.OBJECT') },
|
||||||
|
]);
|
||||||
|
|
||||||
|
const validationError = computed(() => {
|
||||||
|
if (!name.value || name.value.trim() === '') {
|
||||||
|
return 'PARAM_NAME_REQUIRED';
|
||||||
|
}
|
||||||
|
return null;
|
||||||
|
});
|
||||||
|
|
||||||
|
watch([name, type, description, required], () => {
|
||||||
|
showErrors.value = false;
|
||||||
|
});
|
||||||
|
|
||||||
|
const validate = () => {
|
||||||
|
showErrors.value = true;
|
||||||
|
return !validationError.value;
|
||||||
|
};
|
||||||
|
|
||||||
|
defineExpose({ validate });
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<li class="list-none">
|
||||||
|
<div
|
||||||
|
class="flex items-start gap-2 p-3 rounded-lg border border-n-weak bg-n-alpha-2"
|
||||||
|
:class="{
|
||||||
|
'animate-wiggle border-n-ruby-9': showErrors && validationError,
|
||||||
|
}"
|
||||||
|
>
|
||||||
|
<div class="flex flex-col flex-1 gap-3">
|
||||||
|
<div class="grid grid-cols-3 gap-2">
|
||||||
|
<Input
|
||||||
|
v-model="name"
|
||||||
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAM_NAME.PLACEHOLDER')"
|
||||||
|
class="col-span-2"
|
||||||
|
/>
|
||||||
|
<ComboBox
|
||||||
|
v-model="type"
|
||||||
|
:options="paramTypeOptions"
|
||||||
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAM_TYPE.PLACEHOLDER')"
|
||||||
|
class="[&>div>button]:bg-n-alpha-black2"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<Input
|
||||||
|
v-model="description"
|
||||||
|
:placeholder="
|
||||||
|
t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAM_DESCRIPTION.PLACEHOLDER')
|
||||||
|
"
|
||||||
|
/>
|
||||||
|
<label class="flex items-center gap-2 cursor-pointer">
|
||||||
|
<Checkbox v-model="required" />
|
||||||
|
<span class="text-sm text-n-slate-11">
|
||||||
|
{{ t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAM_REQUIRED.LABEL') }}
|
||||||
|
</span>
|
||||||
|
</label>
|
||||||
|
</div>
|
||||||
|
<Button
|
||||||
|
solid
|
||||||
|
slate
|
||||||
|
icon="i-lucide-trash"
|
||||||
|
class="flex-shrink-0"
|
||||||
|
@click.stop="emit('remove')"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<span
|
||||||
|
v-if="showErrors && validationError"
|
||||||
|
class="block mt-1 text-sm text-n-ruby-11"
|
||||||
|
>
|
||||||
|
{{ t(`CAPTAIN.CUSTOM_TOOLS.FORM.ERRORS.${validationError}`) }}
|
||||||
|
</span>
|
||||||
|
</li>
|
||||||
|
</template>
|
||||||
@@ -0,0 +1,29 @@
|
|||||||
|
<script setup>
|
||||||
|
import EmptyStateLayout from 'dashboard/components-next/EmptyStateLayout.vue';
|
||||||
|
import Button from 'dashboard/components-next/button/Button.vue';
|
||||||
|
|
||||||
|
const emit = defineEmits(['click']);
|
||||||
|
|
||||||
|
const onClick = () => {
|
||||||
|
emit('click');
|
||||||
|
};
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<EmptyStateLayout
|
||||||
|
:title="$t('CAPTAIN.CUSTOM_TOOLS.EMPTY_STATE.TITLE')"
|
||||||
|
:subtitle="$t('CAPTAIN.CUSTOM_TOOLS.EMPTY_STATE.SUBTITLE')"
|
||||||
|
:action-perms="['administrator']"
|
||||||
|
>
|
||||||
|
<template #empty-state-item>
|
||||||
|
<div class="min-h-[600px]" />
|
||||||
|
</template>
|
||||||
|
<template #actions>
|
||||||
|
<Button
|
||||||
|
:label="$t('CAPTAIN.CUSTOM_TOOLS.ADD_NEW')"
|
||||||
|
icon="i-lucide-plus"
|
||||||
|
@click="onClick"
|
||||||
|
/>
|
||||||
|
</template>
|
||||||
|
</EmptyStateLayout>
|
||||||
|
</template>
|
||||||
@@ -5,9 +5,9 @@ import { sanitizeTextForRender } from '@chatwoot/utils';
|
|||||||
import { allowedCssProperties } from 'lettersanitizer';
|
import { allowedCssProperties } from 'lettersanitizer';
|
||||||
|
|
||||||
import Icon from 'next/icon/Icon.vue';
|
import Icon from 'next/icon/Icon.vue';
|
||||||
import { EmailQuoteExtractor } from './removeReply.js';
|
import { EmailQuoteExtractor } from 'dashboard/helper/emailQuoteExtractor.js';
|
||||||
import BaseBubble from 'next/message/bubbles/Base.vue';
|
|
||||||
import FormattedContent from 'next/message/bubbles/Text/FormattedContent.vue';
|
import FormattedContent from 'next/message/bubbles/Text/FormattedContent.vue';
|
||||||
|
import BaseBubble from 'next/message/bubbles/Base.vue';
|
||||||
import AttachmentChips from 'next/message/chips/AttachmentChips.vue';
|
import AttachmentChips from 'next/message/chips/AttachmentChips.vue';
|
||||||
import EmailMeta from './EmailMeta.vue';
|
import EmailMeta from './EmailMeta.vue';
|
||||||
import TranslationToggle from 'dashboard/components-next/message/TranslationToggle.vue';
|
import TranslationToggle from 'dashboard/components-next/message/TranslationToggle.vue';
|
||||||
@@ -47,6 +47,13 @@ const originalEmailHtml = computed(
|
|||||||
originalEmailText.value
|
originalEmailText.value
|
||||||
);
|
);
|
||||||
|
|
||||||
|
const hasEmailContent = computed(() => {
|
||||||
|
return (
|
||||||
|
contentAttributes?.value?.email?.textContent?.full ||
|
||||||
|
contentAttributes?.value?.email?.htmlContent?.full
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
const messageContent = computed(() => {
|
const messageContent = computed(() => {
|
||||||
// If translations exist and we're showing translations (not original)
|
// If translations exist and we're showing translations (not original)
|
||||||
if (hasTranslations.value && !renderOriginal.value) {
|
if (hasTranslations.value && !renderOriginal.value) {
|
||||||
@@ -137,7 +144,7 @@ const handleSeeOriginal = () => {
|
|||||||
</button>
|
</button>
|
||||||
</div>
|
</div>
|
||||||
<FormattedContent
|
<FormattedContent
|
||||||
v-if="isOutgoing && content"
|
v-if="isOutgoing && content && !hasEmailContent"
|
||||||
class="text-n-slate-12"
|
class="text-n-slate-12"
|
||||||
:content="messageContent"
|
:content="messageContent"
|
||||||
/>
|
/>
|
||||||
|
|||||||
@@ -232,6 +232,11 @@ const menuItems = computed(() => {
|
|||||||
label: t('SIDEBAR.CAPTAIN_RESPONSES'),
|
label: t('SIDEBAR.CAPTAIN_RESPONSES'),
|
||||||
to: accountScopedRoute('captain_responses_index'),
|
to: accountScopedRoute('captain_responses_index'),
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
name: 'Tools',
|
||||||
|
label: t('SIDEBAR.CAPTAIN_TOOLS'),
|
||||||
|
to: accountScopedRoute('captain_tools_index'),
|
||||||
|
},
|
||||||
],
|
],
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
|
|||||||
@@ -118,6 +118,14 @@ export default {
|
|||||||
type: String,
|
type: String,
|
||||||
default: '',
|
default: '',
|
||||||
},
|
},
|
||||||
|
showQuotedReplyToggle: {
|
||||||
|
type: Boolean,
|
||||||
|
default: false,
|
||||||
|
},
|
||||||
|
quotedReplyEnabled: {
|
||||||
|
type: Boolean,
|
||||||
|
default: false,
|
||||||
|
},
|
||||||
},
|
},
|
||||||
emits: [
|
emits: [
|
||||||
'replaceText',
|
'replaceText',
|
||||||
@@ -125,6 +133,7 @@ export default {
|
|||||||
'toggleEditor',
|
'toggleEditor',
|
||||||
'selectWhatsappTemplate',
|
'selectWhatsappTemplate',
|
||||||
'selectContentTemplate',
|
'selectContentTemplate',
|
||||||
|
'toggleQuotedReply',
|
||||||
],
|
],
|
||||||
setup() {
|
setup() {
|
||||||
const { setSignatureFlagForInbox, fetchSignatureFlagFromUISettings } =
|
const { setSignatureFlagForInbox, fetchSignatureFlagFromUISettings } =
|
||||||
@@ -249,6 +258,11 @@ export default {
|
|||||||
isFetchingAppIntegrations() {
|
isFetchingAppIntegrations() {
|
||||||
return this.uiFlags.isFetching;
|
return this.uiFlags.isFetching;
|
||||||
},
|
},
|
||||||
|
quotedReplyToggleTooltip() {
|
||||||
|
return this.quotedReplyEnabled
|
||||||
|
? this.$t('CONVERSATION.REPLYBOX.QUOTED_REPLY.DISABLE_TOOLTIP')
|
||||||
|
: this.$t('CONVERSATION.REPLYBOX.QUOTED_REPLY.ENABLE_TOOLTIP');
|
||||||
|
},
|
||||||
},
|
},
|
||||||
mounted() {
|
mounted() {
|
||||||
ActiveStorage.start();
|
ActiveStorage.start();
|
||||||
@@ -339,6 +353,16 @@ export default {
|
|||||||
sm
|
sm
|
||||||
@click="toggleMessageSignature"
|
@click="toggleMessageSignature"
|
||||||
/>
|
/>
|
||||||
|
<NextButton
|
||||||
|
v-if="showQuotedReplyToggle"
|
||||||
|
v-tooltip.top-end="quotedReplyToggleTooltip"
|
||||||
|
icon="i-ph-quotes"
|
||||||
|
:variant="quotedReplyEnabled ? 'solid' : 'faded'"
|
||||||
|
color="slate"
|
||||||
|
sm
|
||||||
|
:aria-pressed="quotedReplyEnabled"
|
||||||
|
@click="$emit('toggleQuotedReply')"
|
||||||
|
/>
|
||||||
<NextButton
|
<NextButton
|
||||||
v-if="enableWhatsAppTemplates"
|
v-if="enableWhatsAppTemplates"
|
||||||
v-tooltip.top-end="$t('CONVERSATION.FOOTER.WHATSAPP_TEMPLATES')"
|
v-tooltip.top-end="$t('CONVERSATION.FOOTER.WHATSAPP_TEMPLATES')"
|
||||||
|
|||||||
@@ -0,0 +1,76 @@
|
|||||||
|
<script setup>
|
||||||
|
import { computed, ref } from 'vue';
|
||||||
|
import { useMessageFormatter } from 'shared/composables/useMessageFormatter';
|
||||||
|
import { useI18n } from 'vue-i18n';
|
||||||
|
import NextButton from 'dashboard/components-next/button/Button.vue';
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
quotedEmailText: {
|
||||||
|
type: String,
|
||||||
|
required: true,
|
||||||
|
},
|
||||||
|
previewText: {
|
||||||
|
type: String,
|
||||||
|
required: true,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const emit = defineEmits(['toggle']);
|
||||||
|
|
||||||
|
const { t } = useI18n();
|
||||||
|
const { formatMessage } = useMessageFormatter();
|
||||||
|
|
||||||
|
const isExpanded = ref(false);
|
||||||
|
|
||||||
|
const formattedQuotedEmailText = computed(() => {
|
||||||
|
if (!props.quotedEmailText) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
return formatMessage(props.quotedEmailText, false, false, true);
|
||||||
|
});
|
||||||
|
|
||||||
|
const toggleExpand = () => {
|
||||||
|
isExpanded.value = !isExpanded.value;
|
||||||
|
};
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<div class="mt-2">
|
||||||
|
<div
|
||||||
|
class="relative rounded-md px-3 py-2 text-xs text-n-slate-12 bg-n-slate-3 dark:bg-n-solid-3"
|
||||||
|
>
|
||||||
|
<div class="absolute top-2 right-2 z-10 flex items-center gap-1">
|
||||||
|
<NextButton
|
||||||
|
v-tooltip="
|
||||||
|
isExpanded
|
||||||
|
? t('CONVERSATION.REPLYBOX.QUOTED_REPLY.COLLAPSE')
|
||||||
|
: t('CONVERSATION.REPLYBOX.QUOTED_REPLY.EXPAND')
|
||||||
|
"
|
||||||
|
ghost
|
||||||
|
slate
|
||||||
|
xs
|
||||||
|
:icon="isExpanded ? 'i-lucide-minimize' : 'i-lucide-maximize'"
|
||||||
|
@click="toggleExpand"
|
||||||
|
/>
|
||||||
|
<NextButton
|
||||||
|
v-tooltip="t('CONVERSATION.REPLYBOX.QUOTED_REPLY.REMOVE_PREVIEW')"
|
||||||
|
ghost
|
||||||
|
slate
|
||||||
|
xs
|
||||||
|
icon="i-lucide-x"
|
||||||
|
@click="emit('toggle')"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div
|
||||||
|
v-dompurify-html="formattedQuotedEmailText"
|
||||||
|
class="w-full max-w-none break-words prose prose-sm dark:prose-invert cursor-pointer ltr:pr-8 rtl:pl-8"
|
||||||
|
:class="{
|
||||||
|
'line-clamp-1': !isExpanded,
|
||||||
|
'max-h-60 overflow-y-auto': isExpanded,
|
||||||
|
}"
|
||||||
|
:title="previewText"
|
||||||
|
@click="toggleExpand"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
@@ -5,6 +5,7 @@ import { useAlert } from 'dashboard/composables';
|
|||||||
import { useUISettings } from 'dashboard/composables/useUISettings';
|
import { useUISettings } from 'dashboard/composables/useUISettings';
|
||||||
import { useTrack } from 'dashboard/composables';
|
import { useTrack } from 'dashboard/composables';
|
||||||
import keyboardEventListenerMixins from 'shared/mixins/keyboardEventListenerMixins';
|
import keyboardEventListenerMixins from 'shared/mixins/keyboardEventListenerMixins';
|
||||||
|
import { FEATURE_FLAGS } from 'dashboard/featureFlags';
|
||||||
|
|
||||||
import CannedResponse from './CannedResponse.vue';
|
import CannedResponse from './CannedResponse.vue';
|
||||||
import ReplyToMessage from './ReplyToMessage.vue';
|
import ReplyToMessage from './ReplyToMessage.vue';
|
||||||
@@ -16,6 +17,7 @@ import ReplyBottomPanel from 'dashboard/components/widgets/WootWriter/ReplyBotto
|
|||||||
import ArticleSearchPopover from 'dashboard/routes/dashboard/helpcenter/components/ArticleSearch/SearchPopover.vue';
|
import ArticleSearchPopover from 'dashboard/routes/dashboard/helpcenter/components/ArticleSearch/SearchPopover.vue';
|
||||||
import MessageSignatureMissingAlert from './MessageSignatureMissingAlert.vue';
|
import MessageSignatureMissingAlert from './MessageSignatureMissingAlert.vue';
|
||||||
import ReplyBoxBanner from './ReplyBoxBanner.vue';
|
import ReplyBoxBanner from './ReplyBoxBanner.vue';
|
||||||
|
import QuotedEmailPreview from './QuotedEmailPreview.vue';
|
||||||
import { REPLY_EDITOR_MODES } from 'dashboard/components/widgets/WootWriter/constants';
|
import { REPLY_EDITOR_MODES } from 'dashboard/components/widgets/WootWriter/constants';
|
||||||
import WootMessageEditor from 'dashboard/components/widgets/WootWriter/Editor.vue';
|
import WootMessageEditor from 'dashboard/components/widgets/WootWriter/Editor.vue';
|
||||||
import AudioRecorder from 'dashboard/components/widgets/WootWriter/AudioRecorder.vue';
|
import AudioRecorder from 'dashboard/components/widgets/WootWriter/AudioRecorder.vue';
|
||||||
@@ -32,6 +34,12 @@ import { MESSAGE_MAX_LENGTH } from 'shared/helpers/MessageTypeHelper';
|
|||||||
import inboxMixin, { INBOX_FEATURES } from 'shared/mixins/inboxMixin';
|
import inboxMixin, { INBOX_FEATURES } from 'shared/mixins/inboxMixin';
|
||||||
import { trimContent, debounce, getRecipients } from '@chatwoot/utils';
|
import { trimContent, debounce, getRecipients } from '@chatwoot/utils';
|
||||||
import wootConstants from 'dashboard/constants/globals';
|
import wootConstants from 'dashboard/constants/globals';
|
||||||
|
import {
|
||||||
|
extractQuotedEmailText,
|
||||||
|
buildQuotedEmailHeader,
|
||||||
|
truncatePreviewText,
|
||||||
|
appendQuotedTextToMessage,
|
||||||
|
} from 'dashboard/helper/quotedEmailHelper';
|
||||||
import { CONVERSATION_EVENTS } from '../../../helper/AnalyticsHelper/events';
|
import { CONVERSATION_EVENTS } from '../../../helper/AnalyticsHelper/events';
|
||||||
import fileUploadMixin from 'dashboard/mixins/fileUploadMixin';
|
import fileUploadMixin from 'dashboard/mixins/fileUploadMixin';
|
||||||
import {
|
import {
|
||||||
@@ -65,6 +73,7 @@ export default {
|
|||||||
ContentTemplates,
|
ContentTemplates,
|
||||||
WhatsappTemplates,
|
WhatsappTemplates,
|
||||||
WootMessageEditor,
|
WootMessageEditor,
|
||||||
|
QuotedEmailPreview,
|
||||||
},
|
},
|
||||||
mixins: [inboxMixin, fileUploadMixin, keyboardEventListenerMixins],
|
mixins: [inboxMixin, fileUploadMixin, keyboardEventListenerMixins],
|
||||||
props: {
|
props: {
|
||||||
@@ -80,6 +89,8 @@ export default {
|
|||||||
updateUISettings,
|
updateUISettings,
|
||||||
isEditorHotKeyEnabled,
|
isEditorHotKeyEnabled,
|
||||||
fetchSignatureFlagFromUISettings,
|
fetchSignatureFlagFromUISettings,
|
||||||
|
setQuotedReplyFlagForInbox,
|
||||||
|
fetchQuotedReplyFlagFromUISettings,
|
||||||
} = useUISettings();
|
} = useUISettings();
|
||||||
|
|
||||||
const replyEditor = useTemplateRef('replyEditor');
|
const replyEditor = useTemplateRef('replyEditor');
|
||||||
@@ -89,6 +100,8 @@ export default {
|
|||||||
updateUISettings,
|
updateUISettings,
|
||||||
isEditorHotKeyEnabled,
|
isEditorHotKeyEnabled,
|
||||||
fetchSignatureFlagFromUISettings,
|
fetchSignatureFlagFromUISettings,
|
||||||
|
setQuotedReplyFlagForInbox,
|
||||||
|
fetchQuotedReplyFlagFromUISettings,
|
||||||
replyEditor,
|
replyEditor,
|
||||||
};
|
};
|
||||||
},
|
},
|
||||||
@@ -130,6 +143,8 @@ export default {
|
|||||||
currentUser: 'getCurrentUser',
|
currentUser: 'getCurrentUser',
|
||||||
lastEmail: 'getLastEmailInSelectedChat',
|
lastEmail: 'getLastEmailInSelectedChat',
|
||||||
globalConfig: 'globalConfig/get',
|
globalConfig: 'globalConfig/get',
|
||||||
|
accountId: 'getCurrentAccountId',
|
||||||
|
isFeatureEnabledonAccount: 'accounts/isFeatureEnabledonAccount',
|
||||||
}),
|
}),
|
||||||
currentContact() {
|
currentContact() {
|
||||||
return this.$store.getters['contacts/getContact'](
|
return this.$store.getters['contacts/getContact'](
|
||||||
@@ -367,6 +382,51 @@ export default {
|
|||||||
const { slug = '' } = portal;
|
const { slug = '' } = portal;
|
||||||
return slug;
|
return slug;
|
||||||
},
|
},
|
||||||
|
isQuotedEmailReplyEnabled() {
|
||||||
|
return this.isFeatureEnabledonAccount(
|
||||||
|
this.accountId,
|
||||||
|
FEATURE_FLAGS.QUOTED_EMAIL_REPLY
|
||||||
|
);
|
||||||
|
},
|
||||||
|
quotedReplyPreference() {
|
||||||
|
if (!this.isAnEmailChannel || !this.isQuotedEmailReplyEnabled) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
return !!this.fetchQuotedReplyFlagFromUISettings(this.channelType);
|
||||||
|
},
|
||||||
|
lastEmailWithQuotedContent() {
|
||||||
|
if (!this.isAnEmailChannel) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
const lastEmail = this.lastEmail;
|
||||||
|
if (!lastEmail || lastEmail.private) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
return lastEmail;
|
||||||
|
},
|
||||||
|
quotedEmailText() {
|
||||||
|
return extractQuotedEmailText(this.lastEmailWithQuotedContent);
|
||||||
|
},
|
||||||
|
quotedEmailPreviewText() {
|
||||||
|
return truncatePreviewText(this.quotedEmailText, 80);
|
||||||
|
},
|
||||||
|
shouldShowQuotedReplyToggle() {
|
||||||
|
return (
|
||||||
|
this.isAnEmailChannel &&
|
||||||
|
!this.isOnPrivateNote &&
|
||||||
|
this.isQuotedEmailReplyEnabled
|
||||||
|
);
|
||||||
|
},
|
||||||
|
shouldShowQuotedPreview() {
|
||||||
|
return (
|
||||||
|
this.shouldShowQuotedReplyToggle &&
|
||||||
|
this.quotedReplyPreference &&
|
||||||
|
!!this.quotedEmailText
|
||||||
|
);
|
||||||
|
},
|
||||||
},
|
},
|
||||||
watch: {
|
watch: {
|
||||||
currentChat(conversation, oldConversation) {
|
currentChat(conversation, oldConversation) {
|
||||||
@@ -516,6 +576,36 @@ export default {
|
|||||||
);
|
);
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
toggleQuotedReply() {
|
||||||
|
if (!this.isAnEmailChannel) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
const nextValue = !this.quotedReplyPreference;
|
||||||
|
this.setQuotedReplyFlagForInbox(this.channelType, nextValue);
|
||||||
|
},
|
||||||
|
shouldIncludeQuotedEmail() {
|
||||||
|
return (
|
||||||
|
this.isQuotedEmailReplyEnabled &&
|
||||||
|
this.quotedReplyPreference &&
|
||||||
|
this.shouldShowQuotedReplyToggle &&
|
||||||
|
!!this.quotedEmailText
|
||||||
|
);
|
||||||
|
},
|
||||||
|
getMessageWithQuotedEmailText(message) {
|
||||||
|
if (!this.shouldIncludeQuotedEmail()) {
|
||||||
|
return message;
|
||||||
|
}
|
||||||
|
|
||||||
|
const quotedText = this.quotedEmailText || '';
|
||||||
|
const header = buildQuotedEmailHeader(
|
||||||
|
this.lastEmailWithQuotedContent,
|
||||||
|
this.currentContact,
|
||||||
|
this.inbox
|
||||||
|
);
|
||||||
|
|
||||||
|
return appendQuotedTextToMessage(message, quotedText, header);
|
||||||
|
},
|
||||||
resetRecorderAndClearAttachments() {
|
resetRecorderAndClearAttachments() {
|
||||||
// Reset audio recorder UI state
|
// Reset audio recorder UI state
|
||||||
this.resetAudioRecorderInput();
|
this.resetAudioRecorderInput();
|
||||||
@@ -965,9 +1055,11 @@ export default {
|
|||||||
return multipleMessagePayload;
|
return multipleMessagePayload;
|
||||||
},
|
},
|
||||||
getMessagePayload(message) {
|
getMessagePayload(message) {
|
||||||
|
const messageWithQuote = this.getMessageWithQuotedEmailText(message);
|
||||||
|
|
||||||
let messagePayload = {
|
let messagePayload = {
|
||||||
conversationId: this.currentChat.id,
|
conversationId: this.currentChat.id,
|
||||||
message,
|
message: messageWithQuote,
|
||||||
private: this.isPrivate,
|
private: this.isPrivate,
|
||||||
sender: this.sender,
|
sender: this.sender,
|
||||||
};
|
};
|
||||||
@@ -995,7 +1087,6 @@ export default {
|
|||||||
if (this.toEmails && !this.isOnPrivateNote) {
|
if (this.toEmails && !this.isOnPrivateNote) {
|
||||||
messagePayload.toEmails = this.toEmails;
|
messagePayload.toEmails = this.toEmails;
|
||||||
}
|
}
|
||||||
|
|
||||||
return messagePayload;
|
return messagePayload;
|
||||||
},
|
},
|
||||||
setCcEmails(value) {
|
setCcEmails(value) {
|
||||||
@@ -1160,6 +1251,12 @@ export default {
|
|||||||
@toggle-variables-menu="toggleVariablesMenu"
|
@toggle-variables-menu="toggleVariablesMenu"
|
||||||
@clear-selection="clearEditorSelection"
|
@clear-selection="clearEditorSelection"
|
||||||
/>
|
/>
|
||||||
|
<QuotedEmailPreview
|
||||||
|
v-if="shouldShowQuotedPreview"
|
||||||
|
:quoted-email-text="quotedEmailText"
|
||||||
|
:preview-text="quotedEmailPreviewText"
|
||||||
|
@toggle="toggleQuotedReply"
|
||||||
|
/>
|
||||||
</div>
|
</div>
|
||||||
<div
|
<div
|
||||||
v-if="hasAttachments && !showAudioRecorderEditor"
|
v-if="hasAttachments && !showAudioRecorderEditor"
|
||||||
@@ -1195,6 +1292,8 @@ export default {
|
|||||||
:show-editor-toggle="isAPIInbox && !isOnPrivateNote"
|
:show-editor-toggle="isAPIInbox && !isOnPrivateNote"
|
||||||
:show-emoji-picker="showEmojiPicker"
|
:show-emoji-picker="showEmojiPicker"
|
||||||
:show-file-upload="showFileUpload"
|
:show-file-upload="showFileUpload"
|
||||||
|
:show-quoted-reply-toggle="shouldShowQuotedReplyToggle"
|
||||||
|
:quoted-reply-enabled="quotedReplyPreference"
|
||||||
:toggle-audio-recorder-play-pause="toggleAudioRecorderPlayPause"
|
:toggle-audio-recorder-play-pause="toggleAudioRecorderPlayPause"
|
||||||
:toggle-audio-recorder="toggleAudioRecorder"
|
:toggle-audio-recorder="toggleAudioRecorder"
|
||||||
:toggle-emoji-picker="toggleEmojiPicker"
|
:toggle-emoji-picker="toggleEmojiPicker"
|
||||||
@@ -1206,6 +1305,7 @@ export default {
|
|||||||
@toggle-editor="toggleRichContentEditor"
|
@toggle-editor="toggleRichContentEditor"
|
||||||
@replace-text="replaceText"
|
@replace-text="replaceText"
|
||||||
@toggle-insert-article="toggleInsertArticle"
|
@toggle-insert-article="toggleInsertArticle"
|
||||||
|
@toggle-quoted-reply="toggleQuotedReply"
|
||||||
/>
|
/>
|
||||||
<WhatsappTemplates
|
<WhatsappTemplates
|
||||||
:inbox-id="inbox.id"
|
:inbox-id="inbox.id"
|
||||||
|
|||||||
@@ -13,6 +13,7 @@ const getUISettingsMock = ref({
|
|||||||
conversation_sidebar_items_order: DEFAULT_CONVERSATION_SIDEBAR_ITEMS_ORDER,
|
conversation_sidebar_items_order: DEFAULT_CONVERSATION_SIDEBAR_ITEMS_ORDER,
|
||||||
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
||||||
editor_message_key: 'enter',
|
editor_message_key: 'enter',
|
||||||
|
channel_email_quoted_reply_enabled: true,
|
||||||
});
|
});
|
||||||
|
|
||||||
vi.mock('dashboard/composables/store', () => ({
|
vi.mock('dashboard/composables/store', () => ({
|
||||||
@@ -37,6 +38,7 @@ describe('useUISettings', () => {
|
|||||||
DEFAULT_CONVERSATION_SIDEBAR_ITEMS_ORDER,
|
DEFAULT_CONVERSATION_SIDEBAR_ITEMS_ORDER,
|
||||||
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
||||||
editor_message_key: 'enter',
|
editor_message_key: 'enter',
|
||||||
|
channel_email_quoted_reply_enabled: true,
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
|
|
||||||
@@ -51,6 +53,7 @@ describe('useUISettings', () => {
|
|||||||
DEFAULT_CONVERSATION_SIDEBAR_ITEMS_ORDER,
|
DEFAULT_CONVERSATION_SIDEBAR_ITEMS_ORDER,
|
||||||
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
||||||
editor_message_key: 'enter',
|
editor_message_key: 'enter',
|
||||||
|
channel_email_quoted_reply_enabled: true,
|
||||||
},
|
},
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
@@ -65,6 +68,7 @@ describe('useUISettings', () => {
|
|||||||
DEFAULT_CONVERSATION_SIDEBAR_ITEMS_ORDER,
|
DEFAULT_CONVERSATION_SIDEBAR_ITEMS_ORDER,
|
||||||
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
||||||
editor_message_key: 'enter',
|
editor_message_key: 'enter',
|
||||||
|
channel_email_quoted_reply_enabled: true,
|
||||||
},
|
},
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
@@ -100,6 +104,7 @@ describe('useUISettings', () => {
|
|||||||
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
||||||
email_signature_enabled: true,
|
email_signature_enabled: true,
|
||||||
editor_message_key: 'enter',
|
editor_message_key: 'enter',
|
||||||
|
channel_email_quoted_reply_enabled: true,
|
||||||
},
|
},
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
@@ -109,6 +114,26 @@ describe('useUISettings', () => {
|
|||||||
expect(fetchSignatureFlagFromUISettings('email')).toBe(undefined);
|
expect(fetchSignatureFlagFromUISettings('email')).toBe(undefined);
|
||||||
});
|
});
|
||||||
|
|
||||||
|
it('sets quoted reply flag for inbox correctly', () => {
|
||||||
|
const { setQuotedReplyFlagForInbox } = useUISettings();
|
||||||
|
setQuotedReplyFlagForInbox('Channel::Email', false);
|
||||||
|
expect(mockDispatch).toHaveBeenCalledWith('updateUISettings', {
|
||||||
|
uiSettings: {
|
||||||
|
is_ct_labels_open: true,
|
||||||
|
conversation_sidebar_items_order:
|
||||||
|
DEFAULT_CONVERSATION_SIDEBAR_ITEMS_ORDER,
|
||||||
|
contact_sidebar_items_order: DEFAULT_CONTACT_SIDEBAR_ITEMS_ORDER,
|
||||||
|
editor_message_key: 'enter',
|
||||||
|
channel_email_quoted_reply_enabled: false,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
it('fetches quoted reply flag from UI settings correctly', () => {
|
||||||
|
const { fetchQuotedReplyFlagFromUISettings } = useUISettings();
|
||||||
|
expect(fetchQuotedReplyFlagFromUISettings('Channel::Email')).toBe(true);
|
||||||
|
});
|
||||||
|
|
||||||
it('returns correct value for isEditorHotKeyEnabled when editor_message_key is configured', () => {
|
it('returns correct value for isEditorHotKeyEnabled when editor_message_key is configured', () => {
|
||||||
getUISettingsMock.value.enter_to_send_enabled = false;
|
getUISettingsMock.value.enter_to_send_enabled = false;
|
||||||
const { isEditorHotKeyEnabled } = useUISettings();
|
const { isEditorHotKeyEnabled } = useUISettings();
|
||||||
|
|||||||
@@ -87,6 +87,13 @@ const setSignatureFlagForInbox = (channelType, value, updateUISettings) => {
|
|||||||
updateUISettings({ [`${slugifiedChannel}_signature_enabled`]: value });
|
updateUISettings({ [`${slugifiedChannel}_signature_enabled`]: value });
|
||||||
};
|
};
|
||||||
|
|
||||||
|
const setQuotedReplyFlagForInbox = (channelType, value, updateUISettings) => {
|
||||||
|
if (!channelType) return;
|
||||||
|
|
||||||
|
const slugifiedChannel = slugifyChannel(channelType);
|
||||||
|
updateUISettings({ [`${slugifiedChannel}_quoted_reply_enabled`]: value });
|
||||||
|
};
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Fetches the signature flag for a specific channel type from UI settings.
|
* Fetches the signature flag for a specific channel type from UI settings.
|
||||||
* @param {string} channelType - The type of the channel.
|
* @param {string} channelType - The type of the channel.
|
||||||
@@ -100,6 +107,13 @@ const fetchSignatureFlagFromUISettings = (channelType, uiSettings) => {
|
|||||||
return uiSettings.value[`${slugifiedChannel}_signature_enabled`];
|
return uiSettings.value[`${slugifiedChannel}_signature_enabled`];
|
||||||
};
|
};
|
||||||
|
|
||||||
|
const fetchQuotedReplyFlagFromUISettings = (channelType, uiSettings) => {
|
||||||
|
if (!channelType) return false;
|
||||||
|
|
||||||
|
const slugifiedChannel = slugifyChannel(channelType);
|
||||||
|
return uiSettings.value[`${slugifiedChannel}_quoted_reply_enabled`];
|
||||||
|
};
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Checks if a specific editor hotkey is enabled.
|
* Checks if a specific editor hotkey is enabled.
|
||||||
* @param {string} key - The key to check.
|
* @param {string} key - The key to check.
|
||||||
@@ -147,6 +161,10 @@ export function useUISettings() {
|
|||||||
setSignatureFlagForInbox(channelType, value, updateUISettings),
|
setSignatureFlagForInbox(channelType, value, updateUISettings),
|
||||||
fetchSignatureFlagFromUISettings: channelType =>
|
fetchSignatureFlagFromUISettings: channelType =>
|
||||||
fetchSignatureFlagFromUISettings(channelType, uiSettings),
|
fetchSignatureFlagFromUISettings(channelType, uiSettings),
|
||||||
|
setQuotedReplyFlagForInbox: (channelType, value) =>
|
||||||
|
setQuotedReplyFlagForInbox(channelType, value, updateUISettings),
|
||||||
|
fetchQuotedReplyFlagFromUISettings: channelType =>
|
||||||
|
fetchQuotedReplyFlagFromUISettings(channelType, uiSettings),
|
||||||
isEditorHotKeyEnabled: key => isEditorHotKeyEnabled(key, uiSettings),
|
isEditorHotKeyEnabled: key => isEditorHotKeyEnabled(key, uiSettings),
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -40,6 +40,7 @@ export const FEATURE_FLAGS = {
|
|||||||
CONTACT_CHATWOOT_SUPPORT_TEAM: 'contact_chatwoot_support_team',
|
CONTACT_CHATWOOT_SUPPORT_TEAM: 'contact_chatwoot_support_team',
|
||||||
CAPTAIN_V2: 'captain_integration_v2',
|
CAPTAIN_V2: 'captain_integration_v2',
|
||||||
SAML: 'saml',
|
SAML: 'saml',
|
||||||
|
QUOTED_EMAIL_REPLY: 'quoted_email_reply',
|
||||||
};
|
};
|
||||||
|
|
||||||
export const PREMIUM_FEATURES = [
|
export const PREMIUM_FEATURES = [
|
||||||
@@ -48,6 +49,5 @@ export const PREMIUM_FEATURES = [
|
|||||||
FEATURE_FLAGS.CUSTOM_ROLES,
|
FEATURE_FLAGS.CUSTOM_ROLES,
|
||||||
FEATURE_FLAGS.AUDIT_LOGS,
|
FEATURE_FLAGS.AUDIT_LOGS,
|
||||||
FEATURE_FLAGS.HELP_CENTER,
|
FEATURE_FLAGS.HELP_CENTER,
|
||||||
FEATURE_FLAGS.CAPTAIN_V2,
|
|
||||||
FEATURE_FLAGS.SAML,
|
FEATURE_FLAGS.SAML,
|
||||||
];
|
];
|
||||||
|
|||||||
@@ -10,6 +10,8 @@ const QUOTE_INDICATORS = [
|
|||||||
'[class*="Quote"]',
|
'[class*="Quote"]',
|
||||||
];
|
];
|
||||||
|
|
||||||
|
const BLOCKQUOTE_FALLBACK_SELECTOR = 'blockquote';
|
||||||
|
|
||||||
// Regex patterns for quote identification
|
// Regex patterns for quote identification
|
||||||
const QUOTE_PATTERNS = [
|
const QUOTE_PATTERNS = [
|
||||||
/On .* wrote:/i,
|
/On .* wrote:/i,
|
||||||
@@ -36,6 +38,8 @@ export class EmailQuoteExtractor {
|
|||||||
});
|
});
|
||||||
});
|
});
|
||||||
|
|
||||||
|
this.removeTrailingBlockquote(tempDiv);
|
||||||
|
|
||||||
// Remove text-based quotes
|
// Remove text-based quotes
|
||||||
const textNodeQuotes = this.findTextNodeQuotes(tempDiv);
|
const textNodeQuotes = this.findTextNodeQuotes(tempDiv);
|
||||||
textNodeQuotes.forEach(el => {
|
textNodeQuotes.forEach(el => {
|
||||||
@@ -62,6 +66,10 @@ export class EmailQuoteExtractor {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (this.findTrailingBlockquote(tempDiv)) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
// Check for text-based quotes
|
// Check for text-based quotes
|
||||||
const textNodeQuotes = this.findTextNodeQuotes(tempDiv);
|
const textNodeQuotes = this.findTextNodeQuotes(tempDiv);
|
||||||
return textNodeQuotes.length > 0;
|
return textNodeQuotes.length > 0;
|
||||||
@@ -123,4 +131,26 @@ export class EmailQuoteExtractor {
|
|||||||
|
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Remove fallback blockquote if it is the last top-level element.
|
||||||
|
* @param {Element} rootElement - Root element containing the HTML
|
||||||
|
*/
|
||||||
|
static removeTrailingBlockquote(rootElement) {
|
||||||
|
const trailingBlockquote = this.findTrailingBlockquote(rootElement);
|
||||||
|
trailingBlockquote?.remove();
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Locate a fallback blockquote that is the last top-level element.
|
||||||
|
* @param {Element} rootElement - Root element containing the HTML
|
||||||
|
* @returns {Element|null} The trailing blockquote element if present
|
||||||
|
*/
|
||||||
|
static findTrailingBlockquote(rootElement) {
|
||||||
|
const lastElement = rootElement.lastElementChild;
|
||||||
|
if (lastElement?.matches?.(BLOCKQUOTE_FALLBACK_SELECTOR)) {
|
||||||
|
return lastElement;
|
||||||
|
}
|
||||||
|
return null;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
@@ -68,13 +68,17 @@ export const registerSubscription = (onSuccess = () => {}) => {
|
|||||||
.then(() => {
|
.then(() => {
|
||||||
onSuccess();
|
onSuccess();
|
||||||
})
|
})
|
||||||
.catch(() => {
|
.catch(error => {
|
||||||
|
// eslint-disable-next-line no-console
|
||||||
|
console.error('Push subscription registration failed:', error);
|
||||||
useAlert('This browser does not support desktop notification');
|
useAlert('This browser does not support desktop notification');
|
||||||
});
|
});
|
||||||
};
|
};
|
||||||
|
|
||||||
export const requestPushPermissions = ({ onSuccess }) => {
|
export const requestPushPermissions = ({ onSuccess }) => {
|
||||||
if (!('Notification' in window)) {
|
if (!('Notification' in window)) {
|
||||||
|
// eslint-disable-next-line no-console
|
||||||
|
console.warn('Notification is not supported');
|
||||||
useAlert('This browser does not support desktop notification');
|
useAlert('This browser does not support desktop notification');
|
||||||
} else if (Notification.permission === 'granted') {
|
} else if (Notification.permission === 'granted') {
|
||||||
registerSubscription(onSuccess);
|
registerSubscription(onSuccess);
|
||||||
|
|||||||
332
app/javascript/dashboard/helper/quotedEmailHelper.js
Normal file
332
app/javascript/dashboard/helper/quotedEmailHelper.js
Normal file
@@ -0,0 +1,332 @@
|
|||||||
|
import { format, parseISO, isValid as isValidDate } from 'date-fns';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Extracts plain text from HTML content
|
||||||
|
* @param {string} html - HTML content to convert
|
||||||
|
* @returns {string} Plain text content
|
||||||
|
*/
|
||||||
|
export const extractPlainTextFromHtml = html => {
|
||||||
|
if (!html) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
if (typeof document === 'undefined') {
|
||||||
|
return html.replace(/<[^>]*>/g, ' ');
|
||||||
|
}
|
||||||
|
const tempDiv = document.createElement('div');
|
||||||
|
tempDiv.innerHTML = html;
|
||||||
|
return tempDiv.textContent || tempDiv.innerText || '';
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Extracts sender name from email message
|
||||||
|
* @param {Object} lastEmail - Last email message object
|
||||||
|
* @param {Object} contact - Contact object
|
||||||
|
* @returns {string} Sender name
|
||||||
|
*/
|
||||||
|
export const getEmailSenderName = (lastEmail, contact) => {
|
||||||
|
const senderName = lastEmail?.sender?.name;
|
||||||
|
if (senderName && senderName.trim()) {
|
||||||
|
return senderName.trim();
|
||||||
|
}
|
||||||
|
|
||||||
|
const contactName = contact?.name;
|
||||||
|
return contactName && contactName.trim() ? contactName.trim() : '';
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Extracts sender email from email message
|
||||||
|
* @param {Object} lastEmail - Last email message object
|
||||||
|
* @param {Object} contact - Contact object
|
||||||
|
* @returns {string} Sender email address
|
||||||
|
*/
|
||||||
|
export const getEmailSenderEmail = (lastEmail, contact) => {
|
||||||
|
const senderEmail = lastEmail?.sender?.email;
|
||||||
|
if (senderEmail && senderEmail.trim()) {
|
||||||
|
return senderEmail.trim();
|
||||||
|
}
|
||||||
|
|
||||||
|
const contentAttributes =
|
||||||
|
lastEmail?.contentAttributes || lastEmail?.content_attributes || {};
|
||||||
|
const emailMeta = contentAttributes.email || {};
|
||||||
|
|
||||||
|
if (Array.isArray(emailMeta.from) && emailMeta.from.length > 0) {
|
||||||
|
const fromAddress = emailMeta.from[0];
|
||||||
|
if (fromAddress && fromAddress.trim()) {
|
||||||
|
return fromAddress.trim();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const contactEmail = contact?.email;
|
||||||
|
return contactEmail && contactEmail.trim() ? contactEmail.trim() : '';
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Extracts date from email message
|
||||||
|
* @param {Object} lastEmail - Last email message object
|
||||||
|
* @returns {Date|null} Email date
|
||||||
|
*/
|
||||||
|
export const getEmailDate = lastEmail => {
|
||||||
|
const contentAttributes =
|
||||||
|
lastEmail?.contentAttributes || lastEmail?.content_attributes || {};
|
||||||
|
const emailMeta = contentAttributes.email || {};
|
||||||
|
|
||||||
|
if (emailMeta.date) {
|
||||||
|
const parsedDate = parseISO(emailMeta.date);
|
||||||
|
if (isValidDate(parsedDate)) {
|
||||||
|
return parsedDate;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const createdAt = lastEmail?.created_at;
|
||||||
|
if (createdAt) {
|
||||||
|
const timestamp = Number(createdAt);
|
||||||
|
if (!Number.isNaN(timestamp)) {
|
||||||
|
const milliseconds = timestamp > 1e12 ? timestamp : timestamp * 1000;
|
||||||
|
const derivedDate = new Date(milliseconds);
|
||||||
|
if (!Number.isNaN(derivedDate.getTime())) {
|
||||||
|
return derivedDate;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return null;
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Formats date for quoted email header
|
||||||
|
* @param {Date} date - Date to format
|
||||||
|
* @returns {string} Formatted date string
|
||||||
|
*/
|
||||||
|
export const formatQuotedEmailDate = date => {
|
||||||
|
try {
|
||||||
|
return format(date, "EEE, MMM d, yyyy 'at' p");
|
||||||
|
} catch (error) {
|
||||||
|
const fallbackDate = new Date(date);
|
||||||
|
if (!Number.isNaN(fallbackDate.getTime())) {
|
||||||
|
return format(fallbackDate, "EEE, MMM d, yyyy 'at' p");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return '';
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Extracts inbox email address from last email message
|
||||||
|
* @param {Object} lastEmail - Last email message object
|
||||||
|
* @param {Object} inbox - Inbox object
|
||||||
|
* @returns {string} Inbox email address
|
||||||
|
*/
|
||||||
|
export const getInboxEmail = (lastEmail, inbox) => {
|
||||||
|
const contentAttributes =
|
||||||
|
lastEmail?.contentAttributes || lastEmail?.content_attributes || {};
|
||||||
|
const emailMeta = contentAttributes.email || {};
|
||||||
|
|
||||||
|
if (Array.isArray(emailMeta.to) && emailMeta.to.length > 0) {
|
||||||
|
const toAddress = emailMeta.to[0];
|
||||||
|
if (toAddress && toAddress.trim()) {
|
||||||
|
return toAddress.trim();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const inboxEmail = inbox?.email;
|
||||||
|
return inboxEmail && inboxEmail.trim() ? inboxEmail.trim() : '';
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Builds quoted email header from contact (for incoming messages)
|
||||||
|
* @param {Object} lastEmail - Last email message object
|
||||||
|
* @param {Object} contact - Contact object
|
||||||
|
* @returns {string} Formatted header string
|
||||||
|
*/
|
||||||
|
export const buildQuotedEmailHeaderFromContact = (lastEmail, contact) => {
|
||||||
|
if (!lastEmail) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
const quotedDate = getEmailDate(lastEmail);
|
||||||
|
const senderEmail = getEmailSenderEmail(lastEmail, contact);
|
||||||
|
|
||||||
|
if (!quotedDate || !senderEmail) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
const formattedDate = formatQuotedEmailDate(quotedDate);
|
||||||
|
if (!formattedDate) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
const senderName = getEmailSenderName(lastEmail, contact);
|
||||||
|
const hasName = !!senderName;
|
||||||
|
const contactLabel = hasName
|
||||||
|
? `${senderName} <${senderEmail}>`
|
||||||
|
: `<${senderEmail}>`;
|
||||||
|
|
||||||
|
return `On ${formattedDate} ${contactLabel} wrote:`;
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Builds quoted email header from inbox (for outgoing messages)
|
||||||
|
* @param {Object} lastEmail - Last email message object
|
||||||
|
* @param {Object} inbox - Inbox object
|
||||||
|
* @returns {string} Formatted header string
|
||||||
|
*/
|
||||||
|
export const buildQuotedEmailHeaderFromInbox = (lastEmail, inbox) => {
|
||||||
|
if (!lastEmail) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
const quotedDate = getEmailDate(lastEmail);
|
||||||
|
const inboxEmail = getInboxEmail(lastEmail, inbox);
|
||||||
|
|
||||||
|
if (!quotedDate || !inboxEmail) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
const formattedDate = formatQuotedEmailDate(quotedDate);
|
||||||
|
if (!formattedDate) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
const inboxName = inbox?.name;
|
||||||
|
const hasName = !!inboxName;
|
||||||
|
const inboxLabel = hasName
|
||||||
|
? `${inboxName} <${inboxEmail}>`
|
||||||
|
: `<${inboxEmail}>`;
|
||||||
|
|
||||||
|
return `On ${formattedDate} ${inboxLabel} wrote:`;
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Builds quoted email header based on message type
|
||||||
|
* @param {Object} lastEmail - Last email message object
|
||||||
|
* @param {Object} contact - Contact object
|
||||||
|
* @param {Object} inbox - Inbox object
|
||||||
|
* @returns {string} Formatted header string
|
||||||
|
*/
|
||||||
|
export const buildQuotedEmailHeader = (lastEmail, contact, inbox) => {
|
||||||
|
if (!lastEmail) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
// MESSAGE_TYPE.OUTGOING = 1, MESSAGE_TYPE.INCOMING = 0
|
||||||
|
const isOutgoing = lastEmail.message_type === 1;
|
||||||
|
|
||||||
|
if (isOutgoing) {
|
||||||
|
return buildQuotedEmailHeaderFromInbox(lastEmail, inbox);
|
||||||
|
}
|
||||||
|
|
||||||
|
return buildQuotedEmailHeaderFromContact(lastEmail, contact);
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Formats text as markdown blockquote
|
||||||
|
* @param {string} text - Text to format
|
||||||
|
* @param {string} header - Optional header to prepend
|
||||||
|
* @returns {string} Formatted blockquote
|
||||||
|
*/
|
||||||
|
export const formatQuotedTextAsBlockquote = (text, header = '') => {
|
||||||
|
const normalizedLines = text
|
||||||
|
? String(text).replace(/\r\n/g, '\n').split('\n')
|
||||||
|
: [];
|
||||||
|
|
||||||
|
if (!header && !normalizedLines.length) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
const quotedLines = [];
|
||||||
|
|
||||||
|
if (header) {
|
||||||
|
quotedLines.push(`> ${header}`);
|
||||||
|
quotedLines.push('>');
|
||||||
|
}
|
||||||
|
|
||||||
|
normalizedLines.forEach(line => {
|
||||||
|
const trimmedLine = line.trimEnd();
|
||||||
|
quotedLines.push(trimmedLine ? `> ${trimmedLine}` : '>');
|
||||||
|
});
|
||||||
|
|
||||||
|
return quotedLines.join('\n');
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Extracts quoted email text from last email message
|
||||||
|
* @param {Object} lastEmail - Last email message object
|
||||||
|
* @returns {string} Quoted email text
|
||||||
|
*/
|
||||||
|
export const extractQuotedEmailText = lastEmail => {
|
||||||
|
if (!lastEmail) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
const contentAttributes =
|
||||||
|
lastEmail.contentAttributes || lastEmail.content_attributes || {};
|
||||||
|
const emailContent = contentAttributes.email || {};
|
||||||
|
const textContent = emailContent.textContent || emailContent.text_content;
|
||||||
|
|
||||||
|
if (textContent?.reply) {
|
||||||
|
return textContent.reply;
|
||||||
|
}
|
||||||
|
if (textContent?.full) {
|
||||||
|
return textContent.full;
|
||||||
|
}
|
||||||
|
|
||||||
|
const htmlContent = emailContent.htmlContent || emailContent.html_content;
|
||||||
|
if (htmlContent?.reply) {
|
||||||
|
return extractPlainTextFromHtml(htmlContent.reply);
|
||||||
|
}
|
||||||
|
if (htmlContent?.full) {
|
||||||
|
return extractPlainTextFromHtml(htmlContent.full);
|
||||||
|
}
|
||||||
|
|
||||||
|
const fallbackContent =
|
||||||
|
lastEmail.content || lastEmail.processed_message_content || '';
|
||||||
|
|
||||||
|
return fallbackContent;
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Truncates text for preview display
|
||||||
|
* @param {string} text - Text to truncate
|
||||||
|
* @param {number} maxLength - Maximum length (default: 80)
|
||||||
|
* @returns {string} Truncated text
|
||||||
|
*/
|
||||||
|
export const truncatePreviewText = (text, maxLength = 80) => {
|
||||||
|
const preview = text.trim().replace(/\s+/g, ' ');
|
||||||
|
if (!preview) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
if (preview.length <= maxLength) {
|
||||||
|
return preview;
|
||||||
|
}
|
||||||
|
return `${preview.slice(0, maxLength - 3)}...`;
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Appends quoted text to message
|
||||||
|
* @param {string} message - Original message
|
||||||
|
* @param {string} quotedText - Text to quote
|
||||||
|
* @param {string} header - Quote header
|
||||||
|
* @returns {string} Message with quoted text appended
|
||||||
|
*/
|
||||||
|
export const appendQuotedTextToMessage = (message, quotedText, header) => {
|
||||||
|
const baseMessage = message ? String(message) : '';
|
||||||
|
const quotedBlock = formatQuotedTextAsBlockquote(quotedText, header);
|
||||||
|
|
||||||
|
if (!quotedBlock) {
|
||||||
|
return baseMessage;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!baseMessage) {
|
||||||
|
return quotedBlock;
|
||||||
|
}
|
||||||
|
|
||||||
|
let separator = '\n\n';
|
||||||
|
if (baseMessage.endsWith('\n\n')) {
|
||||||
|
separator = '';
|
||||||
|
} else if (baseMessage.endsWith('\n')) {
|
||||||
|
separator = '\n';
|
||||||
|
}
|
||||||
|
|
||||||
|
return `${baseMessage}${separator}${quotedBlock}`;
|
||||||
|
};
|
||||||
@@ -0,0 +1,99 @@
|
|||||||
|
import { describe, it, expect } from 'vitest';
|
||||||
|
import { EmailQuoteExtractor } from '../emailQuoteExtractor.js';
|
||||||
|
|
||||||
|
const SAMPLE_EMAIL_HTML = `
|
||||||
|
<p>method</p>
|
||||||
|
<blockquote>
|
||||||
|
<p>On Mon, Sep 29, 2025 at 5:18 PM John <a href="mailto:shivam@chatwoot.com">shivam@chatwoot.com</a> wrote:</p>
|
||||||
|
<p>Hi</p>
|
||||||
|
<blockquote>
|
||||||
|
<p>On Mon, Sep 29, 2025 at 5:17 PM Shivam Mishra <a href="mailto:shivam@chatwoot.com">shivam@chatwoot.com</a> wrote:</p>
|
||||||
|
<p>Yes, it is.</p>
|
||||||
|
<p>On Mon, Sep 29, 2025 at 5:16 PM John from Shaneforwoot < shaneforwoot@gmail.com> wrote:</p>
|
||||||
|
<blockquote>
|
||||||
|
<p>Hey</p>
|
||||||
|
<p>On Mon, Sep 29, 2025 at 4:59 PM John shivam@chatwoot.com wrote:</p>
|
||||||
|
<p>This is another quoted quoted text reply</p>
|
||||||
|
<p>This is nice</p>
|
||||||
|
<p>On Mon, Sep 29, 2025 at 4:21 PM John from Shaneforwoot < > shaneforwoot@gmail.com> wrote:</p>
|
||||||
|
<p>Hey there, this is a reply from Chatwoot, notice the quoted text</p>
|
||||||
|
<p>Hey there</p>
|
||||||
|
<p>This is an email text, enjoy reading this</p>
|
||||||
|
<p>-- Shivam Mishra, Chatwoot</p>
|
||||||
|
</blockquote>
|
||||||
|
</blockquote>
|
||||||
|
</blockquote>
|
||||||
|
`;
|
||||||
|
|
||||||
|
const EMAIL_WITH_SIGNATURE = `
|
||||||
|
<p>Latest reply here.</p>
|
||||||
|
<p>Thanks,</p>
|
||||||
|
<p>Jane Doe</p>
|
||||||
|
<blockquote>
|
||||||
|
<p>On Mon, Sep 22, Someone wrote:</p>
|
||||||
|
<p>Previous reply content</p>
|
||||||
|
</blockquote>
|
||||||
|
`;
|
||||||
|
|
||||||
|
const EMAIL_WITH_FOLLOW_UP_CONTENT = `
|
||||||
|
<blockquote>
|
||||||
|
<p>Inline quote that should stay</p>
|
||||||
|
</blockquote>
|
||||||
|
<p>Internal note follows</p>
|
||||||
|
<p>Regards,</p>
|
||||||
|
`;
|
||||||
|
|
||||||
|
describe('EmailQuoteExtractor', () => {
|
||||||
|
it('removes blockquote-based quotes from the email body', () => {
|
||||||
|
const cleanedHtml = EmailQuoteExtractor.extractQuotes(SAMPLE_EMAIL_HTML);
|
||||||
|
|
||||||
|
const container = document.createElement('div');
|
||||||
|
container.innerHTML = cleanedHtml;
|
||||||
|
|
||||||
|
expect(container.querySelectorAll('blockquote').length).toBe(0);
|
||||||
|
expect(container.textContent?.trim()).toBe('method');
|
||||||
|
expect(container.textContent).not.toContain(
|
||||||
|
'On Mon, Sep 29, 2025 at 5:18 PM'
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('keeps blockquote fallback when it is not the last top-level element', () => {
|
||||||
|
const cleanedHtml = EmailQuoteExtractor.extractQuotes(
|
||||||
|
EMAIL_WITH_FOLLOW_UP_CONTENT
|
||||||
|
);
|
||||||
|
|
||||||
|
const container = document.createElement('div');
|
||||||
|
container.innerHTML = cleanedHtml;
|
||||||
|
|
||||||
|
expect(container.querySelector('blockquote')).not.toBeNull();
|
||||||
|
expect(container.lastElementChild?.tagName).toBe('P');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('detects quote indicators in nested blockquotes', () => {
|
||||||
|
const result = EmailQuoteExtractor.hasQuotes(SAMPLE_EMAIL_HTML);
|
||||||
|
expect(result).toBe(true);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('does not flag blockquotes that are followed by other elements', () => {
|
||||||
|
expect(EmailQuoteExtractor.hasQuotes(EMAIL_WITH_FOLLOW_UP_CONTENT)).toBe(
|
||||||
|
false
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns false when no quote indicators are present', () => {
|
||||||
|
const html = '<p>Plain content</p>';
|
||||||
|
expect(EmailQuoteExtractor.hasQuotes(html)).toBe(false);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('removes trailing blockquotes while preserving trailing signatures', () => {
|
||||||
|
const cleanedHtml = EmailQuoteExtractor.extractQuotes(EMAIL_WITH_SIGNATURE);
|
||||||
|
|
||||||
|
expect(cleanedHtml).toContain('<p>Thanks,</p>');
|
||||||
|
expect(cleanedHtml).toContain('<p>Jane Doe</p>');
|
||||||
|
expect(cleanedHtml).not.toContain('<blockquote');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('detects quotes for trailing blockquotes even when signatures follow text', () => {
|
||||||
|
expect(EmailQuoteExtractor.hasQuotes(EMAIL_WITH_SIGNATURE)).toBe(true);
|
||||||
|
});
|
||||||
|
});
|
||||||
441
app/javascript/dashboard/helper/specs/quotedEmailHelper.spec.js
Normal file
441
app/javascript/dashboard/helper/specs/quotedEmailHelper.spec.js
Normal file
@@ -0,0 +1,441 @@
|
|||||||
|
import {
|
||||||
|
extractPlainTextFromHtml,
|
||||||
|
getEmailSenderName,
|
||||||
|
getEmailSenderEmail,
|
||||||
|
getEmailDate,
|
||||||
|
formatQuotedEmailDate,
|
||||||
|
getInboxEmail,
|
||||||
|
buildQuotedEmailHeader,
|
||||||
|
buildQuotedEmailHeaderFromContact,
|
||||||
|
buildQuotedEmailHeaderFromInbox,
|
||||||
|
formatQuotedTextAsBlockquote,
|
||||||
|
extractQuotedEmailText,
|
||||||
|
truncatePreviewText,
|
||||||
|
appendQuotedTextToMessage,
|
||||||
|
} from '../quotedEmailHelper';
|
||||||
|
|
||||||
|
describe('quotedEmailHelper', () => {
|
||||||
|
describe('extractPlainTextFromHtml', () => {
|
||||||
|
it('returns empty string for null or undefined', () => {
|
||||||
|
expect(extractPlainTextFromHtml(null)).toBe('');
|
||||||
|
expect(extractPlainTextFromHtml(undefined)).toBe('');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('strips HTML tags and returns plain text', () => {
|
||||||
|
const html = '<p>Hello <strong>world</strong></p>';
|
||||||
|
const result = extractPlainTextFromHtml(html);
|
||||||
|
expect(result).toBe('Hello world');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('handles complex HTML structure', () => {
|
||||||
|
const html = '<div><p>Line 1</p><p>Line 2</p></div>';
|
||||||
|
const result = extractPlainTextFromHtml(html);
|
||||||
|
expect(result).toContain('Line 1');
|
||||||
|
expect(result).toContain('Line 2');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('getEmailSenderName', () => {
|
||||||
|
it('returns sender name from lastEmail', () => {
|
||||||
|
const lastEmail = { sender: { name: 'John Doe' } };
|
||||||
|
const result = getEmailSenderName(lastEmail, {});
|
||||||
|
expect(result).toBe('John Doe');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns contact name if sender name not available', () => {
|
||||||
|
const lastEmail = { sender: {} };
|
||||||
|
const contact = { name: 'Jane Smith' };
|
||||||
|
const result = getEmailSenderName(lastEmail, contact);
|
||||||
|
expect(result).toBe('Jane Smith');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns empty string if neither available', () => {
|
||||||
|
const result = getEmailSenderName({}, {});
|
||||||
|
expect(result).toBe('');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('trims whitespace from names', () => {
|
||||||
|
const lastEmail = { sender: { name: ' John Doe ' } };
|
||||||
|
const result = getEmailSenderName(lastEmail, {});
|
||||||
|
expect(result).toBe('John Doe');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('getEmailSenderEmail', () => {
|
||||||
|
it('returns sender email from lastEmail', () => {
|
||||||
|
const lastEmail = { sender: { email: 'john@example.com' } };
|
||||||
|
const result = getEmailSenderEmail(lastEmail, {});
|
||||||
|
expect(result).toBe('john@example.com');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns email from contentAttributes if sender email not available', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
contentAttributes: {
|
||||||
|
email: { from: ['jane@example.com'] },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const result = getEmailSenderEmail(lastEmail, {});
|
||||||
|
expect(result).toBe('jane@example.com');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns contact email as fallback', () => {
|
||||||
|
const lastEmail = {};
|
||||||
|
const contact = { email: 'contact@example.com' };
|
||||||
|
const result = getEmailSenderEmail(lastEmail, contact);
|
||||||
|
expect(result).toBe('contact@example.com');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('trims whitespace from emails', () => {
|
||||||
|
const lastEmail = { sender: { email: ' john@example.com ' } };
|
||||||
|
const result = getEmailSenderEmail(lastEmail, {});
|
||||||
|
expect(result).toBe('john@example.com');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('getEmailDate', () => {
|
||||||
|
it('returns parsed date from email metadata', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
contentAttributes: {
|
||||||
|
email: { date: '2024-01-15T10:30:00Z' },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const result = getEmailDate(lastEmail);
|
||||||
|
expect(result).toBeInstanceOf(Date);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns date from created_at timestamp', () => {
|
||||||
|
const lastEmail = { created_at: 1705318200 };
|
||||||
|
const result = getEmailDate(lastEmail);
|
||||||
|
expect(result).toBeInstanceOf(Date);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('handles millisecond timestamps', () => {
|
||||||
|
const lastEmail = { created_at: 1705318200000 };
|
||||||
|
const result = getEmailDate(lastEmail);
|
||||||
|
expect(result).toBeInstanceOf(Date);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns null if no valid date found', () => {
|
||||||
|
const result = getEmailDate({});
|
||||||
|
expect(result).toBeNull();
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('formatQuotedEmailDate', () => {
|
||||||
|
it('formats date correctly', () => {
|
||||||
|
const date = new Date('2024-01-15T10:30:00Z');
|
||||||
|
const result = formatQuotedEmailDate(date);
|
||||||
|
expect(result).toMatch(/Mon, Jan 15, 2024 at/);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns empty string for invalid date', () => {
|
||||||
|
const result = formatQuotedEmailDate('invalid');
|
||||||
|
expect(result).toBe('');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('getInboxEmail', () => {
|
||||||
|
it('returns email from contentAttributes.email.to', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
contentAttributes: {
|
||||||
|
email: { to: ['inbox@example.com'] },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const result = getInboxEmail(lastEmail, {});
|
||||||
|
expect(result).toBe('inbox@example.com');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns inbox email as fallback', () => {
|
||||||
|
const lastEmail = {};
|
||||||
|
const inbox = { email: 'support@example.com' };
|
||||||
|
const result = getInboxEmail(lastEmail, inbox);
|
||||||
|
expect(result).toBe('support@example.com');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns empty string if no email found', () => {
|
||||||
|
expect(getInboxEmail({}, {})).toBe('');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('trims whitespace from emails', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
contentAttributes: {
|
||||||
|
email: { to: [' inbox@example.com '] },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const result = getInboxEmail(lastEmail, {});
|
||||||
|
expect(result).toBe('inbox@example.com');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('buildQuotedEmailHeaderFromContact', () => {
|
||||||
|
it('builds complete header with name and email', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
sender: { name: 'John Doe', email: 'john@example.com' },
|
||||||
|
contentAttributes: {
|
||||||
|
email: { date: '2024-01-15T10:30:00Z' },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const result = buildQuotedEmailHeaderFromContact(lastEmail, {});
|
||||||
|
expect(result).toContain('John Doe');
|
||||||
|
expect(result).toContain('john@example.com');
|
||||||
|
expect(result).toContain('wrote:');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('builds header without name if not available', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
sender: { email: 'john@example.com' },
|
||||||
|
contentAttributes: {
|
||||||
|
email: { date: '2024-01-15T10:30:00Z' },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const result = buildQuotedEmailHeaderFromContact(lastEmail, {});
|
||||||
|
expect(result).toContain('<john@example.com>');
|
||||||
|
expect(result).not.toContain('undefined');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns empty string if missing required data', () => {
|
||||||
|
expect(buildQuotedEmailHeaderFromContact(null, {})).toBe('');
|
||||||
|
expect(buildQuotedEmailHeaderFromContact({}, {})).toBe('');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('buildQuotedEmailHeaderFromInbox', () => {
|
||||||
|
it('builds complete header with inbox name and email', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
contentAttributes: {
|
||||||
|
email: {
|
||||||
|
date: '2024-01-15T10:30:00Z',
|
||||||
|
to: ['support@example.com'],
|
||||||
|
},
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const inbox = { name: 'Support Team', email: 'support@example.com' };
|
||||||
|
const result = buildQuotedEmailHeaderFromInbox(lastEmail, inbox);
|
||||||
|
expect(result).toContain('Support Team');
|
||||||
|
expect(result).toContain('support@example.com');
|
||||||
|
expect(result).toContain('wrote:');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('builds header without name if not available', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
contentAttributes: {
|
||||||
|
email: {
|
||||||
|
date: '2024-01-15T10:30:00Z',
|
||||||
|
to: ['inbox@example.com'],
|
||||||
|
},
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const inbox = { email: 'inbox@example.com' };
|
||||||
|
const result = buildQuotedEmailHeaderFromInbox(lastEmail, inbox);
|
||||||
|
expect(result).toContain('<inbox@example.com>');
|
||||||
|
expect(result).not.toContain('undefined');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns empty string if missing required data', () => {
|
||||||
|
expect(buildQuotedEmailHeaderFromInbox(null, {})).toBe('');
|
||||||
|
expect(buildQuotedEmailHeaderFromInbox({}, {})).toBe('');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('buildQuotedEmailHeader', () => {
|
||||||
|
it('uses inbox email for outgoing messages (message_type: 1)', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
message_type: 1,
|
||||||
|
contentAttributes: {
|
||||||
|
email: {
|
||||||
|
date: '2024-01-15T10:30:00Z',
|
||||||
|
to: ['support@example.com'],
|
||||||
|
},
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const inbox = { name: 'Support', email: 'support@example.com' };
|
||||||
|
const contact = { name: 'John Doe', email: 'john@example.com' };
|
||||||
|
const result = buildQuotedEmailHeader(lastEmail, contact, inbox);
|
||||||
|
expect(result).toContain('Support');
|
||||||
|
expect(result).toContain('support@example.com');
|
||||||
|
expect(result).not.toContain('John Doe');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('uses contact email for incoming messages (message_type: 0)', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
message_type: 0,
|
||||||
|
sender: { name: 'Jane Smith', email: 'jane@example.com' },
|
||||||
|
contentAttributes: {
|
||||||
|
email: { date: '2024-01-15T10:30:00Z' },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const inbox = { name: 'Support', email: 'support@example.com' };
|
||||||
|
const contact = { name: 'Jane Smith', email: 'jane@example.com' };
|
||||||
|
const result = buildQuotedEmailHeader(lastEmail, contact, inbox);
|
||||||
|
expect(result).toContain('Jane Smith');
|
||||||
|
expect(result).toContain('jane@example.com');
|
||||||
|
expect(result).not.toContain('Support');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns empty string if missing required data', () => {
|
||||||
|
expect(buildQuotedEmailHeader(null, {}, {})).toBe('');
|
||||||
|
expect(buildQuotedEmailHeader({}, {}, {})).toBe('');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('formatQuotedTextAsBlockquote', () => {
|
||||||
|
it('formats single line text', () => {
|
||||||
|
const result = formatQuotedTextAsBlockquote('Hello world');
|
||||||
|
expect(result).toBe('> Hello world');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('formats multi-line text', () => {
|
||||||
|
const text = 'Line 1\nLine 2\nLine 3';
|
||||||
|
const result = formatQuotedTextAsBlockquote(text);
|
||||||
|
expect(result).toBe('> Line 1\n> Line 2\n> Line 3');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('includes header if provided', () => {
|
||||||
|
const result = formatQuotedTextAsBlockquote('Hello', 'Header text');
|
||||||
|
expect(result).toContain('> Header text');
|
||||||
|
expect(result).toContain('>\n> Hello');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('handles empty lines correctly', () => {
|
||||||
|
const text = 'Line 1\n\nLine 3';
|
||||||
|
const result = formatQuotedTextAsBlockquote(text);
|
||||||
|
expect(result).toBe('> Line 1\n>\n> Line 3');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns empty string for empty input', () => {
|
||||||
|
expect(formatQuotedTextAsBlockquote('')).toBe('');
|
||||||
|
expect(formatQuotedTextAsBlockquote('', '')).toBe('');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('handles Windows line endings', () => {
|
||||||
|
const text = 'Line 1\r\nLine 2';
|
||||||
|
const result = formatQuotedTextAsBlockquote(text);
|
||||||
|
expect(result).toBe('> Line 1\n> Line 2');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('extractQuotedEmailText', () => {
|
||||||
|
it('extracts text from textContent.reply', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
contentAttributes: {
|
||||||
|
email: { textContent: { reply: 'Reply text' } },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const result = extractQuotedEmailText(lastEmail);
|
||||||
|
expect(result).toBe('Reply text');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('falls back to textContent.full', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
contentAttributes: {
|
||||||
|
email: { textContent: { full: 'Full text' } },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const result = extractQuotedEmailText(lastEmail);
|
||||||
|
expect(result).toBe('Full text');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('extracts from htmlContent and converts to plain text', () => {
|
||||||
|
const lastEmail = {
|
||||||
|
contentAttributes: {
|
||||||
|
email: { htmlContent: { reply: '<p>HTML reply</p>' } },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
const result = extractQuotedEmailText(lastEmail);
|
||||||
|
expect(result).toBe('HTML reply');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('uses fallback content if structured content not available', () => {
|
||||||
|
const lastEmail = { content: 'Fallback content' };
|
||||||
|
const result = extractQuotedEmailText(lastEmail);
|
||||||
|
expect(result).toBe('Fallback content');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns empty string for null or missing email', () => {
|
||||||
|
expect(extractQuotedEmailText(null)).toBe('');
|
||||||
|
expect(extractQuotedEmailText({})).toBe('');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('truncatePreviewText', () => {
|
||||||
|
it('returns full text if under max length', () => {
|
||||||
|
const text = 'Short text';
|
||||||
|
const result = truncatePreviewText(text, 80);
|
||||||
|
expect(result).toBe('Short text');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('truncates text exceeding max length', () => {
|
||||||
|
const text = 'A'.repeat(100);
|
||||||
|
const result = truncatePreviewText(text, 80);
|
||||||
|
expect(result).toHaveLength(80);
|
||||||
|
expect(result).toContain('...');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('collapses multiple spaces', () => {
|
||||||
|
const text = 'Text with spaces';
|
||||||
|
const result = truncatePreviewText(text);
|
||||||
|
expect(result).toBe('Text with spaces');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('trims whitespace', () => {
|
||||||
|
const text = ' Text with spaces ';
|
||||||
|
const result = truncatePreviewText(text);
|
||||||
|
expect(result).toBe('Text with spaces');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns empty string for empty input', () => {
|
||||||
|
expect(truncatePreviewText('')).toBe('');
|
||||||
|
expect(truncatePreviewText(' ')).toBe('');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('uses default max length of 80', () => {
|
||||||
|
const text = 'A'.repeat(100);
|
||||||
|
const result = truncatePreviewText(text);
|
||||||
|
expect(result).toHaveLength(80);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('appendQuotedTextToMessage', () => {
|
||||||
|
it('appends quoted text to message', () => {
|
||||||
|
const message = 'My reply';
|
||||||
|
const quotedText = 'Original message';
|
||||||
|
const header = 'On date sender wrote:';
|
||||||
|
const result = appendQuotedTextToMessage(message, quotedText, header);
|
||||||
|
|
||||||
|
expect(result).toContain('My reply');
|
||||||
|
expect(result).toContain('> On date sender wrote:');
|
||||||
|
expect(result).toContain('> Original message');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns only quoted text if message is empty', () => {
|
||||||
|
const result = appendQuotedTextToMessage('', 'Quoted', 'Header');
|
||||||
|
expect(result).toContain('> Header');
|
||||||
|
expect(result).toContain('> Quoted');
|
||||||
|
expect(result).not.toContain('\n\n\n');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('returns message if no quoted text', () => {
|
||||||
|
const result = appendQuotedTextToMessage('Message', '', '');
|
||||||
|
expect(result).toBe('Message');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('handles proper spacing with double newline', () => {
|
||||||
|
const result = appendQuotedTextToMessage('Message', 'Quoted', 'Header');
|
||||||
|
expect(result).toContain('Message\n\n>');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('does not add extra newlines if message already ends with newlines', () => {
|
||||||
|
const result = appendQuotedTextToMessage(
|
||||||
|
'Message\n\n',
|
||||||
|
'Quoted',
|
||||||
|
'Header'
|
||||||
|
);
|
||||||
|
expect(result).not.toContain('\n\n\n');
|
||||||
|
});
|
||||||
|
|
||||||
|
it('adds single newline if message ends with one newline', () => {
|
||||||
|
const result = appendQuotedTextToMessage('Message\n', 'Quoted', 'Header');
|
||||||
|
expect(result).toContain('Message\n\n>');
|
||||||
|
});
|
||||||
|
});
|
||||||
|
});
|
||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Send",
|
"YES": "Send",
|
||||||
"CANCEL": "Cancel"
|
"CANCEL": "Cancel"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Private Note: Only visible to you and your team",
|
"VISIBLE_TO_AGENTS": "Private Note: Only visible to you and your team",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Learn more about inboxes",
|
"LEARN_MORE": "Learn more about inboxes",
|
||||||
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
||||||
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "There are no inboxes attached to this account."
|
"404": "There are no inboxes attached to this account."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Business Hours",
|
"BUSINESS_HOURS": "Business Hours",
|
||||||
"WIDGET_BUILDER": "Widget Builder",
|
"WIDGET_BUILDER": "Widget Builder",
|
||||||
"BOT_CONFIGURATION": "Bot Configuration",
|
"BOT_CONFIGURATION": "Bot Configuration",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "CSAT"
|
"CSAT": "CSAT"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "Live"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Settings",
|
"SETTINGS": "Settings",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Features",
|
"LABEL": "Features",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Yes, delete",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Description",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "None",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "API Key"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Password",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Type"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Number",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Required"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Create a new account",
|
"CREATE_NEW_ACCOUNT": "Create a new account",
|
||||||
"SUBMIT": "Login",
|
"SUBMIT": "Login",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Home",
|
"HOME": "Home",
|
||||||
"AGENTS": "Agents",
|
"AGENTS": "Agents",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Password",
|
"LABEL": "Password",
|
||||||
"PLACEHOLDER": "Password",
|
"PLACEHOLDER": "Password",
|
||||||
"ERROR": "Password is too short.",
|
"ERROR": "Password is too short.",
|
||||||
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character."
|
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character.",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Confirm password",
|
"LABEL": "Confirm password",
|
||||||
"PLACEHOLDER": "Confirm password",
|
"PLACEHOLDER": "Confirm password",
|
||||||
"ERROR": "Password doesnot match."
|
"ERROR": "Passwords do not match."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Registration Successfull",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "Could not connect to Woot server. Please try again."
|
"ERROR_MESSAGE": "Could not connect to Woot server. Please try again."
|
||||||
},
|
},
|
||||||
"SUBMIT": "Create account",
|
"SUBMIT": "Create account",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "إرسال",
|
"YES": "إرسال",
|
||||||
"CANCEL": "إلغاء"
|
"CANCEL": "إلغاء"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "ملاحظة خاصة: مرئية فقط لك ولأعضاء فريقك",
|
"VISIBLE_TO_AGENTS": "ملاحظة خاصة: مرئية فقط لك ولأعضاء فريقك",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "تعلم المزيد عن صناديق البريد",
|
"LEARN_MORE": "تعلم المزيد عن صناديق البريد",
|
||||||
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
||||||
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "لا توجد صناديق وارد لقنوات تواصل مرتبطة بهذا الحساب."
|
"404": "لا توجد صناديق وارد لقنوات تواصل مرتبطة بهذا الحساب."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "ساعات العمل",
|
"BUSINESS_HOURS": "ساعات العمل",
|
||||||
"WIDGET_BUILDER": "منشئ اللايف شات",
|
"WIDGET_BUILDER": "منشئ اللايف شات",
|
||||||
"BOT_CONFIGURATION": "اعدادات البوت",
|
"BOT_CONFIGURATION": "اعدادات البوت",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "تقييم رضاء العملاء"
|
"CSAT": "تقييم رضاء العملاء"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "مباشر"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "الإعدادات",
|
"SETTINGS": "الإعدادات",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "الخصائص",
|
"LABEL": "الخصائص",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "نعم، احذف",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "الوصف",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "لا شيء",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "مفتاح API"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "كلمة المرور",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "النوع"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "العدد",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "مطلوب"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "إنشاء حساب جديد",
|
"CREATE_NEW_ACCOUNT": "إنشاء حساب جديد",
|
||||||
"SUBMIT": "تسجيل الدخول",
|
"SUBMIT": "تسجيل الدخول",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "الرئيسية",
|
"HOME": "الرئيسية",
|
||||||
"AGENTS": "وكيل الدعم",
|
"AGENTS": "وكيل الدعم",
|
||||||
"AGENT_BOTS": "الروبوتات",
|
"AGENT_BOTS": "الروبوتات",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "كلمة المرور",
|
"LABEL": "كلمة المرور",
|
||||||
"PLACEHOLDER": "كلمة المرور",
|
"PLACEHOLDER": "كلمة المرور",
|
||||||
"ERROR": "كلمة المرور قصيرة جداً",
|
"ERROR": "كلمة المرور قصيرة جداً",
|
||||||
"IS_INVALID_PASSWORD": "يجب أن تحتوي كلمة المرور على الأقل على حرف كبير واحد وحرف صغير واحد ورقم واحد وحرف خاص واحد"
|
"IS_INVALID_PASSWORD": "يجب أن تحتوي كلمة المرور على الأقل على حرف كبير واحد وحرف صغير واحد ورقم واحد وحرف خاص واحد",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "تأكيد كلمة المرور",
|
"LABEL": "تأكيد كلمة المرور",
|
||||||
"PLACEHOLDER": "تأكيد كلمة المرور",
|
"PLACEHOLDER": "تأكيد كلمة المرور",
|
||||||
"ERROR": "كلمة المرور غير متطابقة"
|
"ERROR": "كلمة المرور غير متطابقة."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "تم التسجيل بنجاح",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "تعذر الاتصال بالخادم، الرجاء المحاولة مرة أخرى لاحقاً"
|
"ERROR_MESSAGE": "تعذر الاتصال بالخادم، الرجاء المحاولة مرة أخرى لاحقاً"
|
||||||
},
|
},
|
||||||
"SUBMIT": "إرسال",
|
"SUBMIT": "إرسال",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Send",
|
"YES": "Send",
|
||||||
"CANCEL": "Cancel"
|
"CANCEL": "Cancel"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Private Note: Only visible to you and your team",
|
"VISIBLE_TO_AGENTS": "Private Note: Only visible to you and your team",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Learn more about inboxes",
|
"LEARN_MORE": "Learn more about inboxes",
|
||||||
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
||||||
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "There are no inboxes attached to this account."
|
"404": "There are no inboxes attached to this account."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Business Hours",
|
"BUSINESS_HOURS": "Business Hours",
|
||||||
"WIDGET_BUILDER": "Widget Builder",
|
"WIDGET_BUILDER": "Widget Builder",
|
||||||
"BOT_CONFIGURATION": "Bot Configuration",
|
"BOT_CONFIGURATION": "Bot Configuration",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "CSAT"
|
"CSAT": "CSAT"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "Live"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Settings",
|
"SETTINGS": "Settings",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Features",
|
"LABEL": "Features",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Yes, delete",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Description",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "None",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "API Key"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Password",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Type"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Number",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Required"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Create a new account",
|
"CREATE_NEW_ACCOUNT": "Create a new account",
|
||||||
"SUBMIT": "Login",
|
"SUBMIT": "Login",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Home",
|
"HOME": "Home",
|
||||||
"AGENTS": "Agents",
|
"AGENTS": "Agents",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Password",
|
"LABEL": "Password",
|
||||||
"PLACEHOLDER": "Password",
|
"PLACEHOLDER": "Password",
|
||||||
"ERROR": "Password is too short.",
|
"ERROR": "Password is too short.",
|
||||||
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character."
|
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character.",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Confirm password",
|
"LABEL": "Confirm password",
|
||||||
"PLACEHOLDER": "Confirm password",
|
"PLACEHOLDER": "Confirm password",
|
||||||
"ERROR": "Password doesnot match."
|
"ERROR": "Passwords do not match."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Registration Successfull",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "Could not connect to Woot server. Please try again."
|
"ERROR_MESSAGE": "Could not connect to Woot server. Please try again."
|
||||||
},
|
},
|
||||||
"SUBMIT": "Create account",
|
"SUBMIT": "Create account",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Send",
|
"YES": "Send",
|
||||||
"CANCEL": "Отмени"
|
"CANCEL": "Отмени"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Private Note: Only visible to you and your team",
|
"VISIBLE_TO_AGENTS": "Private Note: Only visible to you and your team",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Learn more about inboxes",
|
"LEARN_MORE": "Learn more about inboxes",
|
||||||
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
||||||
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "There are no inboxes attached to this account."
|
"404": "There are no inboxes attached to this account."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Business Hours",
|
"BUSINESS_HOURS": "Business Hours",
|
||||||
"WIDGET_BUILDER": "Widget Builder",
|
"WIDGET_BUILDER": "Widget Builder",
|
||||||
"BOT_CONFIGURATION": "Bot Configuration",
|
"BOT_CONFIGURATION": "Bot Configuration",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "CSAT"
|
"CSAT": "CSAT"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "Live"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Settings",
|
"SETTINGS": "Settings",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Features",
|
"LABEL": "Features",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Yes, delete",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Описание",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "None",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "API Key"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Password",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Тип"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Number",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Required"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Create new account",
|
"CREATE_NEW_ACCOUNT": "Create new account",
|
||||||
"SUBMIT": "Login",
|
"SUBMIT": "Login",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Home",
|
"HOME": "Home",
|
||||||
"AGENTS": "Агенти",
|
"AGENTS": "Агенти",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Password",
|
"LABEL": "Password",
|
||||||
"PLACEHOLDER": "Password",
|
"PLACEHOLDER": "Password",
|
||||||
"ERROR": "Password is too short",
|
"ERROR": "Password is too short",
|
||||||
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character"
|
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Confirm Password",
|
"LABEL": "Confirm Password",
|
||||||
"PLACEHOLDER": "Confirm Password",
|
"PLACEHOLDER": "Confirm Password",
|
||||||
"ERROR": "Password doesnot match"
|
"ERROR": "Passwords do not match."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Registration Successfull",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "Не можа да се свърже с Woot сървър. Моля, опитайте отново по-късно"
|
"ERROR_MESSAGE": "Не можа да се свърже с Woot сървър. Моля, опитайте отново по-късно"
|
||||||
},
|
},
|
||||||
"SUBMIT": "Create account",
|
"SUBMIT": "Create account",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Envia",
|
"YES": "Envia",
|
||||||
"CANCEL": "Cancel·la"
|
"CANCEL": "Cancel·la"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Nota privada: Només és visible per tu i el vostre equip",
|
"VISIBLE_TO_AGENTS": "Nota privada: Només és visible per tu i el vostre equip",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Learn more about inboxes",
|
"LEARN_MORE": "Learn more about inboxes",
|
||||||
"RECONNECTION_REQUIRED": "La teva safata d'entrada està desconnectada. No rebràs missatges nous fins que no els tornis a autoritzar.",
|
"RECONNECTION_REQUIRED": "La teva safata d'entrada està desconnectada. No rebràs missatges nous fins que no els tornis a autoritzar.",
|
||||||
"CLICK_TO_RECONNECT": "Fes clic aquí per tornar a connectar-te.",
|
"CLICK_TO_RECONNECT": "Fes clic aquí per tornar a connectar-te.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "No hi ha cap safata d'entrada connectat a aquest compte."
|
"404": "No hi ha cap safata d'entrada connectat a aquest compte."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Horari comercial",
|
"BUSINESS_HOURS": "Horari comercial",
|
||||||
"WIDGET_BUILDER": "Creador del widget",
|
"WIDGET_BUILDER": "Creador del widget",
|
||||||
"BOT_CONFIGURATION": "Configuracions del bot",
|
"BOT_CONFIGURATION": "Configuracions del bot",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "CSAT"
|
"CSAT": "CSAT"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "En directe"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Configuracions",
|
"SETTINGS": "Configuracions",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Característiques",
|
"LABEL": "Característiques",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Sí, esborra",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Descripció",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "Ningú",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "API Key"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Contrasenya",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Tipus"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Número",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Necessari"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Crear un nou compte",
|
"CREATE_NEW_ACCOUNT": "Crear un nou compte",
|
||||||
"SUBMIT": "Inicia la sessió",
|
"SUBMIT": "Inicia la sessió",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Inici",
|
"HOME": "Inici",
|
||||||
"AGENTS": "Agents",
|
"AGENTS": "Agents",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Contrasenya",
|
"LABEL": "Contrasenya",
|
||||||
"PLACEHOLDER": "Contrasenya",
|
"PLACEHOLDER": "Contrasenya",
|
||||||
"ERROR": "La contrasenya és massa curta",
|
"ERROR": "La contrasenya és massa curta",
|
||||||
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character"
|
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Confirma la contrasenya",
|
"LABEL": "Confirma la contrasenya",
|
||||||
"PLACEHOLDER": "Confirma la contrasenya",
|
"PLACEHOLDER": "Confirma la contrasenya",
|
||||||
"ERROR": "La contrasenya no coincideix."
|
"ERROR": "La contrasenya no coindeix."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Registrat correctament",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "No s'ha pogut connectar amb el servidor Woot. Torna-ho a provar més endavant"
|
"ERROR_MESSAGE": "No s'ha pogut connectar amb el servidor Woot. Torna-ho a provar més endavant"
|
||||||
},
|
},
|
||||||
"SUBMIT": "Crear un compte",
|
"SUBMIT": "Crear un compte",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Poslat",
|
"YES": "Poslat",
|
||||||
"CANCEL": "Zrušit"
|
"CANCEL": "Zrušit"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Soukromá poznámka: Viditelné pouze pro vás a váš tým",
|
"VISIBLE_TO_AGENTS": "Soukromá poznámka: Viditelné pouze pro vás a váš tým",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Learn more about inboxes",
|
"LEARN_MORE": "Learn more about inboxes",
|
||||||
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
||||||
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "K tomuto účtu nejsou připojeny žádné doručené schránky."
|
"404": "K tomuto účtu nejsou připojeny žádné doručené schránky."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Pracovní doba",
|
"BUSINESS_HOURS": "Pracovní doba",
|
||||||
"WIDGET_BUILDER": "Widget Builder",
|
"WIDGET_BUILDER": "Widget Builder",
|
||||||
"BOT_CONFIGURATION": "Bot Configuration",
|
"BOT_CONFIGURATION": "Bot Configuration",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "CSAT"
|
"CSAT": "CSAT"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "Live"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Nastavení",
|
"SETTINGS": "Nastavení",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Funkce",
|
"LABEL": "Funkce",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Yes, delete",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Description",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "Nic",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "API Key"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Heslo",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Type"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Number",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Required"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Vytvořit nový účet",
|
"CREATE_NEW_ACCOUNT": "Vytvořit nový účet",
|
||||||
"SUBMIT": "Přihlásit se",
|
"SUBMIT": "Přihlásit se",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Domů",
|
"HOME": "Domů",
|
||||||
"AGENTS": "Agenti",
|
"AGENTS": "Agenti",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Heslo",
|
"LABEL": "Heslo",
|
||||||
"PLACEHOLDER": "Heslo",
|
"PLACEHOLDER": "Heslo",
|
||||||
"ERROR": "Heslo je příliš krátké",
|
"ERROR": "Heslo je příliš krátké",
|
||||||
"IS_INVALID_PASSWORD": "Heslo by mělo obsahovat alespoň jedno velké písmeno, jedno malé písmeno, jedno číslo a jeden speciální znak"
|
"IS_INVALID_PASSWORD": "Heslo by mělo obsahovat alespoň jedno velké písmeno, jedno malé písmeno, jedno číslo a jeden speciální znak",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Potvrzení hesla",
|
"LABEL": "Potvrzení hesla",
|
||||||
"PLACEHOLDER": "Potvrzení hesla",
|
"PLACEHOLDER": "Potvrzení hesla",
|
||||||
"ERROR": "Heslo se neshoduje"
|
"ERROR": "Hesla se neshodují."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Registrace byla úspěšná",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "Nelze se připojit k Woot serveru, opakujte akci později"
|
"ERROR_MESSAGE": "Nelze se připojit k Woot serveru, opakujte akci později"
|
||||||
},
|
},
|
||||||
"SUBMIT": "Create account",
|
"SUBMIT": "Create account",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Send",
|
"YES": "Send",
|
||||||
"CANCEL": "Annuller"
|
"CANCEL": "Annuller"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Privat Note: Kun synlig for dig og dit team",
|
"VISIBLE_TO_AGENTS": "Privat Note: Kun synlig for dig og dit team",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Learn more about inboxes",
|
"LEARN_MORE": "Learn more about inboxes",
|
||||||
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
||||||
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "Der er ingen indbakker tilknyttet denne konto."
|
"404": "Der er ingen indbakker tilknyttet denne konto."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Forretningstider",
|
"BUSINESS_HOURS": "Forretningstider",
|
||||||
"WIDGET_BUILDER": "Widget Builder",
|
"WIDGET_BUILDER": "Widget Builder",
|
||||||
"BOT_CONFIGURATION": "Bot konfiguration",
|
"BOT_CONFIGURATION": "Bot konfiguration",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "CSAT"
|
"CSAT": "CSAT"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "Levende"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Indstillinger",
|
"SETTINGS": "Indstillinger",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Funktioner",
|
"LABEL": "Funktioner",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Yes, delete",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Beskrivelse",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "Ingen",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "API Nøgle"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Adgangskode",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Type"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Nummer",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Påkrævet"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Opret ny konto",
|
"CREATE_NEW_ACCOUNT": "Opret ny konto",
|
||||||
"SUBMIT": "Log Ind",
|
"SUBMIT": "Log Ind",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Hjem",
|
"HOME": "Hjem",
|
||||||
"AGENTS": "Agenter",
|
"AGENTS": "Agenter",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Adgangskode",
|
"LABEL": "Adgangskode",
|
||||||
"PLACEHOLDER": "Adgangskode",
|
"PLACEHOLDER": "Adgangskode",
|
||||||
"ERROR": "Adgangskoden er for kort",
|
"ERROR": "Adgangskoden er for kort",
|
||||||
"IS_INVALID_PASSWORD": "Adgangskoden skal indeholde mindst 1 stort bogstav, 1 lille bogstav, 1 nummer og 1 specialtegn"
|
"IS_INVALID_PASSWORD": "Adgangskoden skal indeholde mindst 1 stort bogstav, 1 lille bogstav, 1 nummer og 1 specialtegn",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Bekræft Adgangskode",
|
"LABEL": "Bekræft Adgangskode",
|
||||||
"PLACEHOLDER": "Bekræft Adgangskode",
|
"PLACEHOLDER": "Bekræft Adgangskode",
|
||||||
"ERROR": "Adgangskode stemmer ikke overens"
|
"ERROR": "Adgangskoder stemmer ikke overens."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Registrering Succesfuld",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "Kunne ikke oprette forbindelse til Woot Server, Prøv igen senere"
|
"ERROR_MESSAGE": "Kunne ikke oprette forbindelse til Woot Server, Prøv igen senere"
|
||||||
},
|
},
|
||||||
"SUBMIT": "Opret en konto",
|
"SUBMIT": "Opret en konto",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Senden",
|
"YES": "Senden",
|
||||||
"CANCEL": "Abbrechen"
|
"CANCEL": "Abbrechen"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Privater Hinweis: Nur für Sie und Ihr Team sichtbar",
|
"VISIBLE_TO_AGENTS": "Privater Hinweis: Nur für Sie und Ihr Team sichtbar",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Mehr über Posteingänge erfahren",
|
"LEARN_MORE": "Mehr über Posteingänge erfahren",
|
||||||
"RECONNECTION_REQUIRED": "Ihr Posteingang ist nicht verbunden. Sie erhalten keine neuen Nachrichten, bis Sie ihn erneut autorisieren.",
|
"RECONNECTION_REQUIRED": "Ihr Posteingang ist nicht verbunden. Sie erhalten keine neuen Nachrichten, bis Sie ihn erneut autorisieren.",
|
||||||
"CLICK_TO_RECONNECT": "Klicken Sie hier, um die Verbindung wiederherzustellen.",
|
"CLICK_TO_RECONNECT": "Klicken Sie hier, um die Verbindung wiederherzustellen.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "Diesem Konto sind keine Posteingänge zugeordnet."
|
"404": "Diesem Konto sind keine Posteingänge zugeordnet."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Öffnungszeiten",
|
"BUSINESS_HOURS": "Öffnungszeiten",
|
||||||
"WIDGET_BUILDER": "Widget-Generator",
|
"WIDGET_BUILDER": "Widget-Generator",
|
||||||
"BOT_CONFIGURATION": "Bot-Konfiguration",
|
"BOT_CONFIGURATION": "Bot-Konfiguration",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "CSAT"
|
"CSAT": "CSAT"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "Live"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Einstellungen",
|
"SETTINGS": "Einstellungen",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Funktionen",
|
"LABEL": "Funktionen",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Ja, löschen",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Beschreibung",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "Keine",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "API-Schlüssel"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Passwort",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Typ"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Nummer",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Benötigt"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Neuen Account erstellen",
|
"CREATE_NEW_ACCOUNT": "Neuen Account erstellen",
|
||||||
"SUBMIT": "Einloggen",
|
"SUBMIT": "Einloggen",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Hauptseite",
|
"HOME": "Hauptseite",
|
||||||
"AGENTS": "Agenten",
|
"AGENTS": "Agenten",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Passwort",
|
"LABEL": "Passwort",
|
||||||
"PLACEHOLDER": "Passwort",
|
"PLACEHOLDER": "Passwort",
|
||||||
"ERROR": "Das Passwort ist zu kurz",
|
"ERROR": "Das Passwort ist zu kurz",
|
||||||
"IS_INVALID_PASSWORD": "Das Passwort sollte mindestens 1 Großbuchstaben, 1 Kleinbuchstaben, 1 Ziffer und 1 Sonderzeichen enthalten"
|
"IS_INVALID_PASSWORD": "Das Passwort sollte mindestens 1 Großbuchstaben, 1 Kleinbuchstaben, 1 Ziffer und 1 Sonderzeichen enthalten",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Bestätige das Passwort",
|
"LABEL": "Bestätige das Passwort",
|
||||||
"PLACEHOLDER": "Bestätige das Passwort",
|
"PLACEHOLDER": "Bestätige das Passwort",
|
||||||
"ERROR": "Passwort stimmt nicht überein"
|
"ERROR": "Passwörter stimmen nicht überein."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Registrierung erfolgreich",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "Es konnte keine Verbindung zum Woot Server hergestellt werden. Bitte versuchen Sie es später erneut"
|
"ERROR_MESSAGE": "Es konnte keine Verbindung zum Woot Server hergestellt werden. Bitte versuchen Sie es später erneut"
|
||||||
},
|
},
|
||||||
"SUBMIT": "Konto erstellen",
|
"SUBMIT": "Konto erstellen",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Αποστολή",
|
"YES": "Αποστολή",
|
||||||
"CANCEL": "Άκυρο"
|
"CANCEL": "Άκυρο"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Ιδιωτική Σημείωση: Ορατή μόνο σε σας και την ομάδα σας",
|
"VISIBLE_TO_AGENTS": "Ιδιωτική Σημείωση: Ορατή μόνο σε σας και την ομάδα σας",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Learn more about inboxes",
|
"LEARN_MORE": "Learn more about inboxes",
|
||||||
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
||||||
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "Δεν υπάρχουν κιβώτια εισερχομένων σε αυτόν τον λογαριασμό."
|
"404": "Δεν υπάρχουν κιβώτια εισερχομένων σε αυτόν τον λογαριασμό."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Ώρες Εργασίας",
|
"BUSINESS_HOURS": "Ώρες Εργασίας",
|
||||||
"WIDGET_BUILDER": "Δημιουργός Widget",
|
"WIDGET_BUILDER": "Δημιουργός Widget",
|
||||||
"BOT_CONFIGURATION": "Ρυθμίσεις Bot",
|
"BOT_CONFIGURATION": "Ρυθμίσεις Bot",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "CSAT"
|
"CSAT": "CSAT"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "Ζωντανά"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Ρυθμίσεις",
|
"SETTINGS": "Ρυθμίσεις",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Χαρακτηριστικά",
|
"LABEL": "Χαρακτηριστικά",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Yes, delete",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Περιγραφή",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "Κανένα",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "Κλειδί API"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Κωδικός",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Τύπος"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Αριθμός",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Υποχρεωτικό"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Δημιουργία νέου Λογαριασμού",
|
"CREATE_NEW_ACCOUNT": "Δημιουργία νέου Λογαριασμού",
|
||||||
"SUBMIT": "Είσοδος",
|
"SUBMIT": "Είσοδος",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Αρχική",
|
"HOME": "Αρχική",
|
||||||
"AGENTS": "Πράκτορες",
|
"AGENTS": "Πράκτορες",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Κωδικός",
|
"LABEL": "Κωδικός",
|
||||||
"PLACEHOLDER": "Κωδικός",
|
"PLACEHOLDER": "Κωδικός",
|
||||||
"ERROR": "Ο κωδικός είναι πολύ σύντομος",
|
"ERROR": "Ο κωδικός είναι πολύ σύντομος",
|
||||||
"IS_INVALID_PASSWORD": "Ο κωδικός πρόσβασης πρέπει να περιέχει τουλάχιστον 1 κεφαλαίο γράμμα, 1 πεζό γράμμα, 1 αριθμό και 1 ειδικό χαρακτήρα"
|
"IS_INVALID_PASSWORD": "Ο κωδικός πρόσβασης πρέπει να περιέχει τουλάχιστον 1 κεφαλαίο γράμμα, 1 πεζό γράμμα, 1 αριθμό και 1 ειδικό χαρακτήρα",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Επιβεβαίωση κωδικού",
|
"LABEL": "Επιβεβαίωση κωδικού",
|
||||||
"PLACEHOLDER": "Επιβεβαίωση κωδικού",
|
"PLACEHOLDER": "Επιβεβαίωση κωδικού",
|
||||||
"ERROR": "Οι κωδικοί δεν συμφωνούν"
|
"ERROR": "Οι κωδικοί δεν ταιριάζουν."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Επιτυχής καταχώρηση",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "Αδυναμία σύνδεσης με τον Woot Server, Παρακαλώ προσπαθήστε αργότερα"
|
"ERROR_MESSAGE": "Αδυναμία σύνδεσης με τον Woot Server, Παρακαλώ προσπαθήστε αργότερα"
|
||||||
},
|
},
|
||||||
"SUBMIT": "Create account",
|
"SUBMIT": "Create account",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Send",
|
"YES": "Send",
|
||||||
"CANCEL": "Cancel"
|
"CANCEL": "Cancel"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Private Note: Only visible to you and your team",
|
"VISIBLE_TO_AGENTS": "Private Note: Only visible to you and your team",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Learn more about inboxes",
|
"LEARN_MORE": "Learn more about inboxes",
|
||||||
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
||||||
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "There are no inboxes attached to this account."
|
"404": "There are no inboxes attached to this account."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Business Hours",
|
"BUSINESS_HOURS": "Business Hours",
|
||||||
"WIDGET_BUILDER": "Widget Builder",
|
"WIDGET_BUILDER": "Widget Builder",
|
||||||
"BOT_CONFIGURATION": "Bot Configuration",
|
"BOT_CONFIGURATION": "Bot Configuration",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "CSAT"
|
"CSAT": "CSAT"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "Live"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Settings",
|
"SETTINGS": "Settings",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Features",
|
"LABEL": "Features",
|
||||||
|
|||||||
@@ -750,6 +750,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Yes, delete",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Description",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "None",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "API Key"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Password",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Type"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Number",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Required"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Create a new account",
|
"CREATE_NEW_ACCOUNT": "Create a new account",
|
||||||
"SUBMIT": "Login",
|
"SUBMIT": "Login",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -51,6 +51,7 @@
|
|||||||
},
|
},
|
||||||
"DATE_RANGE_OPTIONS": {
|
"DATE_RANGE_OPTIONS": {
|
||||||
"LAST_7_DAYS": "Last 7 days",
|
"LAST_7_DAYS": "Last 7 days",
|
||||||
|
"LAST_14_DAYS": "Last 14 days",
|
||||||
"LAST_30_DAYS": "Last 30 days",
|
"LAST_30_DAYS": "Last 30 days",
|
||||||
"LAST_3_MONTHS": "Last 3 months",
|
"LAST_3_MONTHS": "Last 3 months",
|
||||||
"LAST_6_MONTHS": "Last 6 months",
|
"LAST_6_MONTHS": "Last 6 months",
|
||||||
@@ -266,6 +267,8 @@
|
|||||||
"NO_ENOUGH_DATA": "We've not received enough data points to generate report, Please try again later.",
|
"NO_ENOUGH_DATA": "We've not received enough data points to generate report, Please try again later.",
|
||||||
"DOWNLOAD_INBOX_REPORTS": "Download inbox reports",
|
"DOWNLOAD_INBOX_REPORTS": "Download inbox reports",
|
||||||
"FILTER_DROPDOWN_LABEL": "Select Inbox",
|
"FILTER_DROPDOWN_LABEL": "Select Inbox",
|
||||||
|
"ALL_INBOXES": "All Inboxes",
|
||||||
|
"SEARCH_INBOX": "Search Inbox",
|
||||||
"METRICS": {
|
"METRICS": {
|
||||||
"CONVERSATIONS": {
|
"CONVERSATIONS": {
|
||||||
"NAME": "Conversations",
|
"NAME": "Conversations",
|
||||||
@@ -467,6 +470,13 @@
|
|||||||
"CONVERSATIONS": "{count} conversations",
|
"CONVERSATIONS": "{count} conversations",
|
||||||
"DOWNLOAD_REPORT": "Download report"
|
"DOWNLOAD_REPORT": "Download report"
|
||||||
},
|
},
|
||||||
|
"RESOLUTION_HEATMAP": {
|
||||||
|
"HEADER": "Resolutions",
|
||||||
|
"NO_CONVERSATIONS": "No conversations",
|
||||||
|
"CONVERSATION": "{count} conversation",
|
||||||
|
"CONVERSATIONS": "{count} conversations",
|
||||||
|
"DOWNLOAD_REPORT": "Download report"
|
||||||
|
},
|
||||||
"AGENT_CONVERSATIONS": {
|
"AGENT_CONVERSATIONS": {
|
||||||
"HEADER": "Conversations by agents",
|
"HEADER": "Conversations by agents",
|
||||||
"LOADING_MESSAGE": "Loading agent metrics...",
|
"LOADING_MESSAGE": "Loading agent metrics...",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Home",
|
"HOME": "Home",
|
||||||
"AGENTS": "Agents",
|
"AGENTS": "Agents",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Password",
|
"LABEL": "Password",
|
||||||
"PLACEHOLDER": "Password",
|
"PLACEHOLDER": "Password",
|
||||||
"ERROR": "Password is too short.",
|
"ERROR": "Password is too short.",
|
||||||
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character."
|
"IS_INVALID_PASSWORD": "Password should contain atleast 1 uppercase letter, 1 lowercase letter, 1 number and 1 special character.",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Confirm password",
|
"LABEL": "Confirm password",
|
||||||
"PLACEHOLDER": "Confirm password",
|
"PLACEHOLDER": "Confirm password",
|
||||||
"ERROR": "Password doesnot match."
|
"ERROR": "Passwords do not match."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Registration Successfull",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "Could not connect to Woot server. Please try again."
|
"ERROR_MESSAGE": "Could not connect to Woot server. Please try again."
|
||||||
},
|
},
|
||||||
"SUBMIT": "Create account",
|
"SUBMIT": "Create account",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "Enviar",
|
"YES": "Enviar",
|
||||||
"CANCEL": "Cancelar"
|
"CANCEL": "Cancelar"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "Nota privada: solo visible para ti y tu equipo",
|
"VISIBLE_TO_AGENTS": "Nota privada: solo visible para ti y tu equipo",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Aprende más sobre las entradas",
|
"LEARN_MORE": "Aprende más sobre las entradas",
|
||||||
"RECONNECTION_REQUIRED": "Tu bandeja de entrada está desconectada. No recibirás mensajes nuevos hasta que lo vuelvas a autorizar.",
|
"RECONNECTION_REQUIRED": "Tu bandeja de entrada está desconectada. No recibirás mensajes nuevos hasta que lo vuelvas a autorizar.",
|
||||||
"CLICK_TO_RECONNECT": "Haga clic aquí para volver a conectar.",
|
"CLICK_TO_RECONNECT": "Haga clic aquí para volver a conectar.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "No hay entradas adjuntas a esta cuenta."
|
"404": "No hay entradas adjuntas a esta cuenta."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "Horarios",
|
"BUSINESS_HOURS": "Horarios",
|
||||||
"WIDGET_BUILDER": "Constructor de Widget",
|
"WIDGET_BUILDER": "Constructor de Widget",
|
||||||
"BOT_CONFIGURATION": "Configuración del bot",
|
"BOT_CONFIGURATION": "Configuración del bot",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "Encuestas de Satisfacción"
|
"CSAT": "Encuestas de Satisfacción"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "En vivo"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "Ajustes",
|
"SETTINGS": "Ajustes",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "Características",
|
"LABEL": "Características",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "Sí, eliminar",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "Descripción",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "Ninguna",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "Clave de API"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "Contraseña",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "Tipo"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "Número",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "Requerido"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "Preguntas frecuentes",
|
"HEADER": "Preguntas frecuentes",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "Crear nueva cuenta",
|
"CREATE_NEW_ACCOUNT": "Crear nueva cuenta",
|
||||||
"SUBMIT": "Iniciar sesión",
|
"SUBMIT": "Iniciar sesión",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Asistentes",
|
"CAPTAIN_ASSISTANTS": "Asistentes",
|
||||||
"CAPTAIN_DOCUMENTS": "Documentos",
|
"CAPTAIN_DOCUMENTS": "Documentos",
|
||||||
"CAPTAIN_RESPONSES": "Preguntas frecuentes",
|
"CAPTAIN_RESPONSES": "Preguntas frecuentes",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "Inicio",
|
"HOME": "Inicio",
|
||||||
"AGENTS": "Agentes",
|
"AGENTS": "Agentes",
|
||||||
"AGENT_BOTS": "Bots",
|
"AGENT_BOTS": "Bots",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "Contraseña",
|
"LABEL": "Contraseña",
|
||||||
"PLACEHOLDER": "Contraseña",
|
"PLACEHOLDER": "Contraseña",
|
||||||
"ERROR": "La contraseña es demasiado corta",
|
"ERROR": "La contraseña es demasiado corta",
|
||||||
"IS_INVALID_PASSWORD": "La contraseña debe contener al menos 1 letra mayúscula, 1 letra minúscula, 1 número y 1 carácter especial"
|
"IS_INVALID_PASSWORD": "La contraseña debe contener al menos 1 letra mayúscula, 1 letra minúscula, 1 número y 1 carácter especial",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "Confirmar contraseña",
|
"LABEL": "Confirmar contraseña",
|
||||||
"PLACEHOLDER": "Confirmar contraseña",
|
"PLACEHOLDER": "Confirmar contraseña",
|
||||||
"ERROR": "La contraseña no coincide"
|
"ERROR": "Las contraseñas no coinciden."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "Registro Exitoso",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "No se pudo conectar al servidor Woot, por favor inténtalo de nuevo más tarde"
|
"ERROR_MESSAGE": "No se pudo conectar al servidor Woot, por favor inténtalo de nuevo más tarde"
|
||||||
},
|
},
|
||||||
"SUBMIT": "Crear una cuenta",
|
"SUBMIT": "Crear una cuenta",
|
||||||
|
|||||||
@@ -227,6 +227,13 @@
|
|||||||
"YES": "ارسال",
|
"YES": "ارسال",
|
||||||
"CANCEL": "انصراف"
|
"CANCEL": "انصراف"
|
||||||
}
|
}
|
||||||
|
},
|
||||||
|
"QUOTED_REPLY": {
|
||||||
|
"ENABLE_TOOLTIP": "Include quoted email thread",
|
||||||
|
"DISABLE_TOOLTIP": "Don't include quoted email thread",
|
||||||
|
"REMOVE_PREVIEW": "Remove quoted email thread",
|
||||||
|
"COLLAPSE": "Collapse preview",
|
||||||
|
"EXPAND": "Expand preview"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"VISIBLE_TO_AGENTS": "یادداشت خصوصی: فقط برای شما و تیم شما قابل مشاهده است",
|
"VISIBLE_TO_AGENTS": "یادداشت خصوصی: فقط برای شما و تیم شما قابل مشاهده است",
|
||||||
|
|||||||
@@ -5,6 +5,8 @@
|
|||||||
"LEARN_MORE": "Learn more about inboxes",
|
"LEARN_MORE": "Learn more about inboxes",
|
||||||
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
"RECONNECTION_REQUIRED": "Your inbox is disconnected. You won't receive new messages until you reauthorize it.",
|
||||||
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
"CLICK_TO_RECONNECT": "Click here to reconnect.",
|
||||||
|
"WHATSAPP_REGISTRATION_INCOMPLETE": "Your WhatsApp Business registration isn’t complete. Please check your display name status in Meta Business Manager before reconnecting.",
|
||||||
|
"COMPLETE_REGISTRATION": "Complete Registration",
|
||||||
"LIST": {
|
"LIST": {
|
||||||
"404": "برای این حساب هیچ صندوق ورودی معرفی نشده است."
|
"404": "برای این حساب هیچ صندوق ورودی معرفی نشده است."
|
||||||
},
|
},
|
||||||
@@ -605,8 +607,64 @@
|
|||||||
"BUSINESS_HOURS": "ساعت کاری",
|
"BUSINESS_HOURS": "ساعت کاری",
|
||||||
"WIDGET_BUILDER": "سازنده ابزارک",
|
"WIDGET_BUILDER": "سازنده ابزارک",
|
||||||
"BOT_CONFIGURATION": "پیکربندی ربات",
|
"BOT_CONFIGURATION": "پیکربندی ربات",
|
||||||
|
"ACCOUNT_HEALTH": "Account Health",
|
||||||
"CSAT": "رضایت مشتری"
|
"CSAT": "رضایت مشتری"
|
||||||
},
|
},
|
||||||
|
"ACCOUNT_HEALTH": {
|
||||||
|
"TITLE": "Manage your WhatsApp account",
|
||||||
|
"DESCRIPTION": "Review your WhatsApp account status, messaging limits, and quality. Update settings or resolve issues if needed",
|
||||||
|
"GO_TO_SETTINGS": "Go to Meta Business Manager",
|
||||||
|
"NO_DATA": "Health data is not available",
|
||||||
|
"FIELDS": {
|
||||||
|
"DISPLAY_PHONE_NUMBER": {
|
||||||
|
"LABEL": "Display phone number",
|
||||||
|
"TOOLTIP": "Phone number displayed to customers"
|
||||||
|
},
|
||||||
|
"VERIFIED_NAME": {
|
||||||
|
"LABEL": "Business name",
|
||||||
|
"TOOLTIP": "Business name verified by WhatsApp"
|
||||||
|
},
|
||||||
|
"DISPLAY_NAME_STATUS": {
|
||||||
|
"LABEL": "Display name status",
|
||||||
|
"TOOLTIP": "Status of your business name verification"
|
||||||
|
},
|
||||||
|
"QUALITY_RATING": {
|
||||||
|
"LABEL": "Quality rating",
|
||||||
|
"TOOLTIP": "WhatsApp quality rating for your account"
|
||||||
|
},
|
||||||
|
"MESSAGING_LIMIT_TIER": {
|
||||||
|
"LABEL": "Messaging limit tier",
|
||||||
|
"TOOLTIP": "Daily messaging limit for your account"
|
||||||
|
},
|
||||||
|
"ACCOUNT_MODE": {
|
||||||
|
"LABEL": "Account mode",
|
||||||
|
"TOOLTIP": "Current operating mode of your WhatsApp account"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"VALUES": {
|
||||||
|
"TIERS": {
|
||||||
|
"TIER_250": "250 customers per 24h",
|
||||||
|
"TIER_1000": "1K customers per 24h",
|
||||||
|
"TIER_1K": "1K customers per 24h",
|
||||||
|
"TIER_10K": "10K customers per 24h",
|
||||||
|
"TIER_100K": "100K customers per 24h",
|
||||||
|
"TIER_UNLIMITED": "Unlimited customers per 24h",
|
||||||
|
"UNKNOWN": "Rating not available"
|
||||||
|
},
|
||||||
|
"STATUSES": {
|
||||||
|
"APPROVED": "Approved",
|
||||||
|
"PENDING_REVIEW": "Pending Review",
|
||||||
|
"AVAILABLE_WITHOUT_REVIEW": "Available Without Review",
|
||||||
|
"REJECTED": "Rejected",
|
||||||
|
"DECLINED": "Declined",
|
||||||
|
"NON_EXISTS": "Non exists"
|
||||||
|
},
|
||||||
|
"MODES": {
|
||||||
|
"SANDBOX": "Sandbox",
|
||||||
|
"LIVE": "زنده"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"SETTINGS": "تنظیمات",
|
"SETTINGS": "تنظیمات",
|
||||||
"FEATURES": {
|
"FEATURES": {
|
||||||
"LABEL": "امکانات",
|
"LABEL": "امکانات",
|
||||||
|
|||||||
@@ -752,6 +752,115 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"CUSTOM_TOOLS": {
|
||||||
|
"HEADER": "Tools",
|
||||||
|
"ADD_NEW": "Create a new tool",
|
||||||
|
"EMPTY_STATE": {
|
||||||
|
"TITLE": "No custom tools available",
|
||||||
|
"SUBTITLE": "Create custom tools to connect your assistant with external APIs and services, enabling it to fetch data and perform actions on your behalf.",
|
||||||
|
"FEATURE_SPOTLIGHT": {
|
||||||
|
"TITLE": "Custom Tools",
|
||||||
|
"NOTE": "Custom tools allow your assistant to interact with external APIs and services. Create tools to fetch data, perform actions, or integrate with your existing systems to enhance your assistant's capabilities."
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"FORM_DESCRIPTION": "Configure your custom tool to connect with external APIs",
|
||||||
|
"OPTIONS": {
|
||||||
|
"EDIT_TOOL": "Edit tool",
|
||||||
|
"DELETE_TOOL": "Delete tool"
|
||||||
|
},
|
||||||
|
"CREATE": {
|
||||||
|
"TITLE": "Create Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool created successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to create custom tool"
|
||||||
|
},
|
||||||
|
"EDIT": {
|
||||||
|
"TITLE": "Edit Custom Tool",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool updated successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to update custom tool"
|
||||||
|
},
|
||||||
|
"DELETE": {
|
||||||
|
"TITLE": "Delete Custom Tool",
|
||||||
|
"DESCRIPTION": "Are you sure you want to delete this custom tool? This action cannot be undone.",
|
||||||
|
"CONFIRM": "بله، حذف شود",
|
||||||
|
"SUCCESS_MESSAGE": "Custom tool deleted successfully",
|
||||||
|
"ERROR_MESSAGE": "Failed to delete custom tool"
|
||||||
|
},
|
||||||
|
"FORM": {
|
||||||
|
"TITLE": {
|
||||||
|
"LABEL": "Tool Name",
|
||||||
|
"PLACEHOLDER": "Order Lookup",
|
||||||
|
"ERROR": "Tool name is required"
|
||||||
|
},
|
||||||
|
"DESCRIPTION": {
|
||||||
|
"LABEL": "توضیحات",
|
||||||
|
"PLACEHOLDER": "Looks up order details by order ID"
|
||||||
|
},
|
||||||
|
"HTTP_METHOD": {
|
||||||
|
"LABEL": "Method"
|
||||||
|
},
|
||||||
|
"ENDPOINT_URL": {
|
||||||
|
"LABEL": "Endpoint URL",
|
||||||
|
"PLACEHOLDER": "https://api.example.com/orders/{'{{'} order_id {'}}'}",
|
||||||
|
"ERROR": "Valid URL is required"
|
||||||
|
},
|
||||||
|
"AUTH_TYPE": {
|
||||||
|
"LABEL": "Authentication Type"
|
||||||
|
},
|
||||||
|
"AUTH_TYPES": {
|
||||||
|
"NONE": "هیچکدام",
|
||||||
|
"BEARER": "Bearer Token",
|
||||||
|
"BASIC": "Basic Auth",
|
||||||
|
"API_KEY": "API key"
|
||||||
|
},
|
||||||
|
"AUTH_CONFIG": {
|
||||||
|
"BEARER_TOKEN": "Bearer Token",
|
||||||
|
"BEARER_TOKEN_PLACEHOLDER": "Enter your bearer token",
|
||||||
|
"USERNAME": "Username",
|
||||||
|
"USERNAME_PLACEHOLDER": "Enter username",
|
||||||
|
"PASSWORD": "رمز عبور",
|
||||||
|
"PASSWORD_PLACEHOLDER": "Enter password",
|
||||||
|
"API_KEY": "Header Name",
|
||||||
|
"API_KEY_PLACEHOLDER": "X-API-Key",
|
||||||
|
"API_VALUE": "Header Value",
|
||||||
|
"API_VALUE_PLACEHOLDER": "Enter API key value"
|
||||||
|
},
|
||||||
|
"PARAMETERS": {
|
||||||
|
"LABEL": "Parameters",
|
||||||
|
"HELP_TEXT": "Define the parameters that will be extracted from user queries"
|
||||||
|
},
|
||||||
|
"ADD_PARAMETER": "Add Parameter",
|
||||||
|
"PARAM_NAME": {
|
||||||
|
"PLACEHOLDER": "Parameter name (e.g., order_id)"
|
||||||
|
},
|
||||||
|
"PARAM_TYPE": {
|
||||||
|
"PLACEHOLDER": "نوع"
|
||||||
|
},
|
||||||
|
"PARAM_TYPES": {
|
||||||
|
"STRING": "String",
|
||||||
|
"NUMBER": "شماره",
|
||||||
|
"BOOLEAN": "Boolean",
|
||||||
|
"ARRAY": "Array",
|
||||||
|
"OBJECT": "Object"
|
||||||
|
},
|
||||||
|
"PARAM_DESCRIPTION": {
|
||||||
|
"PLACEHOLDER": "Description of the parameter"
|
||||||
|
},
|
||||||
|
"PARAM_REQUIRED": {
|
||||||
|
"LABEL": "ضروری"
|
||||||
|
},
|
||||||
|
"REQUEST_TEMPLATE": {
|
||||||
|
"LABEL": "Request Body Template (Optional)",
|
||||||
|
"PLACEHOLDER": "{'{'}\n \"order_id\": \"{'{{'} order_id {'}}'}\"\n{'}'}"
|
||||||
|
},
|
||||||
|
"RESPONSE_TEMPLATE": {
|
||||||
|
"LABEL": "Response Template (Optional)",
|
||||||
|
"PLACEHOLDER": "Order {'{{'} order_id {'}}'} status: {'{{'} status {'}}'}"
|
||||||
|
},
|
||||||
|
"ERRORS": {
|
||||||
|
"PARAM_NAME_REQUIRED": "Parameter name is required"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"RESPONSES": {
|
"RESPONSES": {
|
||||||
"HEADER": "FAQs",
|
"HEADER": "FAQs",
|
||||||
"ADD_NEW": "Create new FAQ",
|
"ADD_NEW": "Create new FAQ",
|
||||||
|
|||||||
@@ -24,7 +24,7 @@
|
|||||||
"CREATE_NEW_ACCOUNT": "حساب جدید بسازید",
|
"CREATE_NEW_ACCOUNT": "حساب جدید بسازید",
|
||||||
"SUBMIT": "ورود",
|
"SUBMIT": "ورود",
|
||||||
"SAML": {
|
"SAML": {
|
||||||
"LABEL": "Log in via SSO",
|
"LABEL": "Login via SSO",
|
||||||
"TITLE": "Initiate Single Sign-on (SSO)",
|
"TITLE": "Initiate Single Sign-on (SSO)",
|
||||||
"SUBTITLE": "Enter your work email to access your organization",
|
"SUBTITLE": "Enter your work email to access your organization",
|
||||||
"BACK_TO_LOGIN": "Login via Password",
|
"BACK_TO_LOGIN": "Login via Password",
|
||||||
|
|||||||
@@ -304,6 +304,7 @@
|
|||||||
"CAPTAIN_ASSISTANTS": "Assistants",
|
"CAPTAIN_ASSISTANTS": "Assistants",
|
||||||
"CAPTAIN_DOCUMENTS": "Documents",
|
"CAPTAIN_DOCUMENTS": "Documents",
|
||||||
"CAPTAIN_RESPONSES": "FAQs",
|
"CAPTAIN_RESPONSES": "FAQs",
|
||||||
|
"CAPTAIN_TOOLS": "Tools",
|
||||||
"HOME": "صفحه اصلی",
|
"HOME": "صفحه اصلی",
|
||||||
"AGENTS": "ایجنت ها",
|
"AGENTS": "ایجنت ها",
|
||||||
"AGENT_BOTS": "رباتها",
|
"AGENT_BOTS": "رباتها",
|
||||||
|
|||||||
@@ -27,15 +27,20 @@
|
|||||||
"LABEL": "رمز عبور",
|
"LABEL": "رمز عبور",
|
||||||
"PLACEHOLDER": "رمز عبور",
|
"PLACEHOLDER": "رمز عبور",
|
||||||
"ERROR": "رمز عبور خیلی کوتاه است",
|
"ERROR": "رمز عبور خیلی کوتاه است",
|
||||||
"IS_INVALID_PASSWORD": "رمز عبور باید شامل حداقل ۱ حرف بزرگ، ۱ حرف کوچک، ۱ عدد و ۱ کاراکتر خاص باشد"
|
"IS_INVALID_PASSWORD": "رمز عبور باید شامل حداقل ۱ حرف بزرگ، ۱ حرف کوچک، ۱ عدد و ۱ کاراکتر خاص باشد",
|
||||||
|
"REQUIREMENTS_LENGTH": "At least 6 characters long",
|
||||||
|
"REQUIREMENTS_UPPERCASE": "At least one uppercase letter",
|
||||||
|
"REQUIREMENTS_LOWERCASE": "At least one lowercase letter",
|
||||||
|
"REQUIREMENTS_NUMBER": "At least one number",
|
||||||
|
"REQUIREMENTS_SPECIAL": "At least one special character"
|
||||||
},
|
},
|
||||||
"CONFIRM_PASSWORD": {
|
"CONFIRM_PASSWORD": {
|
||||||
"LABEL": "تکرار رمز عبور",
|
"LABEL": "تکرار رمز عبور",
|
||||||
"PLACEHOLDER": "تکرار رمز عبور",
|
"PLACEHOLDER": "تکرار رمز عبور",
|
||||||
"ERROR": "رمز عبور و تکرار رمز عبور یکسان نیستند"
|
"ERROR": "تکرار رمز عبور میبایست با رمز عبور یکسان باشد."
|
||||||
},
|
},
|
||||||
"API": {
|
"API": {
|
||||||
"SUCCESS_MESSAGE": "ثبت نام با موفقیت انجام شد",
|
"SUCCESS_MESSAGE": "Registration Successful",
|
||||||
"ERROR_MESSAGE": "ارتباط با سرور برقرار نشد، لطفا بعدا امتحان کنید"
|
"ERROR_MESSAGE": "ارتباط با سرور برقرار نشد، لطفا بعدا امتحان کنید"
|
||||||
},
|
},
|
||||||
"SUBMIT": "ایجاد حساب کاربری",
|
"SUBMIT": "ایجاد حساب کاربری",
|
||||||
|
|||||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user