在javascript中处理本地化字符串中的参数有什么好方法? 我使用的格式与java的MessageFormat类相同,例如:
There are {0} apples in basket ID {1}.
{0}
将替换为第一个参数,{1}
替换为第二个参数。
这是我想在JS中使用的调用(即我想实现origStr
):
var str = replaceParams(origStr, [5, 'AAA']);
我猜最好的策略是使用正则表达式。如果是这样,请提供良好的正则表达。但我很乐意听到其他任何选择。
答案 0 :(得分:36)
String.prototype.format = function() {
var args = arguments;
return this.replace(/\{(\d+)\}/g, function() {
return args[arguments[1]];
});
};
// Returns '2 + -1 = 1'.
'{0} + {1} = {2}'.format(2, -1, 1);
或符合您的要求:
function replaceParams(string, replacements) {
return string.replace(/\{(\d+)\}/g, function() {
return replacements[arguments[1]];
});
// Or, if prototype code above...
String.format.apply(string, replacements);
}
你可以添加花哨的i18n功能,例如序数i-fying(无论它叫什么):
// Not well tested.
i18n.en.filters = {
ordinal: function(n) {
// FIXME Doesn't handle all cases.
switch(('' + n).substr(-1)) {
case '1':
return '' + n + 'st';
case '2':
return '' + n + 'nd';
case '3':
return '' + n + 'rd';
case '4':
case '5':
case '6':
case '7':
case '8':
case '9':
case '0':
return '' + n + 'th';
default:
return n; // Just in case...
}
},
plural: function(n, singular, plural) {
if(n == 1) {
return singular;
} else {
return plural;
}
}
};
i18n.current = i18n.en;
String.prototype.format = function() {
var args = arguments;
return this.replace(/\{((\d+)((\|\w+(:\w+)*)*))\}/g, function() {
var arg = args[arguments[2]],
filters = arguments[3].split('|'),
i, curFilter, curFilterArgs, curFilterFunc;
for(i = 0; i < filters.length; ++i) {
curFilterArgs = filters[i].split(':');
curFilter = curFilterArgs.shift();
curFilterFunc = i18n.current.filters[curFilter];
if(typeof curFilterFunc === 'function') {
arg = curFilterFunc.apply(null, [ arg ].concat(curFilterArgs));
}
}
return arg;
});
};
'You have {0} {0|plural:cow:cows} but I have {1} {1|plural:cow:cows}.'.format(2,1);
'My horse came in {0|ordinal} place while yours came in {1|ordinal}.'.format(42,1);
答案 1 :(得分:10)
看起来我只有大约3年的时间,但是如果有人仍然需要一个真正独立的JS的MessageFormat库:
https://github.com/SlexAxton/messageformat.js
你去!编译为JS - 因此它可以非常快速,并支持SelectFormat
和PluralFormat
。
注意::这是ICU MessageFormat,它与您的语言中可能包含的内容有所不同(读取:更好)。
答案 2 :(得分:0)
@strager的答案对我而言并不是真正的工作,但稍作调整后,我的答案就变成了我想要的东西(这与@Omesh的目标非常相似)。
String.prototype.format = function() {
var args = arguments;
return this.replace(/\{(\d+)\}/g, function(a) {
return args[0][parseInt(a.match(/(\d+)/g))];
});
};
请注意,args数组的索引值不同。
应该像@strager所建议的那样来命名:
'I like {0} and {1} but not {2}'.format('apples', 'oranges', 'kiwi');