在Angular v1.2中,我使用以下代码在应用程序中提供本地化字符串:
var i18n = angular.module('i18n', []);
i18n.service('i18n', function ($http, $timeout) {
/**
A dictionary of translations keyed on culture
*/
this.translations = {},
/**
The current culture
*/
this.currentCulture = null,
/**
Sets the current culture, loading the associated translations file if not already loaded
*/
this.setCurrentCulture = function (culture) {
var self = this;
if (self.translations[culture]) {
$timeout(function () {
self.currentCulture = culture;
});
} else {
$http({ method: 'GET', url: 'i18n/' + culture + '/translations.json?' + Date.now() })
.success(function (data) {
// $timeout is used here to defer the $scope update to the next $digest cycle
$timeout(function () {
self.translations[culture] = data;
self.currentCulture = culture;
});
});
}
};
this.getTranslation = function (key) {
if (this.currentCulture) {
return this.translations[this.currentCulture][key] || key;
} else {
return key;
}
},
// Initialize the default culture
this.setCurrentCulture(config.defaultCulture);
});
i18n.filter('i18n', function (i18n) {
return function (key) {
return i18n.getTranslation(key);
};
});
在模板中,然后按如下方式使用:
<p>{{ 'HelloWorld' | i18n }}</p>
由于某些我无法理解的原因,升级到AngularJS的v1.3已经破坏了这个功能。 $ timeout不会触发摘要周期,或者过滤器没有更新。我可以看到$ timeout代码正在运行,但过滤器代码永远不会被命中。
为什么在v1.3中可以解决这个问题?
谢谢!
答案 0 :(得分:4)
在角度1.3中,过滤被改变,使得它们不再是“有状态的”#34;您可以在此问题中查看更多信息:What is stateful filtering in AngularJS?
最终结果是除非输入发生变化,否则过滤器将不再重新评估。要解决此问题,您可以添加以下行:
i18n.filter('i18n', function (i18n) {
var filter = function (key) {
return i18n.getTranslation(key);
};
filter.$stateful = true; ///add this line
return filter;
});
或者以其他方式实现您的过滤器。