123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409 |
- import {cloneElement, Fragment, isValidElement} from 'react';
- import * as Sentry from '@sentry/react';
- import Jed from 'jed';
- import {sprintf} from 'sprintf-js';
- import localStorage from 'sentry/utils/localStorage';
- import toArray from 'sentry/utils/toArray';
- const markerStyles = {
- background: '#ff801790',
- outline: '2px solid #ff801790',
- };
- const LOCALE_DEBUG = localStorage.getItem('localeDebug') === '1';
- export const DEFAULT_LOCALE_DATA = {
- '': {
- domain: 'sentry',
- lang: 'en',
- plural_forms: 'nplurals=2; plural=(n != 1);',
- },
- };
- export function setLocaleDebug(value: boolean) {
- localStorage.setItem('localeDebug', value ? '1' : '0');
- // eslint-disable-next-line no-console
- console.log(`Locale debug is: ${value ? 'on' : 'off'}. Reload page to apply changes!`);
- }
- /**
- * Toggles the locale debug flag in local storage, but does _not_ reload the
- * page. The caller should do this.
- */
- export function toggleLocaleDebug() {
- const currentValue = localStorage.getItem('localeDebug');
- setLocaleDebug(currentValue !== '1');
- }
- /**
- * Global Jed locale object loaded with translations via setLocale
- */
- let i18n: Jed | null = null;
- const staticTranslations = new Set<string>();
- /**
- * Set the current application locale.
- *
- * NOTE: This MUST be called early in the application before calls to any
- * translation functions, as this mutates a singleton translation object used
- * to lookup translations at runtime.
- */
- export function setLocale(translations: any): Jed {
- i18n = new Jed({
- domain: 'sentry',
- missing_key_callback: () => {},
- locale_data: {
- sentry: translations,
- },
- });
- return i18n;
- }
- type FormatArg = ComponentMap | React.ReactNode;
- /**
- * Helper to return the i18n client, and initialize for the default locale (English)
- * if it has otherwise not been initialized.
- */
- function getClient(): Jed | null {
- if (!i18n) {
- // If this happens, it could mean that an import was added/changed where
- // locale initialization does not happen soon enough.
- const warning = new Error('Locale not set, defaulting to English');
- Sentry.captureException(warning);
- return setLocale(DEFAULT_LOCALE_DATA);
- }
- return i18n;
- }
- export function isStaticString(formatString: string): boolean {
- if (formatString.trim() === '') {
- return false;
- }
- return staticTranslations.has(formatString);
- }
- /**
- * printf style string formatting which render as react nodes.
- */
- function formatForReact(formatString: string, args: FormatArg[]): React.ReactNode[] {
- const nodes: React.ReactNode[] = [];
- let cursor = 0;
- // always re-parse, do not cache, because we change the match
- sprintf.parse(formatString).forEach((match: any, idx: number) => {
- if (typeof match === 'string') {
- nodes.push(match);
- return;
- }
- let arg: FormatArg = null;
- if (match[2]) {
- arg = (args[0] as ComponentMap)[match[2][0]];
- } else if (match[1]) {
- arg = args[parseInt(match[1], 10) - 1];
- } else {
- arg = args[cursor++];
- }
- // this points to a react element!
- if (isValidElement(arg)) {
- nodes.push(cloneElement(arg, {key: idx}));
- } else {
- // Not a react element, massage it so that sprintf.format can format it
- // for us. We make sure match[2] is null so that we do not go down the
- // object path, and we set match[1] to the first index and then pass an
- // array with two items in.
- match[2] = null;
- match[1] = 1;
- nodes.push(<Fragment key={idx++}>{sprintf.format([match], [null, arg])}</Fragment>);
- }
- });
- return nodes;
- }
- /**
- * Determine if any arguments include React elements.
- */
- function argsInvolveReact(args: FormatArg[]): boolean {
- if (args.some(isValidElement)) {
- return true;
- }
- if (args.length !== 1 || !args[0] || typeof args[0] !== 'object') {
- return false;
- }
- const componentMap = args[0] as ComponentMap;
- return Object.keys(componentMap).some(key => isValidElement(componentMap[key]));
- }
- /**
- * Parse template strings will be parsed into an array of TemplateSubvalue's,
- * this represents either a portion of the string, or a object with the group
- * key indicating the group to lookup the group value in.
- */
- type TemplateSubvalue = string | {group: string};
- /**
- * ParsedTemplate is a mapping of group names to Template Subvalue arrays.
- */
- type ParsedTemplate = {[group: string]: TemplateSubvalue[]};
- /**
- * ComponentMap maps template group keys to react node instances.
- *
- * NOTE: template group keys that include additional sub values (e.g.
- * [groupName:this string is the sub value]) will override the mapped react
- * nodes children prop.
- *
- * In the above example the component map of {groupName: <strong>text</strong>}
- * will be translated to `<strong>this string is the sub value</strong>`.
- */
- type ComponentMap = {[group: string]: React.ReactNode};
- /**
- * Parses a template string into groups.
- *
- * The top level group will be keyed as `root`. All other group names will have
- * been extracted from the template string.
- */
- export function parseComponentTemplate(template: string): ParsedTemplate {
- const parsed: ParsedTemplate = {};
- function process(startPos: number, group: string, inGroup: boolean) {
- const regex = /\[(.*?)(:|\])|\]/g;
- const buf: TemplateSubvalue[] = [];
- let satisfied = false;
- let match: ReturnType<typeof regex.exec>;
- let pos = (regex.lastIndex = startPos);
- // eslint-disable-next-line no-cond-assign
- while ((match = regex.exec(template)) !== null) {
- const substr = template.substring(pos, match.index);
- if (substr !== '') {
- buf.push(substr);
- }
- const [fullMatch, groupName, closeBraceOrValueSeparator] = match;
- if (fullMatch === ']') {
- if (inGroup) {
- satisfied = true;
- break;
- } else {
- pos = regex.lastIndex;
- continue;
- }
- }
- if (closeBraceOrValueSeparator === ']') {
- pos = regex.lastIndex;
- } else {
- pos = regex.lastIndex = process(regex.lastIndex, groupName, true);
- }
- buf.push({group: groupName});
- }
- let endPos = regex.lastIndex;
- if (!satisfied) {
- const rest = template.substring(pos);
- if (rest) {
- buf.push(rest);
- }
- endPos = template.length;
- }
- parsed[group] = buf;
- return endPos;
- }
- process(0, 'root', false);
- return parsed;
- }
- /**
- * Renders a parsed template into a React tree given a ComponentMap to use for
- * the parsed groups.
- */
- export function renderTemplate(
- template: ParsedTemplate,
- components: ComponentMap
- ): React.ReactNode {
- let idx = 0;
- function renderGroup(groupKey: string) {
- const children: React.ReactNode[] = [];
- const group = template[groupKey] || [];
- for (const item of group) {
- if (typeof item === 'string') {
- children.push(<Fragment key={idx++}>{item}</Fragment>);
- } else {
- children.push(renderGroup(item.group));
- }
- }
- // In case we cannot find our component, we call back to an empty
- // span so that stuff shows up at least.
- let reference = components[groupKey] ?? <Fragment key={idx++} />;
- if (!isValidElement(reference)) {
- reference = <Fragment key={idx++}>{reference}</Fragment>;
- }
- const element = reference as React.ReactElement;
- return children.length === 0
- ? cloneElement(element, {key: idx++})
- : cloneElement(element, {key: idx++}, children);
- }
- return <Fragment>{renderGroup('root')}</Fragment>;
- }
- /**
- * mark is used to debug translations by visually marking translated strings.
- *
- * NOTE: This is a no-op and will return the node if LOCALE_DEBUG is not
- * currently enabled. See setLocaleDebug and toggleLocaleDebug.
- */
- function mark<T extends React.ReactNode>(node: T): T {
- if (!LOCALE_DEBUG) {
- return node;
- }
- // TODO(epurkhiser): Explain why we manually create a react node and assign
- // the toString function. This could likely also use better typing, but will
- // require some understanding of reacts internal types.
- const proxy = {
- $$typeof: Symbol.for('react.element'),
- type: Symbol.for('react.fragment'),
- key: null,
- ref: null,
- props: {
- style: markerStyles,
- children: toArray(node),
- },
- _owner: null,
- _store: {},
- };
- proxy.toString = () => '✅' + node + '✅';
- return proxy as T;
- }
- /**
- * sprintf style string formatting. Does not handle translations.
- *
- * See the sprintf-js library [0] for specifics on the argument
- * parameterization format.
- *
- * [0]: https://github.com/alexei/sprintf.js
- */
- export function format(formatString: string, args: FormatArg[]): React.ReactNode {
- if (argsInvolveReact(args)) {
- return formatForReact(formatString, args);
- }
- return sprintf(formatString, ...args) as string;
- }
- /**
- * Translates a string to the current locale.
- *
- * See the sprintf-js library [0] for specifics on the argument
- * parameterization format.
- *
- * [0]: https://github.com/alexei/sprintf.js
- */
- export function gettext(string: string, ...args: FormatArg[]): string {
- const val: string = getClient().gettext(string);
- if (args.length === 0) {
- staticTranslations.add(val);
- return mark(val);
- }
- // XXX(ts): It IS possible to use gettext in such a way that it will return a
- // React.ReactNodeArray, however we currently rarely (if at all) use it in
- // this way, and usually just expect strings back.
- return mark(format(val, args) as string);
- }
- /**
- * Translates a singular and plural string to the current locale. Supports
- * argument parameterization, and will use the first argument as the counter to
- * determine which message to use.
- *
- * See the sprintf-js library [0] for specifics on the argument
- * parameterization format.
- *
- * [0]: https://github.com/alexei/sprintf.js
- */
- export function ngettext(singular: string, plural: string, ...args: FormatArg[]): string {
- let countArg = 0;
- if (args.length > 0) {
- countArg = Math.abs(args[0] as number) || 0;
- // `toLocaleString` will render `999` as `"999"` but `9999` as `"9,999"`.
- // This means that any call with `tn` or `ngettext` cannot use `%d` in the
- // codebase but has to use `%s`.
- //
- // This means a string is always being passed in as an argument, but
- // `sprintf-js` implicitly coerces strings that can be parsed as integers
- // into an integer.
- //
- // This would break under any locale that used different formatting and
- // other undesirable behaviors.
- if ((singular + plural).includes('%d')) {
- // eslint-disable-next-line no-console
- console.error(new Error('You should not use %d within tn(), use %s instead'));
- } else {
- args = [countArg.toLocaleString(), ...args.slice(1)];
- }
- }
- // XXX(ts): See XXX in gettext.
- return mark(format(getClient().ngettext(singular, plural, countArg), args) as string);
- }
- /**
- * special form of gettext where you can render nested react components in
- * template strings.
- *
- * ```jsx
- * gettextComponentTemplate('Welcome. Click [link:here]', {
- * root: <p/>,
- * link: <a href="#" />,
- * });
- * ```
- *
- * The root string is always called "root", the rest is prefixed with the name
- * in the brackets
- *
- * You may recursively nest additional groups within the grouped string values.
- */
- export function gettextComponentTemplate(
- template: string,
- components: ComponentMap
- ): JSX.Element {
- const parsedTemplate = parseComponentTemplate(getClient().gettext(template));
- return mark(renderTemplate(parsedTemplate, components) as JSX.Element);
- }
- /**
- * Shorthand versions should primarily be used.
- */
- export {gettext as t, gettextComponentTemplate as tct, ngettext as tn};
|