// Underscore.js 1.7.0
// http://underscorejs.org
// (c) 2009-2014 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors
// Underscore may be freely distributed under the MIT license.
(function() {
// Baseline setup
// --------------
// Establish the root object, `window` in the browser, or `exports` on the server.
var root = this;
// Save the previous value of the `_` variable.
var previousUnderscore = root._;
// Save bytes in the minified (but not gzipped) version:
var ArrayProto = Array.prototype, ObjProto = Object.prototype, FuncProto = Function.prototype;
// Create quick reference variables for speed access to core prototypes.
var
push = ArrayProto.push,
slice = ArrayProto.slice,
toString = ObjProto.toString,
hasOwnProperty = ObjProto.hasOwnProperty;
// All **ECMAScript 5** native function implementations that we hope to use
// are declared here.
var
nativeIsArray = Array.isArray,
nativeKeys = Object.keys,
nativeBind = FuncProto.bind,
nativeCreate = Object.create;
// Reusable constructor function for prototype setting.
var Ctor = function(){};
// Create a safe reference to the Underscore object for use below.
var _ = function(obj) {
if (obj instanceof _) return obj;
if (!(this instanceof _)) return new _(obj);
this._wrapped = obj;
};
// Export the Underscore object for **Node.js**, with
// backwards-compatibility for the old `require()` API. If we're in
// the browser, add `_` as a global object.
if (typeof exports !== 'undefined') {
if (typeof module !== 'undefined' && module.exports) {
exports = module.exports = _;
}
exports._ = _;
} else {
root._ = _;
}
// Current version.
_.VERSION = '1.7.0';
// Internal function that returns an efficient (for current engines) version
// of the passed-in callback, to be repeatedly applied in other Underscore
// functions.
var optimizeCb = function(func, context, argCount) {
if (context === void 0) return func;
switch (argCount == null ? 3 : argCount) {
case 1: return function(value) {
return func.call(context, value);
};
case 2: return function(value, other) {
return func.call(context, value, other);
};
case 3: return function(value, index, collection) {
return func.call(context, value, index, collection);
};
case 4: return function(accumulator, value, index, collection) {
return func.call(context, accumulator, value, index, collection);
};
}
return function() {
return func.apply(context, arguments);
};
};
// A mostly-internal function to generate callbacks that can be applied
// to each element in a collection, returning the desired result — either
// identity, an arbitrary callback, a property matcher, or a property accessor.
var cb = function(value, context, argCount) {
if (value == null) return _.identity;
if (_.isFunction(value)) return optimizeCb(value, context, argCount);
if (_.isObject(value)) return _.matches(value);
return _.property(value);
};
_.iteratee = function(value, context) {
return cb(value, context, Infinity);
};
// An internal function for creating assigner functions.
var createAssigner = function(keysFunc) {
return function(obj) {
var length = arguments.length;
if (length < 2 || obj == null) return obj;
for (var index = 0; index < length; index++) {
var source = arguments[index],
keys = keysFunc(source),
l = keys.length;
for (var i = 0; i < l; i++) {
var key = keys[i];
obj[key] = source[key];
}
}
return obj;
};
};
// An internal function for creating a new object that inherts from another.
var baseCreate = function(prototype) {
if (!_.isObject(prototype)) return {};
if (nativeCreate) return nativeCreate(prototype);
Ctor.prototype = prototype;
var result = new Ctor;
Ctor.prototype = null;
return result;
};
// Collection Functions
// --------------------
// The cornerstone, an `each` implementation, aka `forEach`.
// Handles raw objects in addition to array-likes. Treats all
// sparse array-likes as if they were dense.
_.each = _.forEach = function(obj, iteratee, context) {
if (obj == null) return obj;
iteratee = optimizeCb(iteratee, context);
var i, length = obj.length;
if (length === +length) {
for (i = 0; i < length; i++) {
iteratee(obj[i], i, obj);
}
} else {
var keys = _.keys(obj);
for (i = 0, length = keys.length; i < length; i++) {
iteratee(obj[keys[i]], keys[i], obj);
}
}
return obj;
};
// Return the results of applying the iteratee to each element.
_.map = _.collect = function(obj, iteratee, context) {
if (obj == null) return [];
iteratee = cb(iteratee, context);
var keys = obj.length !== +obj.length && _.keys(obj),
length = (keys || obj).length,
results = Array(length),
currentKey;
for (var index = 0; index < length; index++) {
currentKey = keys ? keys[index] : index;
results[index] = iteratee(obj[currentKey], currentKey, obj);
}
return results;
};
// **Reduce** builds up a single result from a list of values, aka `inject`,
// or `foldl`.
_.reduce = _.foldl = _.inject = function(obj, iteratee, memo, context) {
if (obj == null) obj = [];
iteratee = optimizeCb(iteratee, context, 4);
var keys = obj.length !== +obj.length && _.keys(obj),
length = (keys || obj).length,
index = 0, currentKey;
if (arguments.length < 3) {
memo = obj[keys ? keys[index++] : index++];
}
for (; index < length; index++) {
currentKey = keys ? keys[index] : index;
memo = iteratee(memo, obj[currentKey], currentKey, obj);
}
return memo;
};
// The right-associative version of reduce, also known as `foldr`.
_.reduceRight = _.foldr = function(obj, iteratee, memo, context) {
if (obj == null) obj = [];
iteratee = optimizeCb(iteratee, context, 4);
var keys = obj.length !== + obj.length && _.keys(obj),
index = (keys || obj).length,
currentKey;
if (arguments.length < 3) {
memo = obj[keys ? keys[--index] : --index];
}
while (index-- > 0) {
currentKey = keys ? keys[index] : index;
memo = iteratee(memo, obj[currentKey], currentKey, obj);
}
return memo;
};
// Return the first value which passes a truth test. Aliased as `detect`.
_.find = _.detect = function(obj, predicate, context) {
var key;
if (obj.length === +obj.length) {
key = _.findIndex(obj, predicate, context);
} else {
key = _.findKey(obj, predicate, context);
}
if (key !== void 0 && key !== -1) return obj[key];
};
// Return all the elements that pass a truth test.
// Aliased as `select`.
_.filter = _.select = function(obj, predicate, context) {
var results = [];
if (obj == null) return results;
predicate = cb(predicate, context);
_.each(obj, function(value, index, list) {
if (predicate(value, index, list)) results.push(value);
});
return results;
};
// Return all the elements for which a truth test fails.
_.reject = function(obj, predicate, context) {
return _.filter(obj, _.negate(cb(predicate)), context);
};
// Determine whether all of the elements match a truth test.
// Aliased as `all`.
_.every = _.all = function(obj, predicate, context) {
if (obj == null) return true;
predicate = cb(predicate, context);
var keys = obj.length !== +obj.length && _.keys(obj),
length = (keys || obj).length,
index, currentKey;
for (index = 0; index < length; index++) {
currentKey = keys ? keys[index] : index;
if (!predicate(obj[currentKey], currentKey, obj)) return false;
}
return true;
};
// Determine if at least one element in the object matches a truth test.
// Aliased as `any`.
_.some = _.any = function(obj, predicate, context) {
if (obj == null) return false;
predicate = cb(predicate, context);
var keys = obj.length !== +obj.length && _.keys(obj),
length = (keys || obj).length,
index, currentKey;
for (index = 0; index < length; index++) {
currentKey = keys ? keys[index] : index;
if (predicate(obj[currentKey], currentKey, obj)) return true;
}
return false;
};
// Determine if the array or object contains a given value (using `===`).
// Aliased as `includes` and `include`.
_.contains = _.includes = _.include = function(obj, target, fromIndex) {
if (obj == null) return false;
if (obj.length !== +obj.length) obj = _.values(obj);
return _.indexOf(obj, target, typeof fromIndex == 'number' && fromIndex) >= 0;
};
// Invoke a method (with arguments) on every item in a collection.
_.invoke = function(obj, method) {
var args = slice.call(arguments, 2);
var isFunc = _.isFunction(method);
return _.map(obj, function(value) {
return (isFunc ? method : value[method]).apply(value, args);
});
};
// Convenience version of a common use case of `map`: fetching a property.
_.pluck = function(obj, key) {
return _.map(obj, _.property(key));
};
// Convenience version of a common use case of `filter`: selecting only objects
// containing specific `key:value` pairs.
_.where = function(obj, attrs) {
return _.filter(obj, _.matches(attrs));
};
// Convenience version of a common use case of `find`: getting the first object
// containing specific `key:value` pairs.
_.findWhere = function(obj, attrs) {
return _.find(obj, _.matches(attrs));
};
// Return the maximum element (or element-based computation).
_.max = function(obj, iteratee, context) {
var result = -Infinity, lastComputed = -Infinity,
value, computed;
if (iteratee == null && obj != null) {
obj = obj.length === +obj.length ? obj : _.values(obj);
for (var i = 0, length = obj.length; i < length; i++) {
value = obj[i];
if (value > result) {
result = value;
}
}
} else {
iteratee = cb(iteratee, context);
_.each(obj, function(value, index, list) {
computed = iteratee(value, index, list);
if (computed > lastComputed || computed === -Infinity && result === -Infinity) {
result = value;
lastComputed = computed;
}
});
}
return result;
};
// Return the minimum element (or element-based computation).
_.min = function(obj, iteratee, context) {
var result = Infinity, lastComputed = Infinity,
value, computed;
if (iteratee == null && obj != null) {
obj = obj.length === +obj.length ? obj : _.values(obj);
for (var i = 0, length = obj.length; i < length; i++) {
value = obj[i];
if (value < result) {
result = value;
}
}
} else {
iteratee = cb(iteratee, context);
_.each(obj, function(value, index, list) {
computed = iteratee(value, index, list);
if (computed < lastComputed || computed === Infinity && result === Infinity) {
result = value;
lastComputed = computed;
}
});
}
return result;
};
// Shuffle a collection, using the modern version of the
// [Fisher-Yates shuffle](http://en.wikipedia.org/wiki/Fisher–Yates_shuffle).
_.shuffle = function(obj) {
var set = obj && obj.length === +obj.length ? obj : _.values(obj);
var length = set.length;
var shuffled = Array(length);
for (var index = 0, rand; index < length; index++) {
rand = _.random(0, index);
if (rand !== index) shuffled[index] = shuffled[rand];
shuffled[rand] = set[index];
}
return shuffled;
};
// Sample **n** random values from a collection.
// If **n** is not specified, returns a single random element.
// The internal `guard` argument allows it to work with `map`.
_.sample = function(obj, n, guard) {
if (n == null || guard) {
if (obj.length !== +obj.length) obj = _.values(obj);
return obj[_.random(obj.length - 1)];
}
return _.shuffle(obj).slice(0, Math.max(0, n));
};
// Sort the object's values by a criterion produced by an iteratee.
_.sortBy = function(obj, iteratee, context) {
iteratee = cb(iteratee, context);
return _.pluck(_.map(obj, function(value, index, list) {
return {
value: value,
index: index,
criteria: iteratee(value, index, list)
};
}).sort(function(left, right) {
var a = left.criteria;
var b = right.criteria;
if (a !== b) {
if (a > b || a === void 0) return 1;
if (a < b || b === void 0) return -1;
}
return left.index - right.index;
}), 'value');
};
// An internal function used for aggregate "group by" operations.
var group = function(behavior) {
return function(obj, iteratee, context) {
var result = {};
iteratee = cb(iteratee, context);
_.each(obj, function(value, index) {
var key = iteratee(value, index, obj);
behavior(result, value, key);
});
return result;
};
};
// Groups the object's values by a criterion. Pass either a string attribute
// to group by, or a function that returns the criterion.
_.groupBy = group(function(result, value, key) {
if (_.has(result, key)) result[key].push(value); else result[key] = [value];
});
// Indexes the object's values by a criterion, similar to `groupBy`, but for
// when you know that your index values will be unique.
_.indexBy = group(function(result, value, key) {
result[key] = value;
});
// Counts instances of an object that group by a certain criterion. Pass
// either a string attribute to count by, or a function that returns the
// criterion.
_.countBy = group(function(result, value, key) {
if (_.has(result, key)) result[key]++; else result[key] = 1;
});
// Use a comparator function to figure out the smallest index at which
// an object should be inserted so as to maintain order. Uses binary search.
_.sortedIndex = function(array, obj, iteratee, context) {
iteratee = cb(iteratee, context, 1);
var value = iteratee(obj);
var low = 0, high = array.length;
while (low < high) {
var mid = Math.floor((low + high) / 2);
if (iteratee(array[mid]) < value) low = mid + 1; else high = mid;
}
return low;
};
// Safely create a real, live array from anything iterable.
_.toArray = function(obj) {
if (!obj) return [];
if (_.isArray(obj)) return slice.call(obj);
if (obj.length === +obj.length) return _.map(obj, _.identity);
return _.values(obj);
};
// Return the number of elements in an object.
_.size = function(obj) {
if (obj == null) return 0;
return obj.length === +obj.length ? obj.length : _.keys(obj).length;
};
// Split a collection into two arrays: one whose elements all satisfy the given
// predicate, and one whose elements all do not satisfy the predicate.
_.partition = function(obj, predicate, context) {
predicate = cb(predicate, context);
var pass = [], fail = [];
_.each(obj, function(value, key, obj) {
(predicate(value, key, obj) ? pass : fail).push(value);
});
return [pass, fail];
};
// Array Functions
// ---------------
// Get the first element of an array. Passing **n** will return the first N
// values in the array. Aliased as `head` and `take`. The **guard** check
// allows it to work with `_.map`.
_.first = _.head = _.take = function(array, n, guard) {
if (array == null) return void 0;
if (n == null || guard) return array[0];
return _.initial(array, array.length - n);
};
// Returns everything but the last entry of the array. Especially useful on
// the arguments object. Passing **n** will return all the values in
// the array, excluding the last N. The **guard** check allows it to work with
// `_.map`.
_.initial = function(array, n, guard) {
return slice.call(array, 0, Math.max(0, array.length - (n == null || guard ? 1 : n)));
};
// Get the last element of an array. Passing **n** will return the last N
// values in the array. The **guard** check allows it to work with `_.map`.
_.last = function(array, n, guard) {
if (array == null) return void 0;
if (n == null || guard) return array[array.length - 1];
return _.rest(array, Math.max(0, array.length - n));
};
// Returns everything but the first entry of the array. Aliased as `tail` and `drop`.
// Especially useful on the arguments object. Passing an **n** will return
// the rest N values in the array. The **guard**
// check allows it to work with `_.map`.
_.rest = _.tail = _.drop = function(array, n, guard) {
return slice.call(array, n == null || guard ? 1 : n);
};
// Trim out all falsy values from an array.
_.compact = function(array) {
return _.filter(array, _.identity);
};
// Internal implementation of a recursive `flatten` function.
var flatten = function(input, shallow, strict, startIndex) {
var output = [], idx = 0, value;
for (var i = startIndex || 0, length = input && input.length; i < length; i++) {
value = input[i];
if (value && value.length >= 0 && (_.isArray(value) || _.isArguments(value))) {
//flatten current level of array or arguments object
if (!shallow) value = flatten(value, shallow, strict);
var j = 0, len = value.length;
output.length += len;
while (j < len) {
output[idx++] = value[j++];
}
} else if (!strict) {
output[idx++] = value;
}
}
return output;
};
// Flatten out an array, either recursively (by default), or just one level.
_.flatten = function(array, shallow) {
return flatten(array, shallow, false);
};
// Return a version of the array that does not contain the specified value(s).
_.without = function(array) {
return _.difference(array, slice.call(arguments, 1));
};
// Produce a duplicate-free version of the array. If the array has already
// been sorted, you have the option of using a faster algorithm.
// Aliased as `unique`.
_.uniq = _.unique = function(array, isSorted, iteratee, context) {
if (array == null) return [];
if (!_.isBoolean(isSorted)) {
context = iteratee;
iteratee = isSorted;
isSorted = false;
}
if (iteratee != null) iteratee = cb(iteratee, context);
var result = [];
var seen = [];
for (var i = 0, length = array.length; i < length; i++) {
var value = array[i],
computed = iteratee ? iteratee(value, i, array) : value;
if (isSorted) {
if (!i || seen !== computed) result.push(value);
seen = computed;
} else if (iteratee) {
if (!_.contains(seen, computed)) {
seen.push(computed);
result.push(value);
}
} else if (!_.contains(result, value)) {
result.push(value);
}
}
return result;
};
// Produce an array that contains the union: each distinct element from all of
// the passed-in arrays.
_.union = function() {
return _.uniq(flatten(arguments, true, true));
};
// Produce an array that contains every item shared between all the
// passed-in arrays.
_.intersection = function(array) {
if (array == null) return [];
var result = [];
var argsLength = arguments.length;
for (var i = 0, length = array.length; i < length; i++) {
var item = array[i];
if (_.contains(result, item)) continue;
for (var j = 1; j < argsLength; j++) {
if (!_.contains(arguments[j], item)) break;
}
if (j === argsLength) result.push(item);
}
return result;
};
// Take the difference between one array and a number of other arrays.
// Only the elements present in just the first array will remain.
_.difference = function(array) {
var rest = flatten(arguments, true, true, 1);
return _.filter(array, function(value){
return !_.contains(rest, value);
});
};
// Zip together multiple lists into a single array -- elements that share
// an index go together.
_.zip = function(array) {
if (array == null) return [];
var length = _.max(arguments, 'length').length;
var results = Array(length);
while (length-- > 0) {
results[length] = _.pluck(arguments, length);
}
return results;
};
// Complement of _.zip. Unzip accepts an array of arrays and groups
// each array's elements on shared indices
_.unzip = function(array) {
return _.zip.apply(null, array);
};
// Converts lists into objects. Pass either a single array of `[key, value]`
// pairs, or two parallel arrays of the same length -- one of keys, and one of
// the corresponding values.
_.object = function(list, values) {
if (list == null) return {};
var result = {};
for (var i = 0, length = list.length; i < length; i++) {
if (values) {
result[list[i]] = values[i];
} else {
result[list[i][0]] = list[i][1];
}
}
return result;
};
// Return the position of the first occurrence of an item in an array,
// or -1 if the item is not included in the array.
// If the array is large and already in sort order, pass `true`
// for **isSorted** to use binary search.
_.indexOf = function(array, item, isSorted) {
var i = 0, length = array && array.length;
if (typeof isSorted == 'number') {
i = isSorted < 0 ? Math.max(0, length + isSorted) : isSorted;
} else if (isSorted && length) {
i = _.sortedIndex(array, item);
return array[i] === item ? i : -1;
}
for (; i < length; i++) if (array[i] === item) return i;
return -1;
};
_.lastIndexOf = function(array, item, from) {
var idx = array ? array.length : 0;
if (typeof from == 'number') {
idx = from < 0 ? idx + from + 1 : Math.min(idx, from + 1);
}
while (--idx >= 0) if (array[idx] === item) return idx;
return -1;
};
// Returns the first index on an array-like that passes a predicate test
_.findIndex = function(array, predicate, context) {
predicate = cb(predicate, context);
var length = array != null ? array.length : 0;
for (var i = 0; i < length; i++) {
if (predicate(array[i], i, array)) return i;
}
return -1;
};
// Generate an integer Array containing an arithmetic progression. A port of
// the native Python `range()` function. See
// [the Python documentation](http://docs.python.org/library/functions.html#range).
_.range = function(start, stop, step) {
if (arguments.length <= 1) {
stop = start || 0;
start = 0;
}
step = step || 1;
var length = Math.max(Math.ceil((stop - start) / step), 0);
var range = Array(length);
for (var idx = 0; idx < length; idx++, start += step) {
range[idx] = start;
}
return range;
};
// Function (ahem) Functions
// ------------------
// Determines whether to execute a function as a constructor
// or a normal function with the provided arguments
var executeBound = function(sourceFunc, boundFunc, context, callingContext, args) {
if (!(callingContext instanceof boundFunc)) return sourceFunc.apply(context, args);
var self = baseCreate(sourceFunc.prototype);
var result = sourceFunc.apply(self, args);
if (_.isObject(result)) return result;
return self;
};
// Create a function bound to a given object (assigning `this`, and arguments,
// optionally). Delegates to **ECMAScript 5**'s native `Function.bind` if
// available.
_.bind = function(func, context) {
if (nativeBind && func.bind === nativeBind) return nativeBind.apply(func, slice.call(arguments, 1));
if (!_.isFunction(func)) throw new TypeError('Bind must be called on a function');
var args = slice.call(arguments, 2);
return function bound() {
return executeBound(func, bound, context, this, args.concat(slice.call(arguments)));
};
};
// Partially apply a function by creating a version that has had some of its
// arguments pre-filled, without changing its dynamic `this` context. _ acts
// as a placeholder, allowing any combination of arguments to be pre-filled.
_.partial = function(func) {
var boundArgs = slice.call(arguments, 1);
return function bound() {
var position = 0;
var args = boundArgs.slice();
for (var i = 0, length = args.length; i < length; i++) {
if (args[i] === _) args[i] = arguments[position++];
}
while (position < arguments.length) args.push(arguments[position++]);
return executeBound(func, bound, this, this, args);
};
};
// Bind a number of an object's methods to that object. Remaining arguments
// are the method names to be bound. Useful for ensuring that all callbacks
// defined on an object belong to it.
_.bindAll = function(obj) {
var i, length = arguments.length, key;
if (length <= 1) throw new Error('bindAll must be passed function names');
for (i = 1; i < length; i++) {
key = arguments[i];
obj[key] = _.bind(obj[key], obj);
}
return obj;
};
// Memoize an expensive function by storing its results.
_.memoize = function(func, hasher) {
var memoize = function(key) {
var cache = memoize.cache;
var address = '' + (hasher ? hasher.apply(this, arguments) : key);
if (!_.has(cache, address)) cache[address] = func.apply(this, arguments);
return cache[address];
};
memoize.cache = {};
return memoize;
};
// Delays a function for the given number of milliseconds, and then calls
// it with the arguments supplied.
_.delay = function(func, wait) {
var args = slice.call(arguments, 2);
return setTimeout(function(){
return func.apply(null, args);
}, wait);
};
// Defers a function, scheduling it to run after the current call stack has
// cleared.
_.defer = _.partial(_.delay, _, 1);
// Returns a function, that, when invoked, will only be triggered at most once
// during a given window of time. Normally, the throttled function will run
// as much as it can, without ever going more than once per `wait` duration;
// but if you'd like to disable the execution on the leading edge, pass
// `{leading: false}`. To disable execution on the trailing edge, ditto.
_.throttle = function(func, wait, options) {
var context, args, result;
var timeout = null;
var previous = 0;
if (!options) options = {};
var later = function() {
previous = options.leading === false ? 0 : _.now();
timeout = null;
result = func.apply(context, args);
if (!timeout) context = args = null;
};
return function() {
var now = _.now();
if (!previous && options.leading === false) previous = now;
var remaining = wait - (now - previous);
context = this;
args = arguments;
if (remaining <= 0 || remaining > wait) {
if (timeout) {
clearTimeout(timeout);
timeout = null;
}
previous = now;
result = func.apply(context, args);
if (!timeout) context = args = null;
} else if (!timeout && options.trailing !== false) {
timeout = setTimeout(later, remaining);
}
return result;
};
};
// Returns a function, that, as long as it continues to be invoked, will not
// be triggered. The function will be called after it stops being called for
// N milliseconds. If `immediate` is passed, trigger the function on the
// leading edge, instead of the trailing.
_.debounce = function(func, wait, immediate) {
var timeout, args, context, timestamp, result;
var later = function() {
var last = _.now() - timestamp;
if (last < wait && last >= 0) {
timeout = setTimeout(later, wait - last);
} else {
timeout = null;
if (!immediate) {
result = func.apply(context, args);
if (!timeout) context = args = null;
}
}
};
return function() {
context = this;
args = arguments;
timestamp = _.now();
var callNow = immediate && !timeout;
if (!timeout) timeout = setTimeout(later, wait);
if (callNow) {
result = func.apply(context, args);
context = args = null;
}
return result;
};
};
// Returns the first function passed as an argument to the second,
// allowing you to adjust arguments, run code before and after, and
// conditionally execute the original function.
_.wrap = function(func, wrapper) {
return _.partial(wrapper, func);
};
// Returns a negated version of the passed-in predicate.
_.negate = function(predicate) {
return function() {
return !predicate.apply(this, arguments);
};
};
// Returns a function that is the composition of a list of functions, each
// consuming the return value of the function that follows.
_.compose = function() {
var args = arguments;
var start = args.length - 1;
return function() {
var i = start;
var result = args[start].apply(this, arguments);
while (i--) result = args[i].call(this, result);
return result;
};
};
// Returns a function that will only be executed on and after the Nth call.
_.after = function(times, func) {
return function() {
if (--times < 1) {
return func.apply(this, arguments);
}
};
};
// Returns a function that will only be executed up to (but not including) the Nth call.
_.before = function(times, func) {
var memo;
return function() {
if (--times > 0) {
memo = func.apply(this, arguments);
}
if (times <= 1) func = null;
return memo;
};
};
// Returns a function that will be executed at most one time, no matter how
// often you call it. Useful for lazy initialization.
_.once = _.partial(_.before, 2);
// Object Functions
// ----------------
// Keys in IE < 9 that won't be iterated by `for key in ...` and thus missed.
var hasEnumBug = !{toString: null}.propertyIsEnumerable('toString');
var nonEnumerableProps = ['constructor', 'valueOf', 'isPrototypeOf', 'toString',
'propertyIsEnumerable', 'hasOwnProperty', 'toLocaleString'];
function collectNonEnumProps(obj, keys) {
var nonEnumIdx = nonEnumerableProps.length;
var proto = typeof obj.constructor === 'function' ? FuncProto : ObjProto;
while (nonEnumIdx--) {
var prop = nonEnumerableProps[nonEnumIdx];
if (prop === 'constructor' ? _.has(obj, prop) : prop in obj &&
obj[prop] !== proto[prop] && !_.contains(keys, prop)) {
keys.push(prop);
}
}
}
// Retrieve the names of an object's own properties.
// Delegates to **ECMAScript 5**'s native `Object.keys`
_.keys = function(obj) {
if (!_.isObject(obj)) return [];
if (nativeKeys) return nativeKeys(obj);
var keys = [];
for (var key in obj) if (_.has(obj, key)) keys.push(key);
// Ahem, IE < 9.
if (hasEnumBug) collectNonEnumProps(obj, keys);
return keys;
};
// Retrieve all the property names of an object.
_.keysIn = function(obj) {
if (!_.isObject(obj)) return [];
var keys = [];
for (var key in obj) keys.push(key);
// Ahem, IE < 9.
if (hasEnumBug) collectNonEnumProps(obj, keys);
return keys;
};
// Retrieve the values of an object's properties.
_.values = function(obj) {
var keys = _.keys(obj);
var length = keys.length;
var values = Array(length);
for (var i = 0; i < length; i++) {
values[i] = obj[keys[i]];
}
return values;
};
// Convert an object into a list of `[key, value]` pairs.
_.pairs = function(obj) {
var keys = _.keys(obj);
var length = keys.length;
var pairs = Array(length);
for (var i = 0; i < length; i++) {
pairs[i] = [keys[i], obj[keys[i]]];
}
return pairs;
};
// Invert the keys and values of an object. The values must be serializable.
_.invert = function(obj) {
var result = {};
var keys = _.keys(obj);
for (var i = 0, length = keys.length; i < length; i++) {
result[obj[keys[i]]] = keys[i];
}
return result;
};
// Return a sorted list of the function names available on the object.
// Aliased as `methods`
_.functions = _.methods = function(obj) {
var names = [];
for (var key in obj) {
if (_.isFunction(obj[key])) names.push(key);
}
return names.sort();
};
// Extend a given object with all the properties in passed-in object(s).
_.extend = createAssigner(_.keysIn);
// Assigns a given object with all the own properties in the passed-in object(s)
// (https://developer.mozilla.org/docs/Web/JavaScript/Reference/Global_Objects/Object/assign)
_.assign = createAssigner(_.keys);
// Returns the first key on an object that passes a predicate test
_.findKey = function(obj, predicate, context) {
predicate = cb(predicate, context);
var keys = _.keys(obj), key;
for (var i = 0, length = keys.length; i < length; i++) {
key = keys[i];
if (predicate(obj[key], key, obj)) return key;
}
};
// Return a copy of the object only containing the whitelisted properties.
_.pick = function(obj, iteratee, context) {
var result = {}, key;
if (obj == null) return result;
if (_.isFunction(iteratee)) {
iteratee = optimizeCb(iteratee, context);
for (key in obj) {
var value = obj[key];
if (iteratee(value, key, obj)) result[key] = value;
}
} else {
var keys = flatten(arguments, false, false, 1);
obj = new Object(obj);
for (var i = 0, length = keys.length; i < length; i++) {
key = keys[i];
if (key in obj) result[key] = obj[key];
}
}
return result;
};
// Return a copy of the object without the blacklisted properties.
_.omit = function(obj, iteratee, context) {
if (_.isFunction(iteratee)) {
iteratee = _.negate(iteratee);
} else {
var keys = _.map(flatten(arguments, false, false, 1), String);
iteratee = function(value, key) {
return !_.contains(keys, key);
};
}
return _.pick(obj, iteratee, context);
};
// Fill in a given object with default properties.
_.defaults = function(obj) {
if (!_.isObject(obj)) return obj;
for (var i = 1, length = arguments.length; i < length; i++) {
var source = arguments[i];
for (var prop in source) {
if (obj[prop] === void 0) obj[prop] = source[prop];
}
}
return obj;
};
// Creates an object that inherits from the given prototype object.
// If additional properties are provided then they will be added to the
// created object.
_.create = function(prototype, props) {
var result = baseCreate(prototype);
if (props) _.assign(result, props);
return result;
};
// Create a (shallow-cloned) duplicate of an object.
_.clone = function(obj) {
if (!_.isObject(obj)) return obj;
return _.isArray(obj) ? obj.slice() : _.extend({}, obj);
};
// Invokes interceptor with the obj, and then returns obj.
// The primary purpose of this method is to "tap into" a method chain, in
// order to perform operations on intermediate results within the chain.
_.tap = function(obj, interceptor) {
interceptor(obj);
return obj;
};
// Internal recursive comparison function for `isEqual`.
var eq = function(a, b, aStack, bStack) {
// Identical objects are equal. `0 === -0`, but they aren't identical.
// See the [Harmony `egal` proposal](http://wiki.ecmascript.org/doku.php?id=harmony:egal).
if (a === b) return a !== 0 || 1 / a === 1 / b;
// A strict comparison is necessary because `null == undefined`.
if (a == null || b == null) return a === b;
// Unwrap any wrapped objects.
if (a instanceof _) a = a._wrapped;
if (b instanceof _) b = b._wrapped;
// Compare `[[Class]]` names.
var className = toString.call(a);
if (className !== toString.call(b)) return false;
switch (className) {
// Strings, numbers, regular expressions, dates, and booleans are compared by value.
case '[object RegExp]':
// RegExps are coerced to strings for comparison (Note: '' + /a/i === '/a/i')
case '[object String]':
// Primitives and their corresponding object wrappers are equivalent; thus, `"5"` is
// equivalent to `new String("5")`.
return '' + a === '' + b;
case '[object Number]':
// `NaN`s are equivalent, but non-reflexive.
// Object(NaN) is equivalent to NaN
if (+a !== +a) return +b !== +b;
// An `egal` comparison is performed for other numeric values.
return +a === 0 ? 1 / +a === 1 / b : +a === +b;
case '[object Date]':
case '[object Boolean]':
// Coerce dates and booleans to numeric primitive values. Dates are compared by their
// millisecond representations. Note that invalid dates with millisecond representations
// of `NaN` are not equivalent.
return +a === +b;
}
var areArrays = className === '[object Array]';
if (!areArrays) {
if (typeof a != 'object' || typeof b != 'object') return false;
// Objects with different constructors are not equivalent, but `Object`s or `Array`s
// from different frames are.
var aCtor = a.constructor, bCtor = b.constructor;
if (aCtor !== bCtor && !(_.isFunction(aCtor) && aCtor instanceof aCtor &&
_.isFunction(bCtor) && bCtor instanceof bCtor)
&& ('constructor' in a && 'constructor' in b)) {
return false;
}
}
// Assume equality for cyclic structures. The algorithm for detecting cyclic
// structures is adapted from ES 5.1 section 15.12.3, abstract operation `JO`.
var length = aStack.length;
while (length--) {
// Linear search. Performance is inversely proportional to the number of
// unique nested structures.
if (aStack[length] === a) return bStack[length] === b;
}
// Add the first object to the stack of traversed objects.
aStack.push(a);
bStack.push(b);
// Recursively compare objects and arrays.
if (areArrays) {
// Compare array lengths to determine if a deep comparison is necessary.
length = a.length;
if (length !== b.length) return false;
// Deep compare the contents, ignoring non-numeric properties.
while (length--) {
if (!eq(a[length], b[length], aStack, bStack)) return false;
}
} else {
// Deep compare objects.
var keys = _.keys(a), key;
length = keys.length;
// Ensure that both objects contain the same number of properties before comparing deep equality.
if (_.keys(b).length !== length) return false;
while (length--) {
// Deep compare each member
key = keys[length];
if (!(_.has(b, key) && eq(a[key], b[key], aStack, bStack))) return false;
}
}
// Remove the first object from the stack of traversed objects.
aStack.pop();
bStack.pop();
return true;
};
// Perform a deep comparison to check if two objects are equal.
_.isEqual = function(a, b) {
return eq(a, b, [], []);
};
// Is a given array, string, or object empty?
// An "empty" object has no enumerable own-properties.
_.isEmpty = function(obj) {
if (obj == null) return true;
if (_.isArray(obj) || _.isString(obj) || _.isArguments(obj)) return obj.length === 0;
for (var key in obj) if (_.has(obj, key)) return false;
return true;
};
// Is a given value a DOM element?
_.isElement = function(obj) {
return !!(obj && obj.nodeType === 1);
};
// Is a given value an array?
// Delegates to ECMA5's native Array.isArray
_.isArray = nativeIsArray || function(obj) {
return toString.call(obj) === '[object Array]';
};
// Is a given variable an object?
_.isObject = function(obj) {
var type = typeof obj;
return type === 'function' || type === 'object' && !!obj;
};
// Add some isType methods: isArguments, isFunction, isString, isNumber, isDate, isRegExp, isError.
_.each(['Arguments', 'Function', 'String', 'Number', 'Date', 'RegExp', 'Error'], function(name) {
_['is' + name] = function(obj) {
return toString.call(obj) === '[object ' + name + ']';
};
});
// Define a fallback version of the method in browsers (ahem, IE < 9), where
// there isn't any inspectable "Arguments" type.
if (!_.isArguments(arguments)) {
_.isArguments = function(obj) {
return _.has(obj, 'callee');
};
}
// Optimize `isFunction` if appropriate. Work around an IE 11 bug (#1621).
// Work around a Safari 8 bug (#1929)
if (typeof /./ != 'function' && typeof Int8Array != 'object') {
_.isFunction = function(obj) {
return typeof obj == 'function' || false;
};
}
// Is a given object a finite number?
_.isFinite = function(obj) {
return isFinite(obj) && !isNaN(parseFloat(obj));
};
// Is the given value `NaN`? (NaN is the only number which does not equal itself).
_.isNaN = function(obj) {
return _.isNumber(obj) && obj !== +obj;
};
// Is a given value a boolean?
_.isBoolean = function(obj) {
return obj === true || obj === false || toString.call(obj) === '[object Boolean]';
};
// Is a given value equal to null?
_.isNull = function(obj) {
return obj === null;
};
// Is a given variable undefined?
_.isUndefined = function(obj) {
return obj === void 0;
};
// Shortcut function for checking if an object has a given property directly
// on itself (in other words, not on a prototype).
_.has = function(obj, key) {
return obj != null && hasOwnProperty.call(obj, key);
};
// Utility Functions
// -----------------
// Run Underscore.js in *noConflict* mode, returning the `_` variable to its
// previous owner. Returns a reference to the Underscore object.
_.noConflict = function() {
root._ = previousUnderscore;
return this;
};
// Keep the identity function around for default iteratees.
_.identity = function(value) {
return value;
};
// Predicate-generating functions. Often useful outside of Underscore.
_.constant = function(value) {
return function() {
return value;
};
};
_.noop = function(){};
_.property = function(key) {
return function(obj) {
return obj == null ? void 0 : obj[key];
};
};
// Generates a function for a given object that returns a given property (including those of ancestors)
_.propertyOf = function(obj) {
return obj == null ? function(){} : function(key) {
return obj[key];
};
};
// Returns a predicate for checking whether an object has a given set of `key:value` pairs.
_.matches = function(attrs) {
var pairs = _.pairs(attrs), length = pairs.length;
return function(obj) {
if (obj == null) return !length;
obj = new Object(obj);
for (var i = 0; i < length; i++) {
var pair = pairs[i], key = pair[0];
if (pair[1] !== obj[key] || !(key in obj)) return false;
}
return true;
};
};
// Run a function **n** times.
_.times = function(n, iteratee, context) {
var accum = Array(Math.max(0, n));
iteratee = optimizeCb(iteratee, context, 1);
for (var i = 0; i < n; i++) accum[i] = iteratee(i);
return accum;
};
// Return a random integer between min and max (inclusive).
_.random = function(min, max) {
if (max == null) {
max = min;
min = 0;
}
return min + Math.floor(Math.random() * (max - min + 1));
};
// A (possibly faster) way to get the current timestamp as an integer.
_.now = Date.now || function() {
return new Date().getTime();
};
// List of HTML entities for escaping.
var escapeMap = {
'&': '&',
'<': '<',
'>': '>',
'"': '"',
"'": ''',
'`': '`'
};
var unescapeMap = _.invert(escapeMap);
// Functions for escaping and unescaping strings to/from HTML interpolation.
var createEscaper = function(map) {
var escaper = function(match) {
return map[match];
};
// Regexes for identifying a key that needs to be escaped
var source = '(?:' + _.keys(map).join('|') + ')';
var testRegexp = RegExp(source);
var replaceRegexp = RegExp(source, 'g');
return function(string) {
string = string == null ? '' : '' + string;
return testRegexp.test(string) ? string.replace(replaceRegexp, escaper) : string;
};
};
_.escape = createEscaper(escapeMap);
_.unescape = createEscaper(unescapeMap);
// If the value of the named `property` is a function then invoke it with the
// `object` as context; otherwise, return it.
_.result = function(object, property, fallback) {
var value = object == null ? void 0 : object[property];
if (value === void 0) {
value = fallback;
}
return _.isFunction(value) ? value.call(object) : value;
};
// Generate a unique integer id (unique within the entire client session).
// Useful for temporary DOM ids.
var idCounter = 0;
_.uniqueId = function(prefix) {
var id = ++idCounter + '';
return prefix ? prefix + id : id;
};
// By default, Underscore uses ERB-style template delimiters, change the
// following template settings to use alternative delimiters.
_.templateSettings = {
evaluate : /<%([\s\S]+?)%>/g,
interpolate : /<%=([\s\S]+?)%>/g,
escape : /<%-([\s\S]+?)%>/g
};
// When customizing `templateSettings`, if you don't want to define an
// interpolation, evaluation or escaping regex, we need one that is
// guaranteed not to match.
var noMatch = /(.)^/;
// Certain characters need to be escaped so that they can be put into a
// string literal.
var escapes = {
"'": "'",
'\\': '\\',
'\r': 'r',
'\n': 'n',
'\u2028': 'u2028',
'\u2029': 'u2029'
};
var escaper = /\\|'|\r|\n|\u2028|\u2029/g;
var escapeChar = function(match) {
return '\\' + escapes[match];
};
// Add a "chain" function. Start chaining a wrapped Underscore object.
_.chain = function(obj) {
var instance = _(obj);
instance._chain = true;
return instance;
};
// OOP
// ---------------
// If Underscore is called as a function, it returns a wrapped object that
// can be used OO-style. This wrapper holds altered versions of all the
// underscore functions. Wrapped objects may be chained.
// Helper function to continue chaining intermediate results.
var result = function(instance, obj) {
return instance._chain ? _(obj).chain() : obj;
};
// Add your own custom functions to the Underscore object.
_.mixin = function(obj) {
_.each(_.functions(obj), function(name) {
var func = _[name] = obj[name];
_.prototype[name] = function() {
var args = [this._wrapped];
push.apply(args, arguments);
return result(this, func.apply(_, args));
};
});
};
// Add all of the Underscore functions to the wrapper object.
_.mixin(_);
// Add all mutator Array functions to the wrapper.
_.each(['pop', 'push', 'reverse', 'shift', 'sort', 'splice', 'unshift'], function(name) {
var method = ArrayProto[name];
_.prototype[name] = function() {
var obj = this._wrapped;
method.apply(obj, arguments);
if ((name === 'shift' || name === 'splice') && obj.length === 0) delete obj[0];
return result(this, obj);
};
});
// Add all accessor Array functions to the wrapper.
_.each(['concat', 'join', 'slice'], function(name) {
var method = ArrayProto[name];
_.prototype[name] = function() {
return result(this, method.apply(this._wrapped, arguments));
};
});
// Extracts the result from a wrapped and chained object.
_.prototype.value = function() {
return this._wrapped;
};
// AMD registration happens at the end for compatibility with AMD loaders
// that may not enforce next-turn semantics on modules. Even though general
// practice for AMD registration is to be anonymous, underscore registers
// as a named module because, like jQuery, it is a base library that is
// popular enough to be bundled in a third party lib, but not be part of
// an AMD load request. Those cases could generate an error when an
// anonymous define() is called outside of a loader request.
if (typeof define === 'function' && define.amd) {
define('underscore', [], function() {
return _;
});
}
}.call(this));
NEGArtboard 1 copy
New4Old POSL
Damage POSL
CarHire POSL
CancelPolicy NEGL
Payment Options NEGL
CDR_Primary_RGB_Colour
{{displayText}}
[[displaySubText]]
{{i18ncontent.noContent}}
[[cancelButtonText]]
[[submitButtonText]]
[[submitButtonText]]
[[discardButtonText]]
[[cancelButtonText]]
[[okButtonText]]
[[a11yText]]
{{topLabel}}
[[requiredMessage]]
{{i18ncontent.singleOrJoint.singleOrJointTitle}}
{{i18ncontent.singleOrJoint.singleOrJointDesc}}
{{i18ncontent.aboutYouInfo}}
[[_text]]
{{computeLabel(removePlaceHolderAnimation, label)}}
[[i18ncontent.common.currencySymbol]]
{{i18ncontent.common.percentageSymbol}}
{{visibleErrorMessage}}
[[label]]
[[errorMessage]]
{{label}}
[[headingLabel]]
[[requiredMessage]]
[[i18ncontent.tooltip.insurance]]
{{i18ncontent.aboutYouHeading}}
{{i18ncontent.licenceDetailsText}}
{{i18ncontent.placeOfBirthHelpText}}
{{i18ncontent.residentialLabel}}
{{i18ncontent.postalLabel}}
{{i18ncontent.crsQuestionLabel}}
[[i18ncontent.crsProvideTINMessage]]
{{i18ncontent.securityQuestionLabel}}
{{i18ncontent.continueButtonText}}
{{i18ncontent.cancelButtonText}}
{{i18ncontent.errorMessages.nextStepsEditValidation}}
[[textSource.allyDisabledSection]]
[[textSource.eligibilityHeading]]
[[getAriaAgeLabel(isValidSavingsBundle, isValidSuperAccountType, hasOe, isValidHomeLoan, i18ncontent,isOrangeOneProduct, isPersonalLoanProduct)]]
[[getAgeLabel(isValidSavingsBundle, isValidSuperAccountType, hasOe, isValidHomeLoan, i18ncontent,isOrangeOneProduct, isPersonalLoanProduct)]]
[[textSource.a11yTimeLabel]]
[[textSource.timeLabel]]
[[paySlipIconText]]
[[paySlipIconText]]
[[textSource.a11yResidentLabel]]
[[textSource.residentLabel]]
[[textSource.a11yReadyLabel]]
[[textSource.readyLabel]]
[[textSource.a11yVerificationLabel]]
[[textSource.verificationLabel]]
[[textSource.eligibilityHeading]]
[[getAgeLabel(isValidSavingsBundle, isValidSuperAccountType, hasOe, isValidHomeLoan, i18ncontent,isOrangeOneProduct, isPersonalLoanProduct)]]
[[textSource.timeLabel]]
[[textSource.payslipsLabel]]
[[textSource.residentLabel]]
[[textSource.readyLabel]]
[[textSource.verificationLabel]]
{{i18ncontent.viewDetails.editLink}}
{{viewPersonalDetails.NationalityName}}
{{viewPersonalDetails.Title}}
{{viewPersonalDetails.Gender}}
{{viewPersonalDetails.FirstName}}
{{viewPersonalDetails.MiddleName}}
{{viewPersonalDetails.LastName}}
{{viewPersonalDetails.DOB}}
{{viewPersonalDetails.PlaceOfBirth}}
{{viewPersonalDetails.CountryOfBirthName}}
{{viewPersonalDetails.EmailAddress}}
{{viewPersonalDetails.MobilePhone}}
{{viewPersonalDetails.OtherPhone}}
{{addressFull(viewPersonalDetails.ResidentialAddress)}}
{{addressFull(viewPersonalDetails.MailingAddress,i18ncontent.viewDetails.sameAsResidentialText)}}
{{viewPersonalDetails.TimeAtCurrentAddress}}
[[_computeAddressInYearsMonths(viewPersonalDetails.ResidentialAddress.NoOfMonthsAtThisAddress,i18ncontent)]]
{{previousAddress}}
[[_computeAddressInYearsMonths(viewPersonalDetails.PreviousResidentialAddress.NoOfMonthsAtThisAddress,i18ncontent)]]
{{viewPersonalDetails.MothersMaidenName}}
[[_getResidenceAnswer(viewPersonalDetails.IsAustraliaSoleResidence, i18ncontent)]]
{{i18ncontent.loginTitle}}
{{i18ncontent.loginInfo}}
{{i18ncontent.loginButtonText}}
{{validationMessage}}
[[i18ncontent.a11yLabel]]
[[i18ncontent.homeLoan.title]]
[[i18ncontent.preTermsAndConditionsInfo1]]
[[getTCsText(productType, i18ncontent)]]
[[getTCsLinks(productType, i18ncontent)}}
[[getTCsText2(productType, i18ncontent)]]
[[getFeesText(productType, i18ncontent)]]
[[getMidTCInfo(productType, i18ncontent)]]
[[getConnectingText(productType, i18ncontent)]]
[[getOEBenefitsLinkText(productType, i18ncontent)]]
[[getTCsText3(productType, i18ncontent)]]
[[i18ncontent.bundleTermsAndConditions]]
[[i18ncontent.bundleTermsAndConditionsCont]]
[[i18ncontent.bundleTermsAndConditionsTD]]
[[i18ncontent.nextsteps.promotionalCodeTooltip]]
[[i18ncontent.nextsteps.preCreditBureauInfo]]
[[i18ncontent.nextsteps.creditBureauViewLinkText]]
[[i18ncontent.nextsteps.postCreditBureauInfo]]
[[i18ncontent.nextsteps.termDeposit.noticePeriodText]]
[[i18ncontent.nextsteps.creditBureauLinkText]]
[[i18ncontent.nextsteps.postCreditBureauInfo]]
[[i18ncontent.orangeOne.privacyStatementText]]
[[i18ncontent.orangeOne.crbstatementpart1]]
[[i18ncontent.orangeOne.crbstatementpart2]] [[i18ncontent.orangeOne.crbstatementpart3]]
[[i18ncontent.orangeOne.stpPrivacystatementpart]]
[[i18ncontent.orangeOne.stpPrivacystatementpart1]]
[[i18ncontent.orangeOne.crbstatementpart1]]
[[i18ncontent.orangeOne.crbstatementpart2]]
[[i18ncontent.orangeOne.crbstatementpart3]]
[[i18ncontent.orangeOne.stpEquifaxStatement]]
[[i18ncontent.orangeOne.stpEquifaxTermsText]]
[[i18ncontent.orangeOne.stpVerifierStatement]]
[[i18ncontent.orangeOne.stpVerifierTermsText]]
[[i18ncontent.nextsteps.nextButtonText]]
{{i18ncontent.description}}
{{i18ncontent.description}}
{{i18ncontent.header}}
{{i18ncontent.note}} {{i18ncontent.phoneNumber}} {{i18ncontent.terminationMark}}
{{i18ncontent.offline}}
[[i18ncontent.accessibility.warningMessage]]
[[i18ncontent.accessibility.infoMessage]]
[[i18ncontent.accessibility.successMessage]]
[[text]]
{{welcomeName}}
[[i18ncontent.nextSteps]]
{{errorMessage}}
[[i18ncontent.submit]]
[[i18ncontent.confirmationResetAccessCodeInstructions]]
[[showProductsApplied]]
[[i18ncontent.continue]]
[[i18ncontent.multipleCifDesc]]
[[i18ncontent.close]]
[[i18ncontent.existingCustomerMsg]]
[[showProductsApplied]]
[[i18ncontent.existingCustomerremainingMsg]]
[[i18ncontent.existingCustomerexpandedMsg]]
[[i18ncontent.getStarted]]
[[i18ncontent.secondStepSubheading]] [[displayMaskedDetails]].
[[i18ncontent.send]]
[[i18ncontent.cancel]]
[[i18ncontent.confirmationPhoneEmail]]
[[i18ncontent.confirmedMessage]][[sentToDetails]]
[[i18ncontent.continue]]
[[i18ncontent.resetACSubheading]]
[[i18ncontent.resetACSecondSubheading]]
[[i18ncontent.dobValidationError]]
{{i18ncontent.recaptchaWarningMessage}}
[[i18ncontent.submit]]
[[i18ncontent.cancel]]
[[i18ncontent.getSmsCodeSub]]
[[moneyNoDecimal(applicationDetails.HomeLoanDetails.LoanAmount)]]
[[displayPurpose]]
[[displayAddress]]
[[moneyNoDecimal(applicationDetails.HomeLoanDetails.EstimatedPropertyValue)]]
[[displayFirstPropertyInfo]]
[[headingTooltip]]
[[_getAnnouncement(showWarning)]]
[[_getAnnouncement(showTick)]]
[[i18ncontent.editLabel]]
{{heading}}
{{clientDetails.Salutation}} {{clientDetails.FirstName}} {{clientDetails.LastName}}
{{clientDetails.EmailAddress}}
{{clientDetails.MobilePhone}}
{{clientDetails.OtherPhone}}
{{i18ncontent.foreignTaxDetails.infoFirstPart}}
{{i18ncontent.foreignTaxDetails.updateButtonLabel}}
{{i18ncontent.foreignTaxDetails.infoSecondPart}}
[[i18ncontent.rateCheck.continue]]
[[i18ncontent.rateCheck.cancel]]
[[i18nContent.aboutYouNtb.genderLabel]]
[[i18nContent.aboutYouNtb.genderLabel]]
[[i18nContent.aboutYouNtb.errorMessages.titleDropdown]]
[[i18nContent.personalLoan.buttons.continue]]
[[i18n.personalLoan.buttons.continue]]
[[i18n.personalLoan.buttons.cancel]]
[[i18nContent.loanBasics.loanTermTooltip]]
[[i18nContent.personalLoan.buttons.continue]]
[[i18nContent.personalLoan.buttons.cancel]]
[[i18n.performCheck.identityCheckboxText]]
[[i18n.performCheck.privacyCheckboxText1]]
[[i18n.performCheck.privacyText]]
[[i18n.performCheck.privacyCheckboxText2]]
[[i18n.performCheck.consentCheckboxText]]
[[i18n.performCheck.continue]]
[[i18n.personalLoan.buttons.submit]]
[[items.para]]
[[items.paraETB]]
[[i18n.personalLoan.eligibilityInfo.heading]]
[[preEligibilityI18n.repaymentsCalculator.estimatedRepaymentLabel]]
[[preEligibilityI18n.repaymentsCalculator.firstInfo]]
[[preEligibilityI18n.repaymentsCalculator.secondInfo]]
[[preEligibilityI18n.repaymentsCalculator.loanAmountLabel]]
[[preEligibilityI18n.repaymentsCalculator.loanAmountTooltip]]
[[preEligibilityI18n.repaymentsCalculator.loanTermLabel]]
[[preEligibilityI18n.repaymentsCalculator.loanTermTooltip]]
[[preEligibilityI18n.repaymentsCalculator.paymentFrequencyLabel]]
[[preEligibilityI18n.repaymentsCalculator.yourFixedRateLabel]]
[[interestRate]][[preEligibilityI18n.personalLoan.preEligibilityResult.percent]]
[[preEligibilityI18n.repaymentsCalculator.estimatedRepaymentsLabel]]
[[estimatedRepaymentAmount]]
[[preEligibilityI18n.personalLoan.buttons.apply]]
[[preEligibilityI18n.personalLoan.buttons.continue]]
[[preEligibilityResultContent.sorryText]]
[[preEligibilityResultContent.declinedNote]]
[[preEligibilityResultContent.congratulations]]
[[customerName]][[preEligibilityResultContent.exclamationMark]]
[[preEligibilityResultContent.congratulationNoteStartingText]]
[[equifaxRating]] [[congratulationNoteEndingText]]
[[preEligibilityResultContent.sorry]][[customerName]][[preEligibilityResultContent.comma]][[preEligibilityResultContent.unableToAcessCreditScore]]
[[preEligibilityResultContent.defaultRateNote]]
[[interestRate]]
[[preEligibilityResultContent.percent]]
[[preEligibilityResultContent.perAnnum]]
[[preEligibilityResultContent.fixedRate]]
[[preEligibilityResults.ComparisonRate]]
[[preEligibilityResultContent.percent]]
[[preEligibilityResultContent.perAnnum]]
[[preEligibilityResultContent.comparisonRate]]
{{submitButtonText}}
{{cancelButtonText}}
{{nextButtonText}}
{{cancelButtonText}}
[[stepNumber(index, step.status)]]
[[step.name]]
[[i18n.personalLoan.titleHeading]]
[[i18n.headers.qasFailedHeading]]
[[i18n.qasFailedText]]
[[i18n.personalLoan.buttons.updateAddressBtn]]
>
{{i18ncontent.crossBuyHeading}}
{{i18ncontent.nextsteps.heading}}
[[i18ncontent.singleOrJoint.singleOrJointDescShort]]
[[i18ncontent.aboutYouInfo]]
[[i18ncontent.continueButtonText]]
[[initialData.sectionData.accountSection.SingleOrJoint]]
[[i18ncontent.sections.deleteBtn]]
[[i18ncontent.sections.label.alternateNamePropertiesLabel]]
[[i18ncontent.sections.label.alternateNamePropertiesLabel]]
[[i18ncontent.sections.addAnotherNameBtn]]
[[i18ncontent.sections.error.additionalNameRequired]]
[[i18ncontent.continueButtonText]]
[[initialData.sectionData.aboutYouSection.Title]]
[[initialData.sectionData.aboutYouSection.Gender]]
[[initialData.sectionData.aboutYouSection.FirstName]]
[[initialData.sectionData.aboutYouSection.MiddleName]]
[[initialData.sectionData.aboutYouSection.LastName]]
[[isAltNames]]
[[altName.name]]
[[initialData.sectionData.aboutYouSection.DOB]]
[[initialData.sectionData.aboutYouSection.MothersMaidenName]]
[[i18ncontent.continueButtonText]]
[[initialData.sectionData.contactDetailsSection.EmailAddress]]
[[initialData.sectionData.contactDetailsSection.MobilePhone]]
[[initialData.sectionData.contactDetailsSection.OtherPhone]]
[[addressFull(initialData.sectionData.contactDetailsSection.ResidentialAddress)]]
[[addressFull(initialData.sectionData.contactDetailsSection.MailingAddress,i18ncontent.viewDetails.sameAsResidentialText)]]
[[initialData.sectionData.contactDetailsSection.TimeAtCurrentAddress]]
[[_computeAddressInYearsMonths(initialData.sectionData.contactDetailsSection.ResidentialAddress.NoOfMonthsAtThisAddress,i18ncontent)]]
[[previousAddress]]
[[_computeAddressInYearsMonths(initialData.sectionData.contactDetailsSection.PreviousResidentialAddress.NoOfMonthsAtThisAddress,i18ncontent)]]
[[i18ncontent.sections.deleteBtn]]
[[i18ncontent.sections.label.alternateNationalityPropertiesLabel]]
[[i18ncontent.sections.label.alternateNationalityPropertiesLabel]]
[[i18ncontent.sections.addAnotherNationBtn]]
[[i18ncontent.crsProvideTINMessage]]
[[i18ncontent.sections.label.sourceOfFundsDesc1]]
[[i18ncontent.sections.label.sourceOfFundsDesc2]]
[[i18ncontent.sections.label.sourceOfFundsDesc3]]
[[i18ncontent.sections.error.additionalNationalityRequired]]
[[i18ncontent.continueButtonText]]
[[initialData.sectionData.citizenshipSection.NationalityName]]
[[initialData.sectionData.citizenshipSection.PlaceOfBirth]]
[[initialData.sectionData.citizenshipSection.CountryOfBirthName]]
[[isAltNationalities]]
[[altNationality.name]]
[[getResidenceAnswer(initialData.sectionData.citizenshipSection.IsAustraliaSoleResidence,i18ncontent)]]
[[_computeSourceOfIncomeName(initialData.sectionData.citizenshipSection.SourceOfIncome)]]
[[_computeSourceOfWealthName(initialData.sectionData.citizenshipSection.SourceOfWealth)]]
{{getHeaderText(mainProducts, i18ncontent, productName, plPreEligibilityToggle, isPreEligibilityDone)}}
{{i18ncontent.subHeader}}
{{i18ncontent.newCustomer}}
{{i18ncontent.existingCustomer}}
{{i18ncontent.or}}
{{getInitialReferenceText(isOrangeOneProduct, i18ncontent)}}
{{i18ncontent.referenceSubHeader}}
{{inviteeName}}
{{i18ncontent.referencePostSubHeader}}
{{applicantName}}
{{getReferenceText(mainProducts, i18ncontent)}}
{{i18ncontent.referenceNumberText}}
{{referenceNumber}}
{{i18ncontent.referenceNumberPostText}}
{{i18ncontent.orangeOne.acceptText}}
{{applicantName}} {{i18ncontent.comma}}
{{i18ncontent.orangeOne.completeText}}
[[i18ncontent.privacyModal.header]]
[[i18ncontent.privacyModal.text1]] [[i18ncontent.privacyModal.linkText]] [[i18ncontent.privacyModal.text2]]
[[i18ncontent.privacyModal.text3]]
[[i18ncontent.noSmsModal.header]]
[[i18ncontent.noSmsModal.text1]]
[[i18ncontent.noSmsModal.text2]]
[[i18ncontent.noSmsModal.text3]]
[[i18ncontent.eligibility.whatyouneed]]
[[i18ncontent.eligibility.iddocument]]
[[i18ncontent.eligibility.mobilephone]]
[[i18ncontent.eligibility.payslip]]
[[i18ncontent.eligibility.stepstoget]] [[productFullName]]
[[i18ncontent.eligibility.enterbasic]]
[[i18ncontent.eligibility.selfie]]
[[i18ncontent.eligibility.receivecustomernumber]]
[[i18ncontent.eligibility.providedocument]]
[[i18ncontent.eligibility.residencyTitle]]
[[i18ncontent.eligibility.residencySubTitle]]
[[citizenOrPrYesSubText]]
[[citizenOrPrNoSubText]]
[[i18ncontent.eligibility.over18]]
[[over18YesSubText]]
[[over18NoSubText]]
[[i18ncontent.eligibility.easyWay1]] [[productFullName]]
[[i18ncontent.eligibility.easyWay2]]
[[i18ncontent.eligibility.savetime]]
[[i18ncontent.eligibility.beginidscan]]
[[i18ncontent.eligibility.continue]]
[[selectErrorMessage]]
[[i18ncontent.eligibility.goToQuestion]]
[[i18ncontent.eligibility.or]]
[[i18ncontent.eligibility.enteryourinfo]]
[[i18ncontent.eligibility.entermanually]]
[[i18ncontent.eligibility.noEligibalTitle]]
[[i18ncontent.eligibility.noEligibalBody]]
[[computeApologyText()]]
[[i18ncontent.eligibility.goToHomePage]]
[[i18ncontent.eligibility.under18StatmentTitle]][[productFullName]]
[[i18ncontent.eligibility.under18StatmentBody1]]
[[i18ncontent.eligibility.under18StatmentBody2]]
[[computeApologyText()]]
[[i18ncontent.eligibility.goToHomePage]]
[[i18ncontent.smsSent.header]]
[[i18ncontent.smsSent.whatToDo]]
[[i18ncontent.smsSent.tapOnLink]]
[[i18ncontent.smsSent.followPrompt]]
[[i18ncontent.smsSent.reviewInfo]]
{{i18ncontent.header}}
{{i18ncontent.subHeader}}
{{i18ncontent.newCustomer}}
{{i18ncontent.existingCustomer}}
[[i18ncontent.sectionDesignatedUsPerson.sectionHeader]]
[[i18ncontent.sectionDesignatedUsPerson.infoNote]]
[[i18ncontent.sectionDesignatedUsPerson.infoHeader]]
[[i18ncontent.sectionDesignatedUsPerson.infoText1]]
[[i18ncontent.sectionDesignatedUsPerson.infoText2]]
[[i18ncontent.sectionDesignatedUsPerson.infoText3]]
[[i18ncontent.sectionDesignatedUsPerson.text4]]
[[i18ncontent.sectionDesignatedUsPerson.yes]]
[[i18ncontent.sectionDesignatedUsPerson.no]]
[[i18nInvestmentOptions.HighGrowth.title]]
[[i18nInvestmentOptions.HighGrowth.subtitle]]
[[i18nInvestmentOptions.HighGrowth.content.contentHeader]]
[[i18nInvestmentOptions.HighGrowth.content.shareAllocation.title]]
[[i18nInvestmentOptions.HighGrowth.content.targetAllocation.title]]
[[i18nInvestmentOptions.buttonText]]
[[i18nInvestmentOptions.Growth.title]]
[[i18nInvestmentOptions.Growth.subtitle]]
[[i18nInvestmentOptions.Growth.content.contentHeader]]
[[i18nInvestmentOptions.Growth.content.shareAllocation.title]]
[[i18nInvestmentOptions.Growth.content.targetAllocation.title]]
[[i18nInvestmentOptions.buttonText]]
[[i18nInvestmentOptions.Moderate.title]]
[[i18nInvestmentOptions.Moderate.subtitle]]
[[i18nInvestmentOptions.Moderate.content.contentHeader]]
[[i18nInvestmentOptions.Moderate.content.shareAllocation.title]]
[[i18nInvestmentOptions.Moderate.content.targetAllocation.title]]
[[i18nInvestmentOptions.buttonText]]
[[i18nInvestmentOptions.Conservative.title]]
[[i18nInvestmentOptions.Conservative.subtitle]]
[[i18nInvestmentOptions.Conservative.content.contentHeader]]
[[i18nInvestmentOptions.Conservative.content.shareAllocation.title]]
[[i18nInvestmentOptions.Conservative.content.targetAllocation.title]]
[[i18nInvestmentOptions.buttonText]]
[[i18nInvestmentOptions.diversifiedShares.title]]
[[i18nInvestmentOptions.diversifiedShares.subtitle]]
[[i18nInvestmentOptions.diversifiedShares.content.contentHeader]]
[[i18nInvestmentOptions.diversifiedShares.content.shareAllocation.title]]
[[i18nInvestmentOptions.diversifiedShares.content.targetAllocation.title]]
[[i18nInvestmentOptions.buttonText]]
[[i18nInvestmentOptions.Customise.title]]
[[i18nInvestmentOptions.Customise.subtitle]]
Contributions Mix: [[i18nInvestmentOptions.Customise.content.contentHeader]]
Note: Term deposits and ASX listed securities: [[i18nInvestmentOptions.Customise.content.contentSubHeader]]
click here .
click here .
[[i18nInvestmentOptions.Customise.content.contentSubHeader2]]
click here
[[i18nInvestmentOptions.buttonText]]
{{i18ncontent.sectionProductSelect.edit.header}}
{{i18ncontent.sectionProductSelect.edit.content}}
[[i18ncontent.sectionProductSelect.products.SuperAccount.title]]
[[i18ncontent.sectionProductSelect.products.SuperAccount.subtitle]]
{{i18ncontent.sectionProductSelect.products.SuperAccount.buttonText}}
[[i18ncontent.sectionProductSelect.products.SuperTTR.title]]
[[i18ncontent.sectionProductSelect.products.SuperTTR.subtitle]]
[[i18ncontent.sectionProductSelect.products.SuperTTR.contentText]]
{{i18ncontent.sectionProductSelect.products.SuperTTR.buttonText}}
[[i18ncontent.sectionProductSelect.products.SuperPension.title]]
[[i18ncontent.sectionProductSelect.products.SuperPension.subtitle]]
[[i18ncontent.sectionProductSelect.pensionOptionsSelectionError]]
[[i18ncontent.sectionProductSelect.pensionOptionsSelectionNotSuitableForAge]]
[[i18ncontent.sectionProductSelect.products.SuperPension.contentText]]
[[item.content]]
[[i18ncontent.sectionProductSelect.pensionOptionsSelectionError]]
[[i18ncontent.sectionProductSelect.pensionOptionsSelectionNotSuitableForAge]]
[[i18ncontent.sectionProductSelect.products.SuperPension.buttonText]]
[[i18ncontent.sectionTfn.sectionDisclaimer]]
{{i18ncontent.sectionTfn.tfnTooltip}}
[[i18ncontent.sectionTfn.footer.importantInformationHeader]]
{{i18ncontent.continueButtonContent}}
[[i18ncontent.sectionIndustryAndOccupation.disclaimerHeader]]
[[i18ncontent.sectionIndustryAndOccupation.sectionDisclaimerAutoCover]]
[[i18ncontent.sectionIndustryAndOccupation.disclaimerHeader]]
[[i18ncontent.sectionIndustryAndOccupation.sectionNoInsuranceDisclaimer0]]
[[i18ncontent.sectionIndustryAndOccupation.sectionNoInsuranceDisclaimer1]]
[[i18ncontent.sectionIndustryAndOccupation.sectionNoInsuranceDisclaimer1PopOverText]]
[[i18ncontent.sectionIndustryAndOccupation.sectionNoInsuranceDisclaimer2]]
[[i18ncontent.sectionIndustryAndOccupation.sectionDisclaimer2a]]
[[i18ncontent.links.productGuideText]]
[[i18ncontent.sectionIndustryAndOccupation.sectionDisclaimer2b]]
[[i18ncontent.sectionIndustryAndOccupation.sectionDisclaimer3]]
[[i18ncontent.sectionIndustryAndOccupation.industryTooltip1]]
[[i18ncontent.sectionIndustryAndOccupation.occupationTooltip1]]
[[i18ncontent.insuranceSection.header]]
[[moneyNoDecimal(insuranceDetails.DeathCover)]]
[[computeTpdCover(insuranceDetails.TpdCover)]]
[[money(insuranceDetails.CoverPremium)]][[i18ncontent.insuranceSection.coverPremiumDuration]]
[[i18ncontent.insuranceSection.insuranceDeductionInfo]]
[[i18ncontent.sectionIndustryAndOccupation.sectionYesAndNoHeader]]
[[i18ncontent.insuranceSection.insuranceCoverYes]]
[[i18ncontent.insuranceSection.insuranceCoverYesInfo1]]
[[i18ncontent.insuranceSection.insuranceCoverYesInfo2]]
[[i18ncontent.insuranceSection.insuranceCoverYesInfoPopover6000]]
[[i18ncontent.insuranceSection.insuranceCoverYesInfo3]]
[[i18ncontent.insuranceSection.insuranceCoverYesInfo4]]
[[i18ncontent.insuranceSection.insuranceCoverYesInfoPopoverInactive]]
[[i18ncontent.insuranceSection.insuranceCoverYesInfo5]]
[[i18ncontent.insuranceSection.insuranceCoverYesInfo6]]
[[i18ncontent.insuranceSection.insuranceYesOrNoError]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfoHeading]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo1]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo2]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo2Link1]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo2Info1]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo2Link2]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo3]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreAddInfo]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo4]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo5]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo6]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo7]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo7Link1]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo8]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo9]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo10]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo11]]
[[i18ncontent.insuranceSection.insuranceCoverYesMoreInfo12]]
[[i18ncontent.insuranceSection.header]]
[[i18ncontent.insuranceSection.inEligibleInfo1]]
[[i18ncontent.insuranceSection.inEligibleInfo2]] [[i18ncontent.insuranceSection.inEligibleInfo3]] .
[[i18ncontent.continueButtonContent]]
[[industryOptionsLabel]]
[[occupationOptionsLabel]]
[[moneyNoDecimal(insuranceDetails.DeathCover)]]
[[computeTpdCover(insuranceDetails.TpdCover)]]
[[money(insuranceDetails.CoverPremium)]][[i18ncontent.insuranceSection.coverPremiumDuration]]
[[i18ncontent.sectionSubmit.edit.tcAI2]]
[[i18ncontent.sectionSubmit.edit.tcAI3a]]
[[i18ncontent.links.pdsText]] ,
[[i18ncontent.links.productGuideText]] ,
[[i18ncontent.links.fsgText]]
[[i18ncontent.sectionSubmit.edit.tcAI3b]]
[[i18ncontent.links.privacyText]]
[[i18ncontent.sectionSubmit.edit.tcAI3c]]
[[i18ncontent.sectionSubmit.edit.tcAI4]]
[[i18ncontent.sectionSubmit.edit.tcAI2]]
[[i18ncontent.sectionSubmit.edit.tcAI3a]]
[[i18ncontent.links.pdsText]] ,
[[i18ncontent.links.productGuideText]] ,
[[i18ncontent.links.fsgText]]
[[i18ncontent.sectionSubmit.edit.tcAI3b]]
[[i18ncontent.links.privacyText]]
[[i18ncontent.sectionSubmit.edit.tcAI3c]]
[[i18ncontent.sectionSubmit.edit.tcAI4]]
[[i18ncontent.sectionSubmit.edit.tcOU2]]
[[i18ncontent.sectionSubmit.edit.tcOU3a]]
[[i18ncontent.links.pdsText]] ,
[[i18ncontent.links.productGuideText]] ,
[[i18ncontent.links.fsgText]]
[[i18ncontent.sectionSubmit.edit.tcOU3b]]
[[i18ncontent.links.privacyText]]
[[i18ncontent.sectionSubmit.edit.tcOU3c]]
[[i18ncontent.sectionSubmit.edit.tcOU4]]
[[i18ncontent.sectionSubmit.edit.tcOI2]]
[[i18ncontent.sectionSubmit.edit.tcOI3]]
[[i18ncontent.sectionSubmit.edit.tcOI4a]]
[[i18ncontent.links.pdsText]] ,
[[i18ncontent.links.productGuideText]] ,
[[i18ncontent.links.fsgText]]
[[i18ncontent.sectionSubmit.edit.tcOI4b]]
[[i18ncontent.links.privacyText]]
[[i18ncontent.sectionSubmit.edit.tcOI4c]]
[[i18ncontent.sectionSubmit.edit.tcOI5]]
[[i18ncontent.sectionSubmit.edit.submitButton]]
[[i18ncontent.errorMessages.superText1]]
[[i18ncontent.errorMessages.superText2]]
[[i18ncontent.errorMessages.500539.Body.Line1]]
[[i18ncontent.errorMessages.500539.Body.Line2]]
[[i18ncontent.errorMessages.500539.Footer]]
[[i18ncontent.errorMessages.500709.Body.Line1]]
{{declineDays}}
[[i18ncontent.errorMessages.eligibilityMessage.Footer]]
{{mainHeading}}
{{subHeading}}
{{text}}
{{i18ncontent.signUpNow}}
[[i18ncontent.errorDesignatedUsPerson.note]]
[[i18ncontent.errorDesignatedUsPerson.text]]
{{i18ncontent.errorDesignatedUsPerson.text2}}
[[i18ncontent.errorDesignatedUsPerson.ok]]
{{i18ncontent.errorDesignatedUsPerson.cancel}}
[[i18ncontent.errorDesignatedUsPerson.ok]]
[[i18ncontent.introPage.step1Header]]
[[i18ncontent.introPage.step1Text]]
[[i18ncontent.introPage.step2Header]]
[[i18ncontent.introPage.step2Text]]
[[i18ncontent.continueButtonText]]
[[i18ncontent.introPage.howInformationIsUsedHeader]]
[[i18ncontent.introPage.howInformationIsUsedText1]]
[[i18ncontent.introPage.howInformationIsUsedText2]]
[[i18ncontent.continueButtonText]]
[[i18ncontent.browserIncompatibleMessage.openBrowser]]
[[i18ncontent.browserIncompatibleMessage.tapProceed]]
[[i18ncontent.policy.alreadyACustomerModal.headerText]]
[[i18ncontent.policy.alreadyACustomerModal.content]]
[[i18ncontent.nextButtonText]]
[[i18ncontent.policy.mismatchMessage]]
[[i18ncontent.policy.recaptchaWarningMessage]]
[[i18ncontent.continueButtonText]]
[[i18ncontent.sectionSubmit.iAgree]]
[[i18ncontent.sectionSubmit.byContinuingPart1]]
[[i18ncontent.sectionSubmit.privacyPolicy]]
[[i18ncontent.sectionSubmit.byContinuingPart2]]
[[i18ncontent.sectionSubmit.nextSteps]]
[[i18ncontent.aboutYouWarningTextPart1]] [[i18ncontent.callUsOn]]
[[i18ncontent.warningTextPart2]]
[[i18ncontent.contactDetailsWarningTextPart1]] [[i18ncontent.callUsOn]]
[[i18ncontent.warningTextPart2]]
[[i18ncontent.beforeYouGetStarted.heading]]
[[i18ncontent.beforeYouGetStarted.content1]]
[[i18ncontent.beforeYouGetStarted.content2]]
[[i18ncontent.sms.heading]]
{{i18ncontent.submit}}
{{i18ncontent.submit}}
{{i18ncontent.goBack}}
[[i18ncontent.common.login]]
[[i18ncontent.common.login]]
{{i18ncontent.accessibleLogin.pleaseWait}}
{{errorMessageHeader}}
{{errorMessageBody}}
{{errorMessageContact}}
[[buttonText]]
{{bannerText(accountTypes, csbi18ncontent)}}
{{csbi18ncontent.learnMore}}
{{csbi18ncontent.applyNow}}
{{csbi18ncontent.learnMore}}
{{visibleErrorMessage}}
[[i18ncontent.mainHeaderText]]
[[i18ncontent.errorMessage]]
[[i18ncontent.captchaMessage]]
[[i18ncontent.successfulFeedbackText]]
[[i18ncontent.successfulFeedbackCaption]]
[[i18ncontent.closeButtonText]]
{{i18ncontent.unlockRequirement}}
{{i18ncontent.disclaimer}}
{{computeStep(stepIndicator, i18ncontent)}}
{{pinHeader}}
{{subHeading}}
{{computeStep(stepIndicator, i18ncontent)}}
{{i18ncontent.submit}}
{{i18ncontent.goBack}}
{{i18ncontent.pinpadDiscalimer}}
[[i18ncontent.displayText.subHeading1]]
[[i18ncontent.displayText.postcode]]
[[i18ncontent.displayText.dateOfBirth]]
[[i18ncontent.displayText.mobileNumber]]
[[i18ncontent.displayText.postcode]]
[[i18ncontent.displayText.dateOfBirth]]
[[i18ncontent.displayText.mobileNumber]]
[[i18ncontent.displayText.disclaimer1]]
[[i18ncontent.displayTextForm.formHeading]]
[[i18ncontent.displayText.recaptchaWarningMessage]]
[[i18ncontent.displayTextForm.submitButtonText]]
[[i18ncontent.displayTextForm.cancelButtonText]]
{{secondStepSubheading}}
[[i18ncontent.displayText.cifSent]]{{displayMaskedDetails}}
[[i18ncontent.displayText.submit]]
[[i18ncontent.displayText.cancel]]
{{i18ncontent.back}}
{{recordsCount}} results for "{{correctedTerm}}"
{{i18ncontent.back}}
{{i18ncontent.searchResults}}
{{i18ncontent.needHelpHead}}
{{i18ncontent.needHelpDesc}}
{{i18ncontent.needHelpLink}}
[[getHeader(i18ncontent, smsPromptRequest, selfEvFailed)]]
{{getButtonText(i18ncontent, selfEvFailed)}}
[[i18ncontent.auspost.okButtonText]]
{{i18ncontent.printFormTxt}}
[[i18ncontent.docId.txtNoneOfTheAbove]]
{{i18ncontent.docId.checkIdBtnCaption}}
[[i18ncontent.docId.continue]]
{{i18ncontent.auspostLink.instructions1}}
{{i18ncontent.completeLaterTxt}}
{{i18ncontent.completeLaterTxt}}
{{i18ncontent.cancelAppTxt}}
{{i18ncontent.docUpload.instructions2}}
{{i18ncontent.docUpload.instructions4}}{{i18ncontent.docUpload.instructions5}} {{i18ncontent.docUpload.instructions6}}
{{i18ncontent.docUpload.instructions7}}{{i18ncontent.docUpload.instructions8}} {{i18ncontent.docUpload.instructions9}}
{{i18ncontent.docUpload.instructions10}}{{i18ncontent.docUpload.instructions11}} {{i18ncontent.docUpload.instructions12}}
{{i18ncontent.docUpload.instructions3}}
{{i18ncontent.docUpload.instructions13}}
{{i18ncontent.docUpload.instructionsAcceptedFileTypes}}
{{i18ncontent.docUpload.instructionsTerms1}} {{i18ncontent.docUpload.instructionsTerms2}} {{i18ncontent.docUpload.instructionsTerms3}}
{{i18ncontent.docUpload.submitButtonText}}
{{i18ncontent.completeLaterTxt}}
{{i18ncontent.completeLaterTxt}}
{{i18ncontent.cancelAppTxt}}
[[i18ncontent.header]]
{{i18ncontent.accessibility.toolTipUsage}}
{{i18ncontent.headerFileSubmited}}
{{i18ncontent.docUploadPending}}
{{i18ncontent.docUploadClose}}
{{i18ncontent.cancelAppTxt}}
[[i18n.disclaimer.question1]]
[[i18n.disclaimer.content01]]
[[i18n.disclaimer.content02]]
[[i18n.disclaimer.content03]]
[[i18n.disclaimer.question2]]
[[i18n.disclaimer.content07]]
[[i18n.disclaimer.question3]]
[[i18n.disclaimer.whereToSpeakWithTaxAdviser]]
{{i18n.placeOfBirth.helpText}}
[[i18n.actions.continue]]
[[i18n.actions.continue]]
[[i18n.actions.completeLater]]
[[i18n.actions.continue]]
[[i18n.actions.continue]]
[[i18nIndividual.actions.completeLater]]
{{i18n.foreignTaxDetails.questionText}}
[[i18n.taxResidence.title]]
[[i18n.taxResidence.deleteResidence]]
[[i18n.taxResidence.moreResidency]]
[[i18n.taxResidence.addResidence]]
[[i18n.taxResidence.providedNonUSResidencyError]]
[[i18n.actions.continue]]
[[i18n.actions.continue]]
[[i18nIndividual.actions.completeLater]]
[[i18n.foreignTaxDetails.yes]]
[[_computCountryName(item)]]
[[_computeTinOrEquivalent(item)]]
{{item.Explanation}}
[[i18n.declaration.checkboxMessage]]
[[i18n.actions.submit]]
[[i18n.actions.completeLater]]
{{i18nIndividual.inflight.header}}
[[i18nIndividual.inflight.altAction]]
[[i18nIndividual.inflight.altAction]]
[[i18nIndividual.inflight.action]]
[[i18nIndividual.inflight.action]]
{{i18nCommon.apply.title}}
[[i18nIndividual.actions.continue]]
[[i18nIndividual.actions.continue]]
[[i18nIndividual.actions.completeLater]]
{{i18nIndividual.placeOfBirth.title}}
{{i18nIndividual.usPerson.title}}
{{i18nCommon.taxResidence.title}}
{{i18nCommon.apply.title}}
{{i18nIndividual.declaration.title}}
{{i18ncontent.successModal.header}}
{{unConditionalApprovedDisplayMessage}}
{{lessThanRequestedMessage}}
[[i18ncontent.reviewAndSubmitDisclaimer.hemInflightMessages.header]]
[[i18ncontent.reviewAndSubmitDisclaimer.hemInflightMessages.completeButton]]
{{i18ncontent.congratulationsHeader}}
{{i18ncontent.congratulationsMessage}}
{{getCongratsMessage(i18ncontent.creditCardCongratulationsHeader)}}
{{i18ncontent.creditCardCongratulationMessage}}
[[i18ncontent.reviewContent.personalLoanConsent]]
[[i18ncontent.reviewContent.visaDebitCardConsent]]
[[i18ncontent.reviewContent.visaCreditCardOO]]
[[i18ncontent.reviewContent.visaDebitCardOE]]
[[i18ncontent.reviewContent.header]]
[[i18ncontent.reviewContent.firstRule]]
[[i18ncontent.reviewContent.firstRuleOOPOE]]
[[i18ncontent.reviewContent.secondRule]]
[[i18ncontent.reviewContent.thirdRule]]
[[i18ncontent.reviewContent.fourthRule]]
[[i18ncontent.reviewContent.fifthRule]]
[[i18ncontent.reviewContent.sixthRuleInnerPoint1]]
[[i18ncontent.reviewContent.sixthRuleInnerPoint2]]
[[i18ncontent.reviewContent.complimentaryInsuranceText]]
[[i18ncontent.reviewContent.complimentaryInsuranceLinkText]] [[i18ncontent.fullStop]]
[[i18ncontent.reviewContent.TermandCondition]]
{{i18ncontent.labels.submitApplication}}
{{i18ncontent.placeOfBirthHelpText}}
{{i18ncontent.editLink}}
{{i18ncontent.aboutYouInfo}}
{{i18ncontent.reviewAndUpdate}}
{{i18ncontent.aboutYouContinue}}
{{i18ncontent.nextStepsEditValidation}}
[[i18ncontent.liabilities.debtConsol.error.maxNoOfLiabilities]]
[[i18ncontent.liabilities.debtConsol.error.maxNoOfLiabilities]]
[[i18ncontent.liabilities.debtConsol.label]]
[[i18ncontent.liabilities.debtConsol.note.header]]
[[i18ncontent.liabilities.debtConsol.note.point3]]
[[i18ncontent.liabilities.debtConsol.note.point2]]
Personal loan [[computeIndex(index)]]
[[i18ncontent.liabilities.pL.errorMessages.outstandingBalanceExceeded]]
[[i18ncontent.liabilities.deletePL]]
[[i18ncontent.liabilities.addPL]]
Car loan [[computeIndex(index)]]
[[i18ncontent.liabilities.pL.errorMessages.outstandingBalanceExceeded]]
[[i18ncontent.liabilities.deleteCL]]
[[i18ncontent.liabilities.addCL]]
[[i18ncontent.liabilities.credit]] [[i18ncontent.liabilities.card]] [[computeIndex(index)]]
[[deleteCCLabel]] [[computeIndex(index)]]
[[addCCText]]
{{i18ncontent.liabilities.pL.labels.educationLoanHeading}}
{{i18ncontent.liabilities.pL.labels.existingCreditCardHeading}}
{{i18ncontent.liabilities.pL.labels.existingPersonalLoanHeading}}
Loan [[computeIndex(loanIndex)]]
{{otherLoanTypesValues.Name}}
[[i18ncontent.liabilities.deleteOL]] [[computeIndex(loanIndex)]]
[[i18ncontent.liabilities.runwayExpress.liability12months]]
[[i18ncontent.liabilities.runwayExpress.notInclude]]
{{i18ncontent.liabilities.heading}}[[i18ncontent.liabilities.headingBold]]
[[selectedYourSituationValue]].
[[i18ncontent.liabilities.livingSituation.ownerPayingMortgageHeadingPart2]]
[[selectedYourSituationValue]].
[[i18ncontent.liabilities.livingSituation.missingLoanInfo]]
[[i18ncontent.liabilities.livingSituation.labels.homeLoanSuffix]]
[[i18ncontent.liabilities.addOL]]
{{i18ncontent.liabilities.saveAndContinue}}
{{i18ncontent.liabilities.ariaLabels.saveButton}}
{{i18ncontent.liabilities.saveForLater}}
{{i18ncontent.liabilities.ariaLabels.saveForLater}}
{{i18ncontent.liabilities.cancel}}
[[selectedYourSituationValue]]
[[ownerPayingMortgage.mortgageBankName]]
[[ownerPayingMortgage.mortgageBalAndRedraw]]
[[ownerPayingMortgage.mortgageRepaymentAmount]]
[[ownerPayingMortgage.mortgageRepaymentsShare]]%
[[homeloan.AmountBorrowed]]
[[homeloan.OutstandingAmount]]
[[homeloan.HLRepaymentAmount]]
[[homeloan.HLRepaymentsShare]]%
[[convertToMoney(item.CreditLimit)]]
[[convertToMoney(item.OutstandingBalance)]]
[[item.Bank]]
[[convertToMoney(item.CreditLimit)]]
[[convertToMoney(item.OutstandingBalance)]]
[[computeDebtConsolValue(item.DebtConsolInd)]]
[[item.Bank]]
[[convertToMoney(item.AmountBorrowed)]]
[[convertToMoney(item.OutstandingBalance)]]
[[convertToMoney(item.TotalRepaymentAmount)]]
[[convertToLowerCase(item.Frequency)]]
[[computeDebtConsolValue(item.DebtConsolInd)]]
[[convertToMoney(item.AmountBorrowed)]]
[[convertToMoney(item.OutstandingBalance)]]
[[convertToMoney(item.TotalRepaymentAmount)]]
[[convertToLowerCase(item.Frequency)]]
[[item.Bank]]
[[convertToMoney(item.AmountBorrowed)]]
[[convertToMoney(item.OutstandingBalance)]]
[[convertToMoney(item.TotalRepaymentAmount)]]
[[convertToLowerCase(item.Frequency)]]
[[computeDebtConsolValue(item.DebtConsolInd)]]
[[convertToMoney(item.OutstandingBalance)]]
[[item.Bank]]
[[convertToMoney(item.CreditLimit)]]
[[convertToMoney(item.OutstandingBalance)]]
>
{{i18ncontent.foreignTaxDetails.questionText}}
[[i18ncontent.foreignTaxDetails.provideTINMessage]]
{{i18ncontent.foreignTaxDetails.saveAndContinue}}
{{childSupportFrequency.Name}}
[[i18n.expenses.calculator.title]]
{{i18n.expenses.calculator.buttons.save}}
{{i18n.expenses.calculator.buttons.save}}
{{i18n.expenses.calculator.buttons.cancel}}
{{i18n.expenses.calculator.buttons.cancel}}
[[i18n.expenses.headings.calculateExpense]]
Use the expenses Calculator
OR
[[i18n.buttons.continueButtonContent]]
[[i18n.buttons.saveForLater]]
[[i18n.buttons.cancel]]
{{model.ExpensesPaid}}
{{model.shareOfExpenses}}%
{{model.ChildSupport}}
[[categoryDetail.Name]]
[[categoryDetail.description]]
[[categoryDetail.Name]]
[[categoryDetail.description]]
[[i18n.expensesHem.mandatoryFields]]
{{computeOptionsToggleValue(moreLivingCollapsed)}}
[[i18n.buttons.continueButtonContent]]
[[i18n.buttons.saveForLater]]
[[i18n.buttons.cancel]]
[[categoryDetail.Text]]
[[totalExpenseAmount]] [[footerTextFrequency]]
[[i18n.expenses.runwayCalculator.titleGeneral]]
[[categoryDetail.Description]]
[[i18n.expenses.runwayCalculator.hemTotalText]]
[[i18n.expenses.runwayCalculator.dollarSign]] [[totalGeneralExpenseAmount]]
[[footerTextGeneralFrequency]]
[[i18n.expenses.warningMessage]]
[[i18n.expenses.runwayCalculator.buttons.save]]
[[i18n.expenses.runwayCalculator.buttons.cancel]]
[[i18n.expenses.runwayCalculator.titleRecurring]]
[[categoryDetail.Description]]
[[i18n.expenses.runwayCalculator.hemTotalText]]
[[i18n.expenses.runwayCalculator.dollarSign]] [[totalRecurringlExpenseAmount]]
[[footerTextRecurringFrequency]]
[[i18n.expenses.warningMessage]]
[[i18n.expenses.runwayCalculator.buttons.save]]
[[i18n.expenses.runwayCalculator.buttons.cancel]]
[[headingPreFix]] [[yourSitutaionCategoryHeading]]
[[yourSitutaionCategoryDescription]]
[[i18n.runwayExpenses.investments.headingPreFix]] [[i18n.runwayExpenses.investments.statedYes]] [[i18n.runwayExpenses.investments.headingSufix]]
[[i18n.runwayExpenses.investments.categoryDescription]]
[[i18n.runwayExpenses.category.general.label]]
[[i18n.runwayExpenses.category.general.description]]
[[i18n.runwayExpenses.calculator.helpMe]]
[[showRunwayBannerDescription]]
[[i18n.runwayExpenses.category.recurring.label]]
[[recurringDescription]]
[[i18n.runwayExpenses.calculator.helpMe]]
[[i18n.buttons.continueButtonContent]]
[[i18n.buttons.saveForLater]]
[[i18n.buttons.cancel]]
[[i18n.runwayExpenses.calculator.infoHeading]]
[[i18n.runwayExpenses.calculator.infoDescription]]
[[i18n.runwayExpenses.calculator.calcButtonText]]
[[i18n.expensesExpress.lastAppliationDetails]]
[[i18n.expensesExpress.label.investmentExpensesLabel]]
[[i18n.runwayExpenses.calculator.dollarSign]][[expressData.investmentExpenseAmount]][[getFrequencyText(expressData.investmentExpenseFrequecy)]]
[[i18n.expensesExpress.label.rentingBordingLivingLabel]]
[[i18n.runwayExpenses.calculator.dollarSign]][[expressData.rentingAmount]][[getFrequencyText(expressData.rentingFrequency)]]
[[i18n.expensesExpress.label.generalExpensesLabel]]
[[i18n.expensesExpress.toolTipText.general]]
[[i18n.runwayExpenses.calculator.dollarSign]][[expressData.generalExpenseAmount]][[getFrequencyText(expressData.generalExpenseFrequency)]]
[[i18n.expensesExpress.label.recurringExpensesLabel]]
[[i18n.expensesExpress.toolTipText.recurring]]
[[i18n.runwayExpenses.calculator.dollarSign]][[expressData.recurringExpenseAmount]][[getFrequencyText(expressData.recurringExpenseFrequecy)]]
[[i18n.expensesExpress.totalExpensesLabel]]:
[[expressData.totalExpenseAmount]][[getFrequencyText(expressData.totalFrequency)]]
[[i18n.expensesExpress.aboveDetailsCorrect]]
[[i18n.buttons.continueButtonContent]]
[[i18n.buttons.cancel]]
[[expensesRunwayI18n.expenses.runwayViewTotal]]
[[totalExpenseAmount]] [[footerTextFrequency]]
[[model.Bankrupt]]
[[model.MaritalStatus]]
[[model.LivingSituation]]
[[model.OwnedPropertyValue]]
[[model.MortgageBorrowAmt]]
[[model.MortgageBalAndRedraw]]
[[model.MortgageRepayment]]
[[model.MortgageRepaymentShare]]%
[[model.MortgagePropertyValue]]
[[homeloan.AmountBorrowed]]
[[homeloan.OutstandingAmount]]
[[homeloan.HLRepaymentAmount]]
[[homeloan.HLRepaymentsShare]]%
[[homeloan.HLPropertyValue]]
[[model.RentAmount]]
[[model.BoardAmount]]
[[model.NoOfDependants]]
[[AgeOfDependants.Name]]
[[i18n.yourSituation.headings.idCheck]]
[[i18n.yourSituation.headings.maritalStatus]]
[[i18n.yourSituation.headings.livingSituation]]
[[livingSituations.Name]]
[[mortgageIngOtherLenderErrorMessage]]
[[i18n.yourSituation.errorMessages.outstandingExceeded]]
[[i18n.yourSituation.labelsView.HomeLoanSuffix]]
{{numberOfDependants.Id}}
[[i18n.buttons.continueButtonContent]]
[[i18n.buttons.saveForLater]]
[[i18n.buttons.cancel]]
[[i18ncontent.assetDetails.headings.financialInvestmentTemplate]]
[[computeIndex(indexNum)]]
[[i18ncontent.assetDetails.labels.deleteFinancialInvestment]]
[[i18ncontent.assetDetails.headings.investmentPropertiesTemplate]]
[[computeIndex(indexNum)]]
[[i18ncontent.assetDetails.errorMessages.outstandingBalanceExceeded]]
[[shareofrepayment.Name]]%
[[i18ncontent.assetDetails.labels.deleteInvestmentProperty]]
[[numToFormat(account.CurrentBalance)]]
[[i18ncontent.assetDetails.labels.showLess]]
[[i18ncontent.assetDetails.labels.showAll]]
[[i18ncontent.assetDetails.labels.withIng]]
{{repaymentFrequency.Name}}
[[i18ncontent.assetDetails.headings.asset]]
[[i18ncontent.assetDetails.question.fecAssetQuestion]]
[[i18ncontent.assetDetails.tooltips.fecAssetQuestionDesc]]
[[i18ncontent.assetDetails.tooltips.forEg]]
[[i18ncontent.assetDetails.tooltips.tooltipEg1]]
[[i18ncontent.assetDetails.tooltips.tooltipEg2]]
[[i18ncontent.assetDetails.headings.savings]]
[[i18ncontent.assetDetails.headings.savingsOtherBanksContainer]]
[[i18ncontent.assetDetails.labels.addInvestmentProperty]]
[[i18ncontent.assetDetails.labels.addFinancialInvestments]]
[[i18ncontent.assetDetails.labels.saveContinue]]
[[i18ncontent.assetDetails.labels.saveLater]]
[[i18ncontent.assetDetails.labels.cancel]]
{{numToFormat(account.CurrentBalance)}}
{{numToFormat(externalSavingAmount)}}
{{numToFormat(investment.CurrentLimit)}}
{{numToFormat(investment.OutstandingBalanceandRedraw)}}
{{numToFormat(investment.Repayment.Amount)}}
{{durationDisplay(investment.Repayment.Frequency)}}
{{percentFormat(investment.Repayment.Share)}}
{{numToFormat(investment.EstimatedPropertyValue)}}
{{numToFormat(investment.Rental.Amount)}}
{{durationDisplay(investment.Rental.Frequency)}}
{{percentFormat(investment.Rental.Share)}}
{{investment.MortgageBank}}
{{numToFormat(investment.CurrentLimit)}}
{{numToFormat(investment.OutstandingBalanceandRedraw)}}
{{numToFormat(investment.Repayment.Amount)}}
{{durationDisplay(investment.Repayment.Frequency)}}
{{percentFormat(investment.Repayment.Share)}}
{{numToFormat(investment.EstimatedPropertyValue)}}
{{numToFormat(investment.Rental.Amount)}}
{{durationDisplay(investment.Rental.Frequency)}}
{{percentFormat(investment.Rental.Share)}}
{{numToFormat(investment.Amount)}}
[[i18ncontent.employmentIncomeDetails.labels.prevEmpl]]
{{employType.Name}}
[[i18ncontent.employmentIncomeDetails.errorMessages.unemployedError]]
{{tenureHeaderForPreviousEmployment}}
[[i18ncontent.employmentIncomeDetails.labels.variableIncomeTitle]] [[computeIndex(variableIncomeIndex)]]
{{variableIncome.Name}}
[[i18ncontent.employmentIncomeDetails.runway.buttons.deleteVariableIncome]] [[computeIndex(variableIncomeIndex)]]
[[i18ncontent.employmentIncomeDetails.labels.verifyEmployer]]
[[i18ncontent.employmentIncomeDetails.question.enterIncome]]
[[i18ncontent.employmentIncomeDetails.tooltips.income]]
{{empWageValPerYearInfo}}
{{incomeFrequency.Name}}
{{empWageValPerYearInfo}}
{{commissionFrequency.Name}}
{{overTimeFrequency.Name}}
[[i18ncontent.employmentIncomeDetails.runway.buttons.addVariableIncome]]
{{timeEmploymentHeading}}
[[i18ncontent.employmentIncomeDetails.headings.lastTwoFinancialYearIncome]]
{{incomeToolTip}}
[[i18ncontent.employmentIncomeDetails.headings.selfEmployedTime]]
{{commissionFrequency.Name}}
{{employType.Name}}
[[i18ncontent.employmentIncomeDetails.errorMessages.unemployedError]]
[[i18ncontent.employmentIncomeDetails.labels.curEmpl]]
[[i18ncontent.employmentIncomeDetails.buttonLabels.addSecondEmployment]]
[[i18ncontent.employmentIncomeDetails.labels.secEmpl]]
[[i18ncontent.employmentIncomeDetails.buttonLabels.deleteSecondEmployment]]
[[i18ncontent.employmentIncomeDetails.disclaimer.heading]]
[[i18ncontent.employmentIncomeDetails.disclaimer.points]]
[[i18ncontent.employmentIncomeDetails.question.expectingChange]]
[[i18ncontent.employmentIncomeDetails.headings.incomeAssetsTitle.sourceOfFundsDesc1]]
[[i18ncontent.employmentIncomeDetails.headings.incomeAssetsTitle.sourceOfFundsDesc2]]
[[i18ncontent.employmentIncomeDetails.headings.incomeAssetsTitle.sourceOfFundsDesc3]]
[[i18ncontent.employmentIncomeDetails.headings.incomeAssetsTitle.sourceOfFundsDesc4]]
[[i18ncontent.employmentIncomeDetails.labels.saveContinue]]
[[i18ncontent.employmentIncomeDetails.labels.saveLater]]
[[i18ncontent.employmentIncomeDetails.buttonLabels.cancelApplication]]
{{employType.Name}}
[[i18ncontent.employmentIncomeDetails.runway.headingText]]
[[i18ncontent.employmentIncomeDetails.runway.introductionText]]
[[getEmployerHeader(index)]]
[[getUnEscapedText(employmentDetail.EmploymentContact.EmployerName)]]
[[mapEmploymentStatus(employmentDetail.EmploymentStatus)]]
[[getEmploymentDuration(employmentDetail.EmploymentDuration)]]
[[getSalaryIncome(employmentDetail.Incomes)]]
[[getBonusIncome(employmentDetail.Incomes)]]
[[getOvertimeIncome(employmentDetail.Incomes)]]
[[i18ncontent.employmentIncomeDetails.runway.completeMoreInformationText]]
[[i18ncontent.employmentIncomeDetails.runway.labels.employmentTenureView]]
[[i18ncontent.employmentIncomeDetails.runway.buttons.yesAgreeButton]]
[[i18ncontent.employmentIncomeDetails.runway.buttons.noDisagreeButton]]
[[i18ncontent.employmentIncomeDetails.labels.saveContinue]]
[[i18ncontent.employmentIncomeDetails.buttonLabels.cancelApplication]]
[[i18ncontent.employmentIncomeDetails.runway.staPopupHeader]]
[[i18ncontent.employmentIncomeDetails.runway.buttons.yesPopupButton]]
[[i18ncontent.employmentIncomeDetails.runway.buttons.noPopupButton]]
[[getEmployerHeader(index)]]
[[getUnEscapedText(verifiedEmploymentDetail.EmploymentContact.EmployerName)]]
[[mapEmploymentStatus(verifiedEmploymentDetail.EmploymentStatus)]]
[[getEmploymentDuration(verifiedEmploymentDetail.EmploymentDuration)]]
[[getSalaryIncome(verifiedEmploymentDetail.Incomes)]]
[[getSalaryIncome(verifiedEmploymentDetail.Incomes)]]
[[getBonusIncome(verifiedEmploymentDetail.Incomes)]]
[[getOvertimeIncome(verifiedEmploymentDetail.Incomes)]]
[[getIndustryTypeForView(verifiedEmploymentDetail.IndustryOccupation.IndustryType)]]
[[getOccupationTypeForView(verifiedEmploymentDetail.IndustryOccupation.OccupationType)]]
[[getEmploymentDuration(verifiedEmploymentDetail.EmploymentDuration)]]
[[i18ncontent.employmentIncomeDetails.buttonLabels.enterYourEmploymentAndIncomeDetailsManually]]
[[i18nassetcontent.assetDetails.labels.addInvestmentProperty]]
[[i18nassetcontent.assetDetails.labels.addFinancialInvestments]]
[[i18ncontent.employmentIncomeDetails.question.expectingChange]]
[[i18ncontent.employmentIncomeDetails.headings.incomeAssetsTitle.sourceOfFundsDesc1]]
[[i18ncontent.employmentIncomeDetails.headings.incomeAssetsTitle.sourceOfFundsDesc2]]
[[i18ncontent.employmentIncomeDetails.headings.incomeAssetsTitle.sourceOfFundsDesc3]]
[[i18ncontent.employmentIncomeDetails.headings.incomeAssetsTitle.sourceOfFundsDesc4]]
[[i18ncontent.employmentIncomeDetails.labels.saveContinue]]
[[i18ncontent.employmentIncomeDetails.labels.saveLater]]
[[i18ncontent.employmentIncomeDetails.buttonLabels.cancelApplication]]
[[i18ncontent.employmentIncomeDetails.runway.staPopupHeader]]
[[i18ncontent.employmentIncomeDetails.runway.buttons.yesDeleteButton]]
[[i18ncontent.employmentIncomeDetails.runway.buttons.noPopupButton]]
>
[[getIncomeWithFrequencyForView(variableIncome.IncomeWithFrequency.Amount, variableIncome.IncomeWithFrequency.Frequency)]]
[[setEmpTypeLabel(empDetail.IsPrimaryEmployment,empDetail.IsPreviousEmployment)]]
[[getEmployStatusTypeForView(empDetail.EmploymentStatus)]]
[[empDetail.EmploymentContact.EmployerContact]]
[[getIndustryTypeForView(empDetail.IndustryOccupation.IndustryType)]]
[[getOccupationTypeForView(empDetail.IndustryOccupation.OccupationType)]]
[[money(empDetail.SuperannuationBalance)]]
[[getIncomeWithFrequencyForView(income.IncomeWithFrequency.Amount,income.IncomeWithFrequency.Frequency)]]
[[getIncomeWithFrequencyForView(income.IncomeWithFrequency.Amount,income.IncomeWithFrequency.Frequency)]]
[[getIncomeWithFrequencyForView(otherIncome.IncomeWithFrequency.Amount,otherIncome.IncomeWithFrequency.Frequency)]]
[[money(empDetail.CurrentFinancialYearIncome)]]
[[money(empDetail.PreviousFinancialYearIncome)]]
[[getTenureInYearsMonthsForView(empDetail.EmploymentDuration.Years, empDetail.EmploymentDuration.Months)]]
[[getFinancialObligations(getEmpIncDetails.FinancialObligations)]]
[[getEmployFecStatusForView(getEmpIncDetails.IncomeSource, getEmpIncDetails.OtherIncomeSource)]]
[[fecOptions]]
[[getEmployerHeader(index)]]
[[mapEmploymentStatus(verifiedEmploymentDetail.EmploymentStatus)]]
[[getUnEscapedText(verifiedEmploymentDetail.EmploymentContact.EmployerName)]]
[[getEmploymentDuration(verifiedEmploymentDetail.EmploymentDuration)]]
[[getSalaryIncome(verifiedEmploymentDetail.Incomes)]]
[[getIndustryTypeForView(verifiedEmploymentDetail.IndustryOccupation.IndustryType)]]
[[getOccupationTypeForView(verifiedEmploymentDetail.IndustryOccupation.OccupationType)]]
[[getSalaryIncome(verifiedEmploymentDetail.Incomes)]]
[[getBonusIncome(verifiedEmploymentDetail.Incomes)]]
[[getOvertimeIncome(verifiedEmploymentDetail.Incomes)]]
[[getEmploymentDuration(verifiedEmploymentDetail.EmploymentDuration)]]
[[hasInvestmentPropertyText]]
{{numToFormat(account.CurrentBalance)}}
{{numToFormat(externalSavingAmount)}}
{{numToFormat(investment.CurrentLimit)}}
{{numToFormat(investment.OutstandingBalanceandRedraw)}}
{{numToFormat(investment.Repayment.Amount)}}
{{durationDisplay(investment.Repayment.Frequency)}}
{{percentFormat(investment.Repayment.Share)}}
{{numToFormat(investment.EstimatedPropertyValue)}}
{{numToFormat(investment.Rental.Amount)}}
{{durationDisplay(investment.Rental.Frequency)}}
{{percentFormat(investment.Rental.Share)}}
{{investment.MortgageBank}}
{{numToFormat(investment.CurrentLimit)}}
{{numToFormat(investment.OutstandingBalanceandRedraw)}}
{{numToFormat(investment.Repayment.Amount)}}
{{durationDisplay(investment.Repayment.Frequency)}}
{{percentFormat(investment.Repayment.Share)}}
{{numToFormat(investment.EstimatedPropertyValue)}}
{{numToFormat(investment.Rental.Amount)}}
{{durationDisplay(investment.Rental.Frequency)}}
{{percentFormat(investment.Rental.Share)}}
{{numToFormat(investment.Amount)}}
[[getFinancialObligations(getEmpIncDetails.FinancialObligations)]]
[[getEmployFecStatusForView(getEmpIncDetails.IncomeSource, getEmpIncDetails.OtherIncomeSource)]]
[[i18ncontent.qffMembership.success.messageHeading]]
[[i18ncontent.qffMembership.success.messageBody]]
[[i18ncontent.qffMembership.continueButton]]
[[successDialogNextLineContent]]
[[failedDialogNextLineContent]]
[[i18ncontent.qffMembership.errorMessages.invalid1]]
[[inlineErrorBannerMessage]]
[[i18ncontent.qffMembership.saveAndContinue]]
[[i18ncontent.qffMembership.ariaLabels.saveButton]]
[[i18ncontent.qffMembership.cancelApplication]]
[[i18ncontent.requestLimit.complimentaryUpgrade]]
[[i18ncontent.requestLimit.dialogDisclaimerText]]
[[i18ncontent.requestLimit.continue]]
[[i18ncontent.requestLimit.preferedLimitNew]]
{{moneyNoDecimal(minAllowedLimit)}}
[[i18ncontent.requestLimit.and]]
{{moneyNoDecimal(maxAllowedLimit)}}
[[i18ncontent.requestLimit.saveAndContinue]]
[[i18ncontent.requestLimit.ariaLabels.saveButton]]
[[i18ncontent.requestLimit.saveForLater]]
[[i18ncontent.requestLimit.ariaLabels.saveForLater]]
[[i18ncontent.requestLimit.cancelApplication]]
{{i18ncontent.requestLimit.closeTextButton}}
{{money(model.LimitRequested)}}
{{model.OptInDownsellCreditCard}}
[[i18n.exportPasswordTitle]]
[[showExportPasswordErrorMessage]]
[[ivI18n.continue]]
[[ivI18n.cancel]]
[[getInstitutionTitle(i18n,bankInstituionDetails.Name)]]
[[getListInstitutionDesc(i18n, bankInstituionDetails)]]
[[i18n.consentCheckBoxHeading]]
[[i18n.jointAccountCheckboxContent]]
[[i18n.electronicConsentCheckboxContent.preTextHtml]]
[[i18n.electronicConsentCheckboxContent.termsCondition]]
[[i18n.electronicConsentCheckboxContent.postTextHtml]]
[[i18n.connectBank]]
Cancel
[[i18n.connectAccountsHeading]]
[[accountData.name]]
[[i18n.bsb]]: [[accountData.bsb]]
[[i18n.acc]]: [[accountData.accountNumber]]
[[i18n.availBalance]]: [[accountData.balance]]
[[showAcountSelectionErrorMessage]]
[[i18n.connectAccounts]]
[[i18n.cancel]]
[[showConnectSelectErrorMessage]]
[[i18n.connect]]
[[i18n.cancel]]
[[i18n.successConnection]] [[getConnectedBankName(item)]]
[[i18n.financialInst]]
[[getConnectedBankName(item)]]
[[connectedAccountData.name]]
[[i18n.bsb]]: [[connectedAccountData.bsb]]
[[i18n.acc]]: [[connectedAccountData.accountNumber]]
[[i18n.connectAdditionalBankHeading]]
[[i18n.connectAnotherBank]]
[[i18n.connectFinancial]]
[[i18n.incomeDesc]]
[[i18n.connectBankDesc]]
[[item]]
[[i18n.additionalDocDesc]]
[[i18n.informationLink]]
[[i18n.ingBankHeading]]
[[i18n.selectRadioErrorMessage]]
[[i18n.internalAccounts.consentHeading]]
[[i18n.internalAccounts.consentContent]]
[[i18n.internalAccounts.termsCheckBoxContent]]
[[i18n.internalAccounts.connectAccounts]]
[[i18n.cancel]]
[[i18n.continue]]
[[i18n.cancelApplication]]
[[employmenti18n.employmentIncomeDetails.expressRunway.lastApplication]]
[[employmenti18n.employmentIncomeDetails.expressRunway.employer]]
[[getEmpIndex(itemIndex)]]
[[employmenti18n.employmentIncomeDetails.expressRunway.employerName]]
[[getUnEscapedText(empDetail.EmploymentContact.EmployerName)]]
[[getIncomeType('CURRENTFYI')]]:
[[money(empDetail.CurrentFinancialYearIncome)]]
[[getIncomeType('PREVIOUSFYI')]]:
[[money(empDetail.PreviousFinancialYearIncome)]]
[[getIncomeType(income.IncomeType)]]
[[employmenti18n.employmentIncomeDetails.expressRunway.wageTypeInfo]]
[[getIncomeWithFrequencyForView(income.IncomeWithFrequency.Amount,income.IncomeWithFrequency.Frequency)]]
[[employmenti18n.employmentIncomeDetails.runway.incomeLabel]]
[[employmenti18n.employmentIncomeDetails.runway.assetLabel]]
[[employmenti18n.employmentIncomeDetails.expressRunway.aboveDetails]]
[[employmenti18n.employmentIncomeDetails.question.expectingChange]]
[[i18n.buttons.continueButtonContent]]
[[i18n.buttons.cancel]]
[[i18ncontent.editBiometric.description]]
[[i18ncontent.editBiometric.title1]]
[[i18ncontent.editBiometric.biometricsTitle]]
[[biometricsProgressStatus]]
[[i18ncontent.editBiometric.noteTitle]] [[i18ncontent.editBiometric.note1]]
[[i18ncontent.editBiometric.saveAndCont]]
[[i18ncontent.editBiometric.cancel]]
[[i18ncontent.viewBiometric.label.biometricsCheckStatus]]
{{i18ncontent.headers.main}}
{{i18ncontent.accessibility.toolTipUsage}}
[[i18ncontent.headers.qasFailedHeading]]
[[i18ncontent.qasFailedText]]
[[i18ncontent.updateAddressBtn]]
{{i18ncontent.headers.beforeYouHeading}}
[[i18ncontent.headers.beforeYouApplyText1]] [[showProductName]][[i18ncontent.headers.beforeYouApplyText2]]
[[i18ncontent.headers.beforeYouApplyText3]] [[showProductName]] [[i18ncontent.headers.beforeYouApplyText4]]
[[i18ncontent.headers.beforeYouApplyText5]]
{{i18ncontent.headers.subText}}
[[i18ncontent.applyLoanPurpose.headings.selectLoanPurpose]]
[[i18ncontent.applyLoanPurpose.errorMessages.pleaseEnterOnePurpose]]
[[i18ncontent.applyLoanPurpose.errorMessages.loanPurposesMaxLimit]]
[[i18ncontent.applyLoanPurpose.errorMessages.fullDebtConsolMaxLimitExceeded]]
[[i18ncontent.applyLoanPurpose.headings.productFeatures]]
[[i18ncontent.applyLoanPurpose.disclaimer.heading]]
[[i18ncontent.applyLoanPurpose.buttonLabels.saveContinue]]
[[i18ncontent.applyLoanPurpose.buttonLabels.saveLater]]
[[i18ncontent.applyLoanPurpose.buttonLabels.cancelApplication]]
[[primaryPurpose]]
[[secondaryPurpose]]
[[i18n.confirmYourLoan.expressConfirmLoan.labels.loanAmount]]
[[i18n.runwayExpenses.calculator.dollarSign]][[loanAmount]]
[[i18n.confirmYourLoan.expressConfirmLoan.labels.loanTerm]]
[[selectedTerm]] years
[[i18n.confirmYourLoan.expressConfirmLoan.labels.paymentFrequency]]
[[expressSelectedFrequency]]
[[i18n.confirmYourLoan.labels.estimatedRepayments]]
{{estimatedRepaymentAmount}}
per {{selectedFrequency}} for {{selectedTerm}} years at fixed rate of {{calculationData.InterestRate}} %
p.a. (comparison rate {{calculationData.ComparisionRate}} %
p.a.)
[[i18n.confirmYourLoan.labels.totalInterestCharged]] :
[[totalInterestAmount]]
[[i18n.confirmYourLoan.labels.totalRepayments]] :
[[totalRepaymentAmount]]
([[i18n.confirmYourLoan.labels.establishmentFee]])
Note:
[[i18n.confirmYourLoan.labels.note]]
{{i18n.buttons.continueButtonContent}}
{{i18n.buttons.saveForLater}}
{{i18n.buttons.cancel}}
[[loanAmount]]
([[i18n.confirmYourLoan.labels.establishmentFeeIncluded]])
[[estimatedRepaymentAmount]]
Per {{frequency}} for {{selectedTerm}} years at {{interestRate}} % p.a.
[[totalInterestAmount]]
[[totalRepaymentAmount]]
[[_i18ncontent.PL.OE]]
[[_i18ncontent.BSBLabel]]
[[bsb(accountDetails.BSB)]]
[[_i18ncontent.AccountNumberLabel]]
[[accountno(accountDetails.AccountNumber)]]
[[_i18ncontent.PL.new]]
[[instructionalText]]
[[i18ncontent.PL.subIntstuctionText]]
{{i18ncontent.PL.directDebittext}}
[[bankName]]
{{i18n.buttons.continueButtonContent}}
{{i18n.buttons.saveForLater}}
{{i18n.buttons.cancel}}
[[repayment.BsbNumber]]
[[repayment.AccountNumber]]
{{i18n.disburesements.labels.newOETextheader}}
{{i18n.disburesements.labels.newOETextContent1}}
{{i18n.disburesements.labels.newOETextContent2}}
{{i18n.disburesements.labels.newOETextContent3}}
{{i18n.buttons.continueButtonContent}}
{{i18n.buttons.saveForLater}}
{{i18n.buttons.cancel}}
[[liabilityTypeWithCounter]]:
[[liabilityItem.BankName]]
[[money(liabilityItem.Amount)]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.liabilityDisbursmentDetailLabelCC]]
[[billerName]]
[[liabilityTypeWithCounter]]:
[[liabilityItem.BankName]]
[[money(liabilityItem.Amount)]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.liabilityDisbursmentDetailLabelCommon]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.accountDetailsLabel]]
[[i18n.transferOfFundsForDebtCon.labels.borrowAmount]]
[[i18n.transferOfFundsForDebtCon.disbursementDetails.title]]
[[i18n.disburesements.labels.newOETextheader]]
[[i18n.disburesements.labels.newOETextContent1]]
[[i18n.disburesements.labels.newOETextContent2]]
[[i18n.disburesements.labels.newOETextContent3]]
[[i18n.disburesements.labels.newOETextheader]]
[[i18n.disburesements.labels.newOETextContent1]]
[[i18n.disburesements.labels.newOETextContent4]]
[[i18n.buttons.continueButtonContent]]
[[i18n.buttons.saveForLater]]
[[i18n.buttons.cancel]]
[[liabilityItem.BankName]]
[[money(liabilityItem.Amount)]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.billerCodeLabel]][[liabilityItem.BillerCode]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.RefLabel]][[liabilityItem.Crn]]
[[liabilityItem.BankName]]
[[money(liabilityItem.Amount)]]
[[liabilityItem.AccountName]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.BsbLabel]][[liabilityItem.Bsb]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.AccLabel]][[liabilityItem.AccountNumber]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.billerCodeLabel]][[liabilityItem.BillerCode]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.RefLabel]][[liabilityItem.Crn]]
[[liabilityItem.BankName]]
[[money(liabilityItem.Amount)]]
[[liabilityItem.AccountName]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.BsbLabel]][[liabilityItem.Bsb]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.AccLabel]][[liabilityItem.AccountNumber]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.billerCodeLabel]][[liabilityItem.BillerCode]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.RefLabel]][[liabilityItem.Crn]]
[[liabilityItem.BankName]]
[[money(liabilityItem.Amount)]]
[[liabilityItem.AccountName]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.BsbLabel]][[liabilityItem.Bsb]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.AccLabel]][[liabilityItem.AccountNumber]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.billerCodeLabel]][[liabilityItem.BillerCode]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.RefLabel]][[liabilityItem.Crn]]
[[money(otherLoanPurposesDetails.LoanAmount)]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.OrangeEveryDay]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.newAcc]]
[[disbursementModuleDetails.AccountDetails.AccountName]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.BsbLabel]][[disbursementModuleDetails.AccountDetails.Bsb]]
[[i18n.transferOfFundsForDebtCon.debConsolTile.labels.AccLabel]][[disbursementModuleDetails.AccountDetails.AccountNumber]]
[[repayment.BsbNumber]]
[[repayment.AccountNumber]]
[[firstConsent]]
[[i18ncontent.reviewAndSubmitDisclaimer.tickBox.consent2]]
[[i18ncontent.reviewAndSubmitDisclaimer.heading]]
[[i18ncontent.reviewAndSubmitDisclaimer.submitButton]]
[[interestRate]]
[[loanAmount]]
[[title]]
[[i18n.reviewAndSubmitDisclaimer.warningMessage]]
[[i18n.headers.qasFailedHeading]]
[[i18n.qasFailedText]]
[[i18n.updateAddressBtn]]
[[i18n.infoBox.text.congratulations]]
[[ _getTitleLabel(i18n,headerData.AccountStatus,headerData.TransitionStatus) ]]
[[_getTitleLabel(i18n,headerData.AccountStatus,headerData.TransitionStatus)]]
[[moneyNoDecimal(headerData.ApplicationApprovedAmount)]]
[[i18n.infoBox.textOrangeOne.onan]] [[i18n.infoBox.textOrangeOne.orangeOne]] [[i18n.infoBox.textOrangeOne.creditCard]]
[[i18n.infoBox.textOrangeOne.onan]] [[i18n.infoBox.textOrangeOne.orangeOne]] [[i18n.infoBox.textOrangeOne.creditCardText]]
[[i18n.infoBox.text.repaymentTermPrefix]] [[headerData.ApplicationTermYears]] [[i18n.infoBox.text.repaymentTerm]]
[[i18n.infoBox.text.stpPLRepaymentTermPrefix]] [[headerData.ApplicationTermYears]] [[i18n.infoBox.text.repaymentTerm]]
Status:
[[_getStatusLabel(i18n,headerData.AccountStatus)]]
Submitted:
[[formatDate(headerData.ApplicationSubmittedDate)]]
[[i18n.infoBox.text.ccApprovalNote]]
[[i18n.orangeOne.title.heading]]
[[i18n.orangeOne.title.tabHeading1]]
[[i18n.orangeOne.title.tabHeading2]]
[[i18n.orangeOne.title.tabHeading3]]
[[i18n.orangeOne.title.successMessage]]
[[i18n.orangeOne.creditCard.heading]]
[[i18n.orangeOne.creditCard.note]] [[i18n.orangeOne.creditCard.heading2]]
[[i18n.orangeOne.creditCard.button]]
[[i18n.generic.text.next]]
[[i18n.generic.text.happens_next]]
[[i18n.PL.review.text.feature1.heading]]
[[i18n.PL.review.text.feature1.content]]
[[i18n.PL.review.text.feature2.heading]]
[[i18n.PL.review.text.feature2.content]]
[[i18n.PL.review.text.feature3.heading]]
[[i18n.PL.review.text.feature3.content]]
[[i18n.OO.review.text.feature1.heading]]
[[i18n.OO.review.text.feature1.content1]]
[[i18n.OO.review.text.feature1.content2]]
[[i18n.OO.review.text.feature2.heading]]
[[i18n.OO.review.text.feature2.content]]
[[i18n.OO.review.text.feature3.heading]]
[[i18n.OO.review.text.feature3.content1]]
[[i18n.OO.review.text.feature4.heading]]
[[i18n.OO.review.text.feature4.content]]
{{i18ncontent.labels.instructions}}
{{cropText(item.extensionlessName,"smallText")}}
{{_computeRemoveButtonLabel(item.state)}}
[[submitWarningMessage]]
[[i18n.documentUpload.clickHere]]
[[i18n.documentUpload.pendingDocuments]]
[[ i18n.documentUpload.next]]
[[i18n.documentUpload.tabHeading1]]
[[uploadedDocumentsLabel]]
[[noteLabel]]
[[plAdditionalnoteLabel]]
[[i18n.documentUpload.previouslySubmitted]] [[formatDate(RequiredDocument.ModifiedDate)]]
[[cropText(UploadedDocument.Filename)]]
[[i18n.documentUpload.tabHeading2]]
[[i18n.documentUpload.tabHeading3]]
[[i18n.generic.text.next]]
[[i18n.PL.declined.text.headingOutcome]]
[[i18n.PL.declined.text.summaryOutcome]]
[[i18n.PL.declined.button.gotoSummary]]
[[i18n.OO.declined.veda.title]]
[[i18n.OO.declined.veda.subHeading]]
[[i18n.OO.declined.button.action]]
[[i18n.OO.declined.nonVeda.title]]
[[i18n.OO.declined.nonVeda.subHeading]]
[[i18n.OO.declined.button.action]]
[[i18n.generic.text.happens_next]]
[[i18n.OO.submitted.text.feature1.heading]]
[[i18n.OO.submitted.text.feature1.content]]
Your application was successful!
Please read and accept your Loan Offer and the Personal Loans Terms and Conditions to receive your funds.
Note: This offer is valid until [[ formatDate(loan.ApplicationOfferValidUntilDate) ]]
You may need to turn off you browser's pop-up blockers to view the offer.
View Loan offer
Download Loan Offer
View Terms and Conditions
Terms and Conditions viewed
If you would like to reject this offer, please call us on 133 464 .
By clicking on 'I accept' I declare that:
The loan will only be used for the purposes I have described in my application for the Personal Loan.
I understand that the funds will be transferred to my nominated disbursement account/s, and repayments
will be drawn from my nominated repayment account.
READ THESE CONTRACT DOCUMENTS so that you know exactly what contract you are entering into
and what you will have to do under the contract.
You should also read the information statement: "THINGS YOU SHOULD KNOW ABOUT YOUR PROPOSED
CREDIT CONTRACT".
Get a copy of these contract documents.
Do not accept these contract documents if there is anything you do not understand.
Once you accept these contract documents, you will be bound by them. However, you may end
the contract before you obtain credit by telling the credit provider in writing, but
you will still be liable for any fees or charges already incurred.
You do not have to take out consumer credit insurance unless you want to.
If you take out insurance, the credit provider can not insist on any particular insurance company.
If these contract documents say so, the credit provider can vary the annual percentage rate
(the interest rate), the repayments and the fees and charges and can add new fees and
charges without your consent.
If these contract documents say so, the credit provider can charge a fee if you pay out
your contract early.
I accept
[[i18n.infoBox.text.congratulations]]
[[i18n.submitted.title.stp_pl_application_approved]]
[[moneyNoDecimal(headerData.ApplicationApprovedAmount)]]
[[i18n.infoBox.text.repaymentTermPrefix]] [[headerData.ApplicationTermYears]] [[i18n.infoBox.text.repaymentTerm]]
[[i18n.infoBox.text.status]]
[[_getStatusLabel(i18n,headerData.AccountStatus)]]
[[i18n.infoBox.text.submitted]]
[[formatDate(headerData.ApplicationSubmittedDate)]]
[[i18n.infoBox.text.ccApprovalNote]]
[[money(otherLoanAmount)]]
[[i18n.labels.bsbLabel]][[disbursementAccountForOtherLoan.BSB]]
[[i18n.labels.accLabel]][[disbursementAccountForOtherLoan.AccountNumber]]
[[money(liabilityItem.Amount)]]
[[i18n.labels.billerCodeLabel]][[liabilityItem.BillerCode]]
[[i18n.labels.refLabel]][[liabilityItem.Crn]]
[[liabilityItem.AccountName]]
[[money(liabilityItem.Amount)]]
[[i18n.labels.bsbLabel]][[liabilityItem.Bsb]]
[[i18n.labels.accLabel]][[liabilityItem.AccountNumber]]
[[i18n.labels.billerCodeLabel]][[liabilityItem.BillerCode]]
[[i18n.labels.refLabel]][[liabilityItem.Crn]]
[[i18n.labels.bsbLabel]][[repaymentAccount.BSB]]
[[i18n.labels.accLabel]][[repaymentAccount.AccountNumber]]
[[i18n.labels.summaryText]]
Congratulations, {{ fullName }}!
Your ING Personal Loan is set up, and the funds have been transferred
Your funds should appear in your nominated account/s within 2 business days.
We've emailed you a copy of your contract for your records. Please keep this in a safe place.
[[i18n.approved.banner1]]
[[i18n.approved.clickHere]]
[[i18n.approved.banner2]]
What happens next?
1. Provide documentation
Step completed
2. Outcome & offer
Current step
Step completed
3. Receive funds
Next step
Current step
Need help?
[[i18n.approved.info_part1]][[i18n.approved.info_part2]] [[i18n.approved.info_part3]]
You can call us on 133 464, 8am-8pm Mon-Fri (AEST/AEDT).
{{welcomeName}}
{{i18ncontent.instructionsFirstLine}}
{{i18ncontent.instructionsSecondLine}}
{{errorMessage}}
{{i18ncontent.submit}}
{{i18ncontent.goBack}}
{{i18ncontent.label}}
{{i18ncontent.interest-breakdown-interest}}
{{money(aggregateInterest.StandardInterest)}}
[[i18ncontent.interest-breakdown-rewards]]
*
{{money(aggregateInterest.BonusInterest)}}
{{i18ncontent.interest-breakdown-rebate}}
{{money(aggregateInterest.RebateInterest)}}
[[i18ncontent.notes.includes.includeNotes1]] (* [[i18ncontent.notes.includes.includeNotes2]]
{{i18ncontent.notes.excludes}}
{{money(aggregateInterest.TotalInterest)}}
{{notificationData.Message}}
{{actionLabel}}
[[notificationData.CreatedTime]]
{{getNotificationsTitle(unreadNotificationsCount)}}
{{i18ncontent.common.noNotificationsInPanel}}
{{i18ncontent.common.manageNotificationsLinkText}}
[[i18ncontent.common.showAll]]
{{computeFormatTransactionDate(transactionGroup)}}
{{computeTransactionDate(transaction)}}
{{transaction.AccountName}}
{{transaction.PayToOrComing}}
{{transaction.PayToOrComing}}
{{transaction.Frequency}}
{{computeTransactionEndDate(transaction)}}
[[computeOtherDescriptionWhenNull(transaction)]]
{{signedMoney(transaction.Amount)}}
{{transaction.PayToOrComing}}
{{transaction.PayToOrComing}}
{{money(transaction.Amount)}}
{{transaction.Frequency}}
{{i18ncontent.endingTextForMobileVersion}} {{computeTransactionEndDate(transaction)}}
[[transaction.MyDescription]]
[[transaction.OtherDescription]]
{{i18ncontent.editText}}
{{i18ncontent.deleteText}}
{{parseSpecialCharacters(amountFilterType.Description)}}
{{clearButtonText}}
[[i18ncontent.searchButtonText]]
{{i18ncontent.moreOptionsSRHelpText}} {{optionsToggleText}}
[[formatDateTime(receiptData.RequestedOn)]]
[[i18ncontent.transactionReversal.requestedTimeZone]]
{{money(reverseData.Amount)}}
{{money(receiptData.AvailableBalance)}}
[[reverseData.From.Name]]
[[_computeBsb(i18ncontent.transactionReversal.bsb, reverseData.From.BSB)]]
[[_computeAccountNumber(i18ncontent.transactionReversal.accountNumber, reverseData.From.AccountNumber)]]
{{reverseData.From.DisplayCardNumber}}
[[reverseData.To.Name]]
[[_computeBsb(i18ncontent.transactionReversal.bsb, reverseData.To.BSB)]]
[[_computeAccountNumber(i18ncontent.transactionReversal.accountNumber, reverseData.To.AccountNumber)]]
[[reverseData.Biller.Name]]
[[_computeBillerLine(i18ncontent.transactionReversal.billerName, reverseData.Biller.Code)]]
[[_computeBillerLine(i18ncontent.transactionReversal.CRN, reverseData.Biller.CRN)]]
[[formatDateTime(reverseData.TransactionDate)]]
[[i18ncontent.transactionReversal.requestedTimeZone]]
{{i18ncontent.transactionReversal.reversalText}}
{{i18ncontent.transactionReversal.reversalText}}
[[receiptData.JournalNumber]]
{{i18ncontent.transactionReversal.viewAccount}}
{{i18ncontent.print}}
{{money(reverseData.Amount)}}
[[reverseData.From.Name]]
[[_computeBsb(i18ncontent.transactionReversal.bsb, reverseData.From.BSB)]]
[[_computeAccountNumber(i18ncontent.transactionReversal.accountNumber, reverseData.From.AccountNumber)]]
{{reverseData.From.DisplayCardNumber}}
{{reverseData.To.Name}}
{{_computeBsb(i18ncontent.transactionReversal.bsb, reverseData.To.BSB)}}
{{_computeAccountNumber(i18ncontent.transactionReversal.accountNumber, reverseData.To.AccountNumber)}}
[[reverseData.Biller.Name]]
[[_computeBillerLine(i18ncontent.transactionReversal.billerName, reverseData.Biller.Code)]]
[[_computeBillerLine(i18ncontent.transactionReversal.CRN, reverseData.Biller.CRN)]]
{{i18ncontent.transactionReversal.reversal}}
{{i18ncontent.transactionReversal.reversal}}
[[i18ncontent.transactionReversal.disclaimerText]]
[[i18ncontent.transactionReversal.confirm]]
[[i18ncontent.transactionReversal.cancel]]
[[foreignCurrencyLabel]] [[foreignCurrencyValue]]
[[i18ncontent.statusLabel]]
[[i18ncontent.pendingStatusText]]
[[i18ncontent.cardUsed]]
[[accountType]] [[cardNumber]]
[[i18ncontent.location]]
[[location]]
[[i18ncontent.address]]
[[address]]
[[contact.label]]
[[contact.display_value]]
[[i18ncontent.transactionType]]
[[transactionType]]
{{heading}}
{{transactionsViewableCount}} {{i18ncontent.of}} {{transactionCount}}
{{i18ncontent.results}}
{{searchQueryForDisplay}}
{{i18ncontent.showAllResults}}
{{i18ncontent.print}}
{{i18ncontent.exportTransactions.export}}
{{i18ncontent.tableAuthorisationsLabel}}
{{computeFormatTransactionDate(transactionGroup)}}
{{computeTransactionDate(transaction)}}
{{transaction.TimeDisplay}}
{{transaction.AccountDescription}}
[[signedMoney(transaction.Amount)]]
[[signedMoney(transaction.Amount)]]
[[money(transaction.Amount)]]
[[money(transaction.Amount)]]
[[money(transaction.Balance)]]
[[transaction.AccountDescription]]
[[money(transaction.Amount)]]
[[i18ncontent.TimeWithSpaceAtEnd]]
[[i18ncontent.reverse]]
[[i18ncontent.reverse]]
{{i18ncontent.NoTransactions}}
`
[[computeWelcomeText(firstName, i18ncontent)]]
{{i18ncontent.mySummary}}
{{i18ncontent.bsb}}
{{i18ncontent.acc}}
{{i18ncontent.currentBalance}}
{{i18ncontent.availableBalance}}
{{i18ncontent.footerText}}
[[header]]
[[i18ncontent.isSecondApplicantAnExistingCustomer]]
[[i18ncontent.selectProducts]]
[[i18ncontent.missingProducts]]
{{heading}}
{{subHeading}}
[[i18ncontent.foreignTaxDetails.mainHeading]]
[[i18ncontent.foreignTaxDetails.infoFirstPart]]
[[i18ncontent.foreignTaxDetails.updateButtonLabel]]
[[i18ncontent.foreignTaxDetails.infoSecondPart]]
[[i18ncontent.foreignTaxDetails.questionText]]
[[i18ncontent.foreignTaxDetails.provideTINMessage]]
[[i18ncontent.foreignTaxDetails.saveAndContinue]]
[[i18ncontent.introduction.weNeedHelpText]]
[[i18ncontent.introduction.additionalInformationText]]
[[i18ncontent.introduction.importantNoticeText]]
[[i18ncontent.introduction.additionalImportantNoticeText]]
[[i18ncontent.foreignTaxDetails.weNeedSomeInfo]]
[[i18ncontent.foreignTaxDetails.weNeedYouToTell]]
[[i18ncontent.foreignTaxDetails.why]]
[[i18ncontent.foreignTaxDetails.detailsRequired]]
[[i18ncontent.foreignTaxDetails.foreignTaxResidencyStatusText]]
[[i18ncontent.foreignTaxDetails.privacyText]]
[[i18ncontent.foreignTaxDetails.wouldNotTakeLong]]
[[i18ncontent.foreignTaxDetails.sortedQuickly]]
[[i18ncontent.introduction.weNeedHelpText]]
[[i18ncontent.introduction.additionalInformationText]]
[[i18ncontent.introduction.importantNoticeText]]
[[i18ncontent.introduction.additionalImportantNoticeText]]
[[i18ncontent.incomeAndAssets.incomeAndAssetsTip]]
[[i18ncontent.incomeAndAssets.incomeAndAssetsTip]]
Close
[[i18ncontent.timeDrivenCDD.kycHelpText]]
[[mainHeaderText]]
[[continueButtonText]]
[[i18ncontent.common.submit]]
[[cancelButtonText]]
[[i18ncontent.addyourpolicy]]
[[i18ncontent.addPolicyMessage]]
[[i18ncontent.pleaseCheckAgain]]
[[i18ncontent.addPolicyButtonTitle]]
[[managePolicyBanner(insuranceCategory)]]
[[i18ncontent.managePolicyButtonHealth]]
[[i18ncontent.managePolicyButton]]
[[managePolicyBanner(insuranceCategory)]]
[[i18ncontent.managePolicyButton]]
[[i18ncontent.pending-minimum-modules-headers.insurance]]
{{i18ncontent.pending-minimum-modules-headers.cancel-button-text}}
[[ plCategory.Category.Name ]]
[[ i18nContent.currentBalance ]]
{{ money(plCategory.Category.CurrentBalance) }}
[[ i18nContent.availableBalance ]]
{{ money(plCategory.Category.AvailableBalance) }}
[[ i18nContent.available ]]
{{ money(plCategory.Category.AvailableBalance) }}
{{i18ncontent.bsb}}
{{i18ncontent.acc}}
{{i18ncontent.currentBalance}}
{{i18ncontent.availableBalance}}
{{oeCategory.Category.Name}}
{{i18ncontent.currentBalance}}
{{money(oeCategory.Category.CurrentBalance)}}
{{i18ncontent.availableBalance}}
{{money(oeCategory.Category.AvailableBalance)}}
{{i18ncontent.available}}
{{money(oeCategory.Category.AvailableBalance)}}
{{i18ncontent.current}}
{{money(oeCategory.Category.CurrentBalance)}}
{{savingsCategory.Category.Name}}
{{i18ncontent.currentBalance}}
{{money(savingsCategory.Category.CurrentBalance)}}
{{i18ncontent.availableBalance}}
{{money(savingsCategory.Category.AvailableBalance)}}
{{i18ncontent.available}}
{{money(savingsCategory.Category.AvailableBalance)}}
{{i18ncontent.current}}
{{money(savingsCategory.Category.CurrentBalance)}}
{{creditCategory.Category.Name}}
{{i18ncontent.currentBalance}}
{{money(creditCategory.Category.CurrentBalance)}}
{{i18ncontent.availableBalance}}
{{money(creditCategory.Category.AvailableBalance)}}
{{i18ncontent.available}}
{{money(creditCategory.Category.AvailableBalance)}}
{{hlCategory.Category.Name}}
{{i18ncontent.currentBalance}}
{{money(hlCategory.Category.CurrentBalance)}}
{{i18ncontent.availableBalance}}
{{money(hlCategory.Category.AvailableBalance)}}
{{i18ncontent.available}}
{{money(hlCategory.Category.AvailableBalance)}}
{{i18ncontent.current}}
{{money(hlCategory.Category.CurrentBalance)}}
{{superCategory.Category.Name}}
{{i18ncontent.currentBalance}}
{{money(superCategory.Category.CurrentBalance)}}
{{i18ncontent.availableBalance}}
{{money(superCategory.Category.AvailableBalance)}}
{{i18ncontent.available}}
{{money(superCategory.Category.AvailableBalance)}}
{{i18ncontent.current}}
{{money(superCategory.Category.CurrentBalance)}}
{{businessCategory.Category.Name}}
{{i18ncontent.currentBalance}}
{{money(businessCategory.Category.CurrentBalance)}}
{{i18ncontent.availableBalance}}
{{money(businessCategory.Category.AvailableBalance)}}
{{i18ncontent.available}}
{{money(businessCategory.Category.AvailableBalance)}}
{{i18ncontent.current}}
{{money(businessCategory.Category.CurrentBalance)}}
{{i18ncontent.noAccountsError}}
{{i18ncontent.policyNumber}}
{{i18ncontent.renewalDate}}
{{insuranceCategory.InsuranceCategory.Name}}
[[policy.Description]]
[[i18ncontent.policyNumber]]
{{policy.PolicyNumber}}
[[i18ncontent.renewalDate]]
{{getRenewalDate(policy.RenewalDate, insuranceCategory.InsuranceCategory.Name)}}
{{i18ncontent.policyNumber}}
{{i18ncontent.policyNo}}
{{policy.PolicyNumber}}
{{i18ncontent.renewalDate}}
[[renewEndLabel(insuranceCategory.InsuranceCategory.Name)]]
{{getRenewalDate(policy.RenewalDate, insuranceCategory.InsuranceCategory.Name)}}
[[i18ncontent.existingCustomerPrompt]]
[[i18ncontent.cifInfoTooltip]]
[[i18ncontent.validEmailAddress]]
[[i18ncontent.recaptchaWarningMessage]]
[[i18ncontent.privacy.text1]]
[[i18ncontent.privacy.link]]
[[i18ncontent.privacy.text2]]
[[i18ncontent.privacySecondApplicant.heading]]
[[i18ncontent.privacySecondApplicant.text1]]
[[i18ncontent.privacySecondApplicant.text2]]
[[i18ncontent.privacySecondApplicant.text3]]
[[i18ncontent.privacySecondApplicant.text4]]
{{i18ncontent.instructionalText}}
{{i18ncontent.select}}
{{i18ncontent.accountName}}
{{i18ncontent.accountType}}
{{i18ncontent.accountNumber}}
{{i18ncontent.linkedAccount}}
{{i18ncontent.isLinkedAccountOpen}}
{{i18ncontent.isAccountOpenTip}}
{{i18ncontent.OE.confirmText}} {{i18ncontent.OE.confirmTextNote}}
{{i18ncontent.OE.confirmDisclaimer}}
{{i18ncontent.confirm}}
{{i18ncontent.skip}}
[[accountDetails.AccountName]]
[[_i18ncontent.BSBLabel]]
[[bsb(accountDetails.BSB)]]
[[_i18ncontent.AccountNumberLabel]]
[[accountno(accountDetails.AccountNumber)]]
{{_computePayIdDisplay(accountDetails.PayIdType, accountDetails.PayIdValue)}}
[[_i18ncontent.BillerCodeLabel]]
[[accountDetails.BillerCode]]
[[accountDetails.SecondaryDisplayName]]
[[_i18ncontent.AccountNumberLabel]]
[[accountno(accountDetails.AccountNumber)]]
[[accountDetails.Status]]
[[formatCardNoWithMask(accountDetails.DisplayCardNumber)]]
[[_i18ncontent.RoundingUp]]
[[_i18ncontent.IngGoodFinds]]
[[accountDetails.Description]]
[[i18ncontent.SM.instructionalText]]
[[i18ncontent.SM.lbaInformationToolTip]]
{{i18ncontent.accountEerror}}
{{setText(accountType,"instructionText")}}
{{setText(accountType,"existingDirectDebitChecInfo")}}
{{setText(accountType,"singleAccountDisclaimer")}}
{{setText(accountType,"jointAccountDisclaimer")}}
{{i18ncontent.HV.preDirectDebitChecInfoURL}}
{{i18ncontent.HV.preDirectDebitChecInfoURL}}
[[setText(accountType,'preDirectDebitChecInfoAfterWithoutHyperLink')]]
[[i18ncontent.SM.tapMoreLinkLabel]].
{{setText(accountType,"preDirectDebitChecInfo")}}
{{i18ncontent.HV.preDirectDebitChecInfoURL}}
{{i18ncontent.HV.preDirectDebitChecInfoURL}}
[[setText(accountType,'preDirectDebitChecInfoAfterWithoutHyperLink')]]
[[i18ncontent.SM.tapMoreLinkLabel]].
{{linkAndDepositButtonText}}
{{i18ncontent.disclaimerText}}
{{i18ncontent.noTFNPrompt}}
{{i18ncontent.tfnConfirmationPrompt}}
{{i18ncontent.continueButton}}
{{i18ncontent.setAmountHeading}}
{{i18ncontent.minumumDeposit}}
{{i18ncontent.chooseTermLength}}
{{i18ncontent.seeOurRates}}
{{i18ncontent.termLengthRequired}}
{{i18ncontent.termLengthDisclamer}}
{{i18ncontent.seeOurRates}}
{{i18ncontent.currentInterestRate}} {{selectedInterestRate}} {{i18ncontent.pa}}
{{i18ncontent.termLengthDisclamer}}
{{i18ncontent.seeOurRates}}
{{i18ncontent.currentInterestRate}} {{resIntRate}} {{i18ncontent.pa}}
{{i18ncontent.chooseOption}}
{{i18ncontent.maturityOptionError}}
{{i18ncontent.closeNote}}
{{getTermLengthDisplayMessageInfo(i18ncontent.tdNote,termLength)}}
[[createAccountButtonText]]
{{i18ncontent.currentPTDHeading}}
{{source.num}}
{{source.str}}
{{source.rate}} {{i18ncontent.pa}}
{{i18ncontent.impInfo}}
{{i18ncontent.impInfoHeading}}{{currentInterestDate}} {{i18ncontent.impInfoHeading_2}}
{{i18ncontent.impInfoDescription}}
{{source.num}}
{{source.str}}
{{source.rate}} {{i18ncontent.pa}}
{{i18ncontent.impInfo}}
{{i18ncontent.impInfoHeading}}{{currentInterestDate}} {{i18ncontent.impInfoHeading_2}}
{{i18ncontent.impInfoDescription}}
{{i18ncontent.close}}
[[i18ncontent.sourceOfFundsDesc1]]
[[i18ncontent.sourceOfFundsDesc2]]
[[i18ncontent.sourceOfFundsDesc3]]
{{i18ncontent.continueButton}}
{{headerText}}
{{i18ncontent.pending-minimum-modules-headers.cancel-button-text}}
{{i18ncontent.cancelAppTxt}}
{{i18ncontent.disclaimer}}
{{i18ncontent.pending-activation.pending-activation-header}}
{{i18ncontent.pending-activation.deposit-money-from-pendingLBA}}
[[displayLBAName]]
{{i18ncontent.bsb}} : {{bsb(linkedAccount.BSB)}}
{{i18ncontent.acc}} : {{accountno(linkedAccount.AccountNumber)}}
[[displayText]]
{{account.Account.ProductName}}
{{i18ncontent.bsb}} : {{bsb(account.Account.BSB)}}
{{i18ncontent.acc}} : {{accountno(account.Account.AccountNumber)}}
[[i18ncontent.orange-one-account.autopayPreferences]]" class="uia-home-loan-purpose" id="autopayRadioButtonGroup" selected="{{_optionSelected}}" vertical="" required="" required-message="Please select" items="{{radioOptions}}" tool-tip="">
{{i18ncontent.orange-one-account.selectAccountInstruction}}
[[i18ncontent.orange-one-account.autopayBeginMessage]]
[[i18ncontent.disclaimerMessage]]
[[i18ncontent.mask-card-number]]
[[i18ncontent.orange-one-account.activate-card-button]]
XXXX-XXXX-XXXX-{{lastFourDigits}}
{{i18ncontent.orange-one-account.setPinDisclaimerMessage}}
{{errorMessage}}
{{buttonText}}
{{i18ncontent.orange-one-account.goBack}}
link rel="import" href="../polymer/polymer/polymer.html">
[[i18ncontent.ach.deleteButtonTxt]]
[[i18ncontent.ach.deleteButtonTxt]]
{{i18ncontent.ach.updateNowBtnTxt}}
{{i18ncontent.button.cancel}}
{{i18ncontent.button.skip}}
{{i18ncontent.common.heading}}
{{i18ncontent.ach.inviteHeading}}
{{i18ncontent.ach.achName}}
[[HtmlDecode(item.MaskedPartyName)]]
{{i18ncontent.ach.cifNumberHeadeing}}
{{item.CIF}}
{{i18ncontent.ach.achName}}
{{item.FullName}}
{{i18ncontent.ach.achContactEmail}}
{{item.EmailId}}
{{i18ncontent.ach.inCorrectDisclaimer}}
{{i18ncontent.ach.buttonOk}}
{{i18ncontent.ach.backToCardMgmt}}
{{i18ncontent.ach.disclaimerMsg}} {{achAnnualFee}} {{i18ncontent.ach.disclaimerMsg2}}
{{i18ncontent.ach.cardNo}}
{{_computeCardNumber(accountHolders.CardNumber)}}
[[i18ncontent.ach.cardNoA11y]]: [[_computeCardNumberA11y(accountHolders.CardNumber)]]
{{i18ncontent.ach.contact}}
{{accountHolders.ContactId}}
[[i18ncontent.ach.contact]]: {{accountHolders.ContactId}}
{{i18ncontent.ach.invitationStatus}}
{{accountHolders.InvitationStatus}}
{{i18ncontent.ach.invitationStatus}}: {{accountHolders.InvitationStatus}}
{{i18ncontent.ach.importantInfoTitle}}
{{i18ncontent.ach.importantInfoMsg}}
{{content.inControlHeading}}
{{content.addRemoveRewards}}
{{label}}
{{content.checkboxAdditionalText}}
{{content.saveButton}}
{{content.cancelButton}}
{{failedDialogNextLineContent}}
[[i18ncontent.qffMembership.qffNumberDescription]]
[[i18ncontent.qffMembership.errorMessages.invalid1]]
[[i18ncontent.qffMembership.errorMessages.invalid2]]
[[i18ncontent.qffMembership.inactive.invalid1]]
[[i18ncontent.qffMembership.inactive.invalid2]]
[[i18ncontent.qffMembership.validateAndContinue]]
[[i18ncontent.qffMembership.ariaLabels.saveButton]]
{{i18ncontent.orange-one-account.pending-activation-new-header}}
{{i18ncontent.firstRepaymentDue}}
{{formatDate(extendedData.NextPaymentDueDate)}}
{{i18ncontent.term}}
{{getTermLength(extendedData.InstalmentTermMonthLength,extendedData.InstalmentTermYearLength)}}
{{i18ncontent.endDate}}
{{formatDate(extendedData.EndDate)}}
{{i18ncontent.planHistory.editRemaining}}
{{extendedData.NumberOfEditsRemaining}}
{{i18ncontent.totalInterestCharges}}
{{money(extendedData.TotalInterestCharges)}}
{{i18ncontent.totalAmountRepaid}}
{{money(extendedData.TotalAmountToBeRepaid)}}
{{i18ncontent.planHistory.paymentsRemaining}}
{{getPendingStatusText(extendedData.Status, extendedData.RemainingRepaymentCount, i18ncontent)}}
{{i18ncontent.planHistory.nextRepayment}}
{{money(extendedData.MonthlyInstalmentAmount)}}
{{i18ncontent.firstRepaymentDue}}
{{formatDate(extendedData.NextPaymentDueDate)}}
{{getTermLength(extendedData.InstalmentTermMonthLength,extendedData.InstalmentTermYearLength)}}
{{formatDate(extendedData.EndDate)}}
{{i18ncontent.planHistory.editRemaining}}
{{extendedData.NumberOfEditsRemaining}}
{{i18ncontent.totalInterestCharges}}
{{money(extendedData.TotalInterestCharges)}}
{{i18ncontent.totalAmountRepaid}}
{{money(extendedData.TotalAmountToBeRepaid)}}
{{i18ncontent.editTerm}}
{{i18ncontent.repay}}
{{i18ncontent.cancelInstalment}}
{{i18ncontent.firstRepaymentDue}}: {{formatDate(extendedData.NextPaymentDueDate)}},
{{i18ncontent.term}}: {{getTermLength(extendedData.InstalmentTermMonthLength,extendedData.InstalmentTermYearLength)}},
{{i18ncontent.endDate}}: {{formatDate(extendedData.EndDate)}},
{{i18ncontent.planHistory.editRemaining}}: {{extendedData.NumberOfEditsRemaining}},
{{i18ncontent.totalInterestCharges}}: {{money(extendedData.TotalInterestCharges)}},
{{i18ncontent.totalAmountRepaid}}: {{money(extendedData.TotalAmountToBeRepaid)}}
{{i18ncontent.planHistory.heading}}
{{computeFormatPlanDate(planListItemGroup)}}
{{formatDate(item.CreateDate)}}
{{item.Name}}
{{getPendingStatusText(item.Status, item.RemainingRepaymentCount)}}
{{money(item.MonthlyInstalmentAmount)}}
− {{money(item.CurrentBalance)}}
{{i18ncontent.planHistory.noAvailableInstalmentOptions}}
{{i18ncontent.planHistory.additionalInformationCollapsed}}
Hi {{accountData.account.Client.FirstName}}!
{{money(account.AvailableBalance)}}
{{_i18ncontent.available}}
{{_i18ncontent.currentbalance}} : {{money(account.CurrentBalance)}}
{{money(account.CurrentBalance)}}
{{_i18ncontent.current}}
[disabled] * {
color:#777777;
}
[[i18ncontent.more-account-information]]
[[i18ncontent.less-account-information]]
{{i18ncontent.witholding-tax-charged}}
{{computeTooltip(account.Account.ProductName)}}
{{money(account.Account.WithholdingNonResidentTax)}}
{{money(account.Account.WithholdingResidentTax)}}
{{i18ncontent.daily-pay-anyone-limit}}
{{i18ncontent.edit}}
{{money(account.Account.PayAnyoneDailyLimit)}}
{{money(remainingLimit)}} {{i18ncontent.remaining-today}}
[[i18ncontent.orange-everyday-account.everyday-roundup]]
[[i18ncontent.orange-everyday-account.setup-roundup]]
[[i18ncontent.orange-everyday-account.everyday-roundup]]
{{i18ncontent.edit}}
[[account.Account.RoundupSettings.DestinationProductName]]
ACC: [[accountno(account.Account.RoundupSettings.DestinationAccountNo)]]
[[account.Account.RoundupSettings.CurrentCharityName]]
[[i18ncontent.orange-everyday-account.round-up-amt-text]] [[account.Account.RoundupSettings.RoundupValue]]
[[getAmount(account.Account.RoundupSettings.TotalDonationsYearToDate)]]
[[i18ncontent.orange-everyday-account.find-total-donation-label]]
[[getStatementsLinkLabel()]]
{{i18ncontent.changeLBA}}
{{interestInfo.tooltip5}}
{{i18ncontent.edit}}
{{i18ncontent.linked-account-bsb-label}} {{bsb(linkedAccount.BSB)}}
{{i18ncontent.linked-account-Account-label}} {{accountno(linkedAccount.AccountNumber)}}
{{i18ncontent.linked-account-bsb-label}} {{bsb(linkedAccount.BSB)}}
{{i18ncontent.linked-account-Account-label}} {{accountno(linkedAccount.AccountNumber)}}
[[i18ncontent.myDataSharing]]
[[i18ncontent.setPermissions]]
[[interestInfo.label2]]
{{_computeDataField(interestInfo.value2)}}
{{_computeDataField(interestInfo.value2)}}
[[interestInfo.label3]]
{{money(interestInfo.value3)}}
[[interestInfo.label4]]
{{money(interestInfo.value4)}}
[[i18ncontent.orange-everyday-account.everyday-roundup]]
[[i18ncontent.orange-everyday-account.round-up-on]]
[[i18ncontent.orange-everyday-account.round-up-off]]
In [[currentMonthName]]
[[currentMonthStatus.value]]
In [[nextMonthName]]
[[nextMonthStatus.value]]
[[interestInfo.label2]]
[[i18ncontent.orange-everyday-account.free-atm-withdrawal]] [[currentMonthName]]
[[atmRebatesRemaining]]
[[interestInfo.label3]]
[[i18ncontent.orange-everyday-account.current-financial-label]] [[currentMonthShortName]] [[currentYear]]
[[plusSignForPositiveValue(totalRewardThisFinancialYear)]] $ [[totalRewardThisFinancialYear]]
[[i18ncontent.orange-everyday-account.previous-financial-label]] [[previousFinancialYearEndYear]]
[[plusSignForPositiveValue(totalRewardPreviousFinancialYear)]] $ [[totalRewardPreviousFinancialYear]]
In [[currentMonthName]]
[[currentMonthStatus.value]]
In [[nextMonthName]]
[[nextMonthStatus.value]]
{{interestInfo.label2}}
[[i18ncontent.savings-maximizer-account.accured-label]] [[currentMonthName]]
+ {{money(interestInfo.value3)}}
[[i18ncontent.savings-maximizer-account.bonus-interest-earned-label]]
+ {{money(interestInfo.value4)}}
[[i18ncontent.orange-everyday-account.everyday-roundup]]
[[i18ncontent.orange-everyday-account.round-up-on]]
[[i18ncontent.orange-everyday-account.round-up-off]]
{{maturityOptionBtnText}}
In [[currentMonthName]]
[[currentMonthStatus.value]]
In [[nextMonthName]]
[[nextMonthStatus.value]]
[[i18ncontent.orange-everyday-account.free-atm-withdrawal]] [[currentMonthName]]
[[atmRebatesRemaining]]
[[i18ncontent.orange-everyday-account.current-financial-label]] [[currentMonthShortName]] [[currentYear]]
[[plusSignForPositiveValue(totalRewardThisFinancialYear)]] $ [[totalRewardThisFinancialYear]]
[[i18ncontent.orange-everyday-account.previous-financial-label]] [[previousFinancialYearEndYear]]
[[plusSignForPositiveValue(totalRewardPreviousFinancialYear)]] $ [[totalRewardPreviousFinancialYear]]
{{_computeDataField(interestInfo.value1)}}
{{interestInfo.label2}}
{{_computeDataField(interestInfo.value2)}}
{{_computeDataField(interestInfo.value2)}}
[[interestInfo.label3]]
{{money(interestInfo.value3)}}
{{interestInfo.label4}}
{{money(interestInfo.value4)}}
[[i18ncontent.orange-everyday-account.everyday-roundup]]
[[i18ncontent.orange-everyday-account.round-up-on]]
[[i18ncontent.orange-everyday-account.round-up-off]]
In [[currentMonthName]]
[[currentMonthStatus.value]]
In [[nextMonthName]]
[[nextMonthStatus.value]]
{{interestInfo.label2}}
[[i18ncontent.savings-maximizer-account.accured-label]] [[currentMonthName]]
+ {{money(interestInfo.value3)}}
[[i18ncontent.savings-maximizer-account.bonus-interest-earned-label]]
+ {{money(interestInfo.value4)}}
[[i18ncontent.orange-everyday-account.everyday-roundup]]
[[i18ncontent.orange-everyday-account.round-up-on]]
[[i18ncontent.orange-everyday-account.round-up-off]]
{{i18ncontent.authorized-user-s}}
{{i18ncontent.edit}}
{{capitalizeeachword(businessContact)}}
{{capitalizeeachword(user.Name)}}
{{i18ncontent.authorized-users}}
{{capitalizeeachword(authorizedUsersList)}}
{{i18ncontent.statement-option-save}}
{{i18ncontent.statement-option-cancel}}
{{i18ncontent.maturity-instructions.currentInterestRateHeading}}
{{i18ncontent.maturity-instructions.currentInterestRateText}}
{{source.num}}
{{source.str}}
{{source.rate}} {{i18ncontent.maturity-instructions.currentInterestRatePA}}
{{i18ncontent.maturity-instructions.maturity-instructions}}
{{i18ncontent.edit}}
{{additionalData.Account.MaturityOption}}
{{additionalData.Account.MaturityOption}}
{{_computeDate(additionalData.Account.NewMaturityDate)}}
{{additionalData.Account.NewTerm}}
{{money(additionalData.Account.AdditionalFunds)}}
{{i18ncontent.maturity-instructions.maturity-instructions}}
{{i18ncontent.maturity-instructions.currentInterestRateSubText}}
{{i18ncontent.maturity-instructions.currentInterestRateLink}}
{{i18ncontent.tax-file-number-tfn-information}}
{{i18ncontent.edit}}
{{i18ncontent.statement-details-group-label}}
{{i18ncontent.edit}}
{{computeSelectedOption(account.Account.StatementOptionPreferred, buttons)}}
[[i18ncontent.savings-maximizer-account.everyday-roundup]]
[[computeTallyTextBasedOnAccounts(i18ncontent,account)]]
[[i18ncontent.savings-maximizer-account.everyday-roundup-tally-error-message]]
[[money(model.roundUpInfo.roundUpAmount)]]
[[computeShowTallyToolTipBasedOnAccType(i18ncontent,account)]]
{{i18ncontent.account-information}}
{{account.Account.ProductName}}
{{capitalizeeachword(account.Account.AccountOwnerType)}}
{{capitalizeeachword(accountHolder.AccountHolderName)}}
{{formatDate(additionalData.Account.DateOpened, "DD/MM/YYYY")}}
{{i18ncontent.edit}}
[[bonusInterestAccountDisplay]]
[[bonusInterestAccountDisclaimer]]
[[bonusInterestAccountDisclaimer]]
Important:
[[computeBonusInterestAccountChangeDisclaimer(i18ncontent)]]
Important:
Save
Cancel
{{i18ncontent.business-address.business-address}}
{{addressFull(account.Account.ResidentialAddress)}}
{{addressFull(account.Account.MailingAddress)}}
{{i18ncontent.cash-advance}}
{{i18ncontent.edit}}
{{cashAdvanceStatus}}
{{money(data.CashAdvanceBalance)}}
{{money(data.CashAdvanceAvailable)}}
[[i18ncontent.editInstructions]]
{{i18ncontent.cash-advance-balance}}
{{money(data.CashAdvanceBalance)}}
{{i18ncontent.cash-advance-available}}
{{money(data.CashAdvanceAvailable)}}
{{computeCashAdvRate(data.InterestRate)}}
{{i18ncontent.disclosure}}
{{i18ncontent.saveButton}}
{{i18ncontent.cancelButton}}
{{i18ncontent.autopay}}
{{i18ncontent.edit}}
{{accountNameBsbAcc}}
{{paymentOption}}
[[i18ncontent.editInstructions]]
{{i18ncontent.saveButton}}
{{i18ncontent.cancelButton}}
[[accountHolders.CardNumber]]
[[i18n.aboutYou.termsAndConditions.title]]
[[saveButtonLabel]]
[[saveButtonAriaLabel]]
[[i18n.common.saveForLater]]
[[saveForLaterButtonAriaLabel]]
[[i18n.common.cancel]]
[[i18n.loan.borrowAmount]]
[[moneyNoDecimal(borrowAmount)]]
[[toggleValue]]
[[equity]]
[[primaryApplicantFullName]]
[[secondaryApplicantInfo]]
[[i18n.property.labels.homeLoanPurpose]]
Live in
$
Investment
Refinance
[[i18n.property.labels.buyingLable]]
[[i18n.property.labels.buyingLableSub]]
[[i18n.property.labels.currentHomeLoan]]
{{i18n.property.tooltips.refinanceExistingBalance}}
[[displayPurpose]]
[[displayBuyingPeriod]]
[[displayBuyingPeriod]]
[[displayAddress]]
[[moneyNoDecimal(estimatedPropertyValue)]]
[[moneyNoDecimal(existingHomeLoanBalance)]]
[[displayContinueStayingInInfo]]
[[displayFirstPropertyInfo]]
[[displayFirstHomeOwnerGrantInfo]]
[[termsAndConditions.title1]]
[[termsAndConditions.item1]]
[[termsAndConditions.item2]]
[[termsAndConditions.item3]]
[[termsAndConditions.item31]]
[[termsAndConditions.item32]]
[[termsAndConditions.item33]]
[[termsAndConditions.item34]]
[[termsAndConditions.item6]]
[[termsAndConditions.item7]]
[[termsAndConditions.item8]]
[[termsAndConditions.item9]]
[[termsAndConditions.item10]]
[[termsAndConditions.title2]]
[[termsAndConditions.item11]]
[[termsAndConditions.title1]]
[[termsAndConditions.item1]]
[[termsAndConditions.item2]]
[[termsAndConditions.item3]]
[[termsAndConditions.item4]]
[[termsAndConditions.item5]]
[[termsAndConditions.item6]]
[[termsAndConditions.item7]]
[[termsAndConditions.title2]]
[[termsAndConditions.item8]]
[[content.heading]]
[[content.content]]
[[_getStatusLabel(content.stauses, status)]]
[[i18n.documentUpload.newBadgeText]]
[[i18n.documentUpload.clickHere]]
[[i18n.documentUpload.pendingDocuments]]
[[i18n.tracker.labels.nextStepsHeading]]
[[_getDocumentsHeading(i18n)]]
[[i18n.documentUpload.previouslySubmitted]] [[formatDate(RequiredDocument.ModifiedDate)]]
[[UploadedDocument.Filename]]
[[i18n.tracker.labels.newUpdateAvailable.highlight]]
[[i18n.tracker.labels.newUpdateAvailable.text]]
[[i18n.tracker.labels.nextStepsHeading]]
1. Speak with a Home Loan Specialist
[[i18n.tracker.labels.callUsMessage]]
Have the following information ready for our call:
Your everyday living expenses like groceries, utilities, transport, education and childcare
Details of your assets
Details of any liabilities such as credit cards and other loans
Your employment details for the past 2 years
[[i18n.tracker.labels.callUsMessage]]
2. Provide supporting documents
To get your application moving, you’ll need to provide some supporting documents such as payslips, tax returns and savings statements. Your home loan specialist will talk you through these documents.
3. Receive your decision
Based on the information you have provided we’ll assess your application, perform a credit check and notify you of the final outcome.
4. Sign loan documents
Once your loan is approved we’ll provide you with your loan documents which you will need to sign and return to us.
A home loan specialist will call you and let you know what you need to do.
5. Get ready for settlement
After receiving your signed documents we will prepare for your settlement.
We’ll keep you updated along the way by letting you know when settlement is booked and when it has been successfully completed.
[[_getDeleteIncomeText(incomeTypeId, i18n)]]
[[i18ncontent.sections.label.sourceOfFundsDesc1]]
[[i18ncontent.sections.label.sourceOfFundsDesc2]]
[[i18ncontent.sections.label.sourceOfFundsDesc3]]
[[i18n.income.addMoreIncomes]]
{{computeValue(sourceOfIncome,selectedIncomeCode,otherSourceOfIncome)}}
{{computeValue(sourceOfWealth,selectedWealthCode,otherSourceOfWealth)}}
{{computeIncomeDisplayInformation(incomeItem, i18n)}}
[[categoryDetail.Description]]
[[i18n.expenses.expenseCalculator.dollarSign]] [[totalGeneralExpenseAmount]]
[[footerTextGeneralFrequency]]
[[i18n.expenses.expenseCalculator.footerTextPrefixSingle]]
[[totalGeneralExpenseAmount]] [[i18n.expenses.expenseCalculator.perMonth]]
[[rentalExpenses]]
[[dependents]]
[[i18n.callBack.labels.title]]
[[i18n.callBack.labels.note1]] [[i18n.callBack.labels.note2]]
{{i18ncontent.commonForms.title}}
{{formData.Type}}
{{formData.Size}}
{{formData.Type}} ( {{formData.Size}})
{{formData.Description}}
{{i18ncontent.accountForms.title}}
{{i18ncontent.importantInformation.title}}
{{i18ncontent.importantInformation.text}}
{{i18ncontent.salaryForm.errorMessages.accountRereatError}}
{{i18ncontent.salaryForm.errorMessages.totalPercentageError}}
{{i18ncontent.salaryForm.deleteAccount}}
{{i18ncontent.salaryForm.mainText}}
{{i18ncontent.salaryForm.employeeDetails}}
{{i18ncontent.salaryForm.startingWhen}}
{{i18ncontent.salaryForm.nextPayDay}}
{{i18ncontent.salaryForm.selectDate}}
{{i18ncontent.salaryForm.howMuch}}
{{i18ncontent.salaryForm.accountDetails}}
{{i18ncontent.salaryForm.errorMessages.accountRereatError}}
{{i18ncontent.salaryForm.errorMessages.noEligibleAccount}}
{{i18ncontent.salaryForm.errorMessages.totalPercentageError}}
{{i18ncontent.salaryForm.addAccount}}
{{i18ncontent.salaryForm.addAccount}}
{{i18ncontent.salaryForm.generateForm}}
{{i18ncontent.payeeForm.heading}}
{{i18ncontent.payeeForm.editHeading}}
[[_charCounterStr]]
[[label]]
[[errorMessage]]
[[i18ncontent.payId.payidName]]:
[[resolvedPayIdName]]
[[i18ncontent.payId.payId]]:
[[payIdValue]]
[[i18ncontent.payId.payIdType]]:
[[computePayIdTypeDisplayName(payIdType)]]
[[i18ncontent.payId.payIdNameChangeMessage]]
[[i18ncontent.payeeForm.heading]]
[[i18ncontent.payeeForm.editHeading]]
[[getNicknameForDisplay(model)]] {{model.title2}}
{{model.codeLabel}} {{model.code}}
{{model.identifierLabel}} {{model.identifier}}
{{i18ncontent.bpayForm.heading}}
{{i18ncontent.bpayForm.editHeading}}
{{i18ncontent.bpayFormSave.primaryButtonText}}
{{i18ncontent.bpayFormSave.secondaryButtonText}}
{{i18ncontent.deleteBPay.deleteButtonText}}
[[i18ncontent.addressBook.addPayeeButtonText]]
[[i18ncontent.addressBook.addBillerButtonText]]
[[i18ncontent.addressBook.clearButtonText]]
[[i18ncontent.addressBook.searchButtonText]]
[[i18ncontent.addressBook.noResultBody]]
{{filter.emptyMessage}}
[[i18ncontent.sectionAboutYouView.missingEmailSmsCodeMessage]]
{{i18ncontent.sectionAboutYouView.text1}}
{{i18ncontent.sectionAboutYouView.text2}}
{{i18ncontent.sectionAboutYouView.text3}}
{{i18ncontent.continueButtonContent}}
[[i18ncontent.successPage.successHeader]]
[[i18ncontent.successPage.stepsToComplete]]
[[i18ncontent.successPage.continueSetUp]]
[[i18ncontent.successPage.continueButton]]
{{i18ncontent.errorDesignatedUsPerson.text}}
{{i18ncontent.errorDesignatedUsPerson.text2}}
{{i18ncontent.errorDesignatedUsPerson.ok}}
{{i18ncontent.errorDesignatedUsPerson.cancel}}
[[i18ncontent.errorDesignatedUsPerson.ok]]
[[accountDetails.AccountName]]
[[formatCardNoWithMask(accountDetails.DisplayCardNumber)]]
[[_i18ncontent.AccountNumberLabel]]
[[accountno(accountDetails.AccountNumber)]]
[[accountDetails.Status]]
{{i18ncontent.disclaimers.holdCardDisclaimer1}}
{{i18ncontent.disclaimers.holdCardDisclaimer2}}
{{i18ncontent.button.putOnHold}}
{{i18ncontent.disclaimers.holdCardConfirmDisclaimer1}}
{{i18ncontent.disclaimers.holdCardConfirmDisclaimer2}}
{{i18ncontent.button.continue}}
{{i18ncontent.button.cancel}}
{{i18ncontent.disclaimers.removeHoldDisclaimer}}
{{i18ncontent.button.removeHold}}
{{i18ncontent.disclaimers.setPinDisclaimer}}
{{errorMessage}}
{{buttonText}}
{{i18ncontent.button.goBack}}
{{i18ncontent.messages.receivedCard}}
XXXX-XXXX-XXXX- {{activateCardDigits}}
{{i18ncontent.button.activate}}
{{i18ncontent.messages.notReceivedCardYet}}
{{i18ncontent.common.activateCardSubHeading}}
{{i18ncontent.messages.receivedCard}}
XXXX-XXXX-XXXX- {{activateCardDigits}}
{{i18ncontent.button.activate}}
{{i18ncontent.common.confirmSecurity}}
{{subHeading}}
{{errorMessage}}
{{buttonText}}
[[i18ncontent.reissue.instructionText]]
[[i18ncontent.button.next]]
[[i18ncontent.reissue.ReissuedMessage]]
[[i18ncontent.reissue.AddressChangedMessage]]
[[i18ncontent.reissue.ExpiryReissueMessage]]
[[i18ncontent.reissue.step2Header]]
[[i18ncontent.reissue.postal]]
[[i18ncontent.reissue.noticeToCall]]
[[i18ncontent.reissue.TermsConditions.header]]
[[i18ncontent.reissue.TermsConditions.line1]]
[[i18ncontent.reissue.TermsConditions.line2]]
[[i18ncontent.reissue.TermsConditions.line3]]
[[i18ncontent.reissue.TermsConditions.line4]]
[[i18ncontent.reissue.TermsConditions.line5]]
{{i18ncontent.button.confirm}}
{{i18ncontent.button.cancel}}
[[i18ncontent.replace.suspiciousTransactionQuestion]]
[[i18ncontent.replace.instructionHeader]]
[[i18ncontent.replace.TermsConditions.header]]
[[i18ncontent.replace.TermsConditions.line1]]
[[i18ncontent.replace.TermsConditions.line2]]
[[i18ncontent.replace.TermsConditions.line3]]
[[i18ncontent.replace.replaceSecurityCheck]]
[[i18ncontent.button.next]]
[[i18ncontent.replace.exitCardReplacement.line1]]
[[i18ncontent.replace.exitCardReplacement.line2]]
[[i18ncontent.button.lockCard]]
[[i18ncontent.replace.showCardOnHoldMessage]]
[[i18ncontent.replace.showCardOnHoldSecurityMessage]]
[[i18ncontent.replace.AddressChangedMessage]]
{{header}}
[[i18ncontent.replace.SetPin.note]]
{{errorMessage}}
{{ButtonText}}
[[i18ncontent.replace.lockedCardMessage]]
[[i18ncontent.replace.note.header]]
[[i18ncontent.replace.note.line1]]
[[i18ncontent.replace.note.line2]]
[[i18ncontent.button.ok]]
[[i18ncontent.replace.step2Header]]
[[i18ncontent.replace.postal]]
[[i18ncontent.replace.noticeToCall]]
[[i18ncontent.replace.TermsConditionsOnContinue.header]]
[[i18ncontent.replace.TermsConditionsOnContinue.line1]]
[[i18ncontent.replace.TermsConditionsOnContinue.line2]]
[[i18ncontent.replace.TermsConditionsOnContinue.line3]]
[[i18ncontent.replace.TermsConditionsOnContinue.line4]]
[[i18ncontent.replace.TermsConditionsOnContinue.line5]]
[[i18ncontent.replace.TermsConditionsOnContinue.line6]]
[[i18ncontent.replace.TermsConditionsOnContinue.line7]]
{{i18ncontent.button.confirm}}
{{i18ncontent.button.cancel}}
{{i18ncontent.common.subHeading}}
{{i18ncontent.button.activate}}
{{i18ncontent.disclaimers.activateCardMobileHandy}}
{{i18ncontent.disclaimers.cardReplacementDisclaimer}}
{{i18ncontent.button.next}}
[[i18ncontent.changepin.intructionText]]
Next
[[i18ncontent.messages.noAccounts]]
{{i18ncontent.messages.security}}
[[header]]
[[i18ncontent.results.noResults]]
[[i18ncontent.results.typeColumnValue]]
[[i18ncontent.results.typeColumnValue]]
{{i18ncontent.subHeader}}
{{i18ncontent.statementInfo}}
{{i18ncontent.statementLink}}
{{i18ncontent.find}}
{{i18ncontent.clearFilters}}
{{i18ncontent.disclaimerLine1}}
{{i18ncontent.disclaimerLine2}}
{{i18ncontent.disclaimerLine3}}
[[i18n.generalInformation.residential]]
[[i18n.generalInformation.postal]]
[[i18n.actions.continue]]
[[i18n.actions.continue]]
{{givenName}}
{{middleName}}
{{familyName}}
{{residentialAddress}}
{{postalAddress}}
[[i18nIndividual.actions.continue]]
[[i18nIndividual.actions.continue]]
[[i18n.disclaimer.question1]]
[[i18n.disclaimer.content1]]
[[i18n.disclaimer.content2]]
[[i18n.disclaimer.content3]]
[[i18n.disclaimer.question2]]
[[i18n.disclaimer.content7]]
[[i18n.disclaimer.question3]]
[[i18n.disclaimer.whereToSpeakWithTaxAdviser]]
[[i18n.generalInformation.registered]]
[[i18n.generalInformation.postal]]
[[i18n.generalInformation.errorMessage]]
[[i18n.actions.continue]]
[[i18n.actions.continue]]
{{legalName}}
{{country}}
{{registeredAddress}}
{{postalAddress}}
[[i18n.actions.continue]]
[[i18n.actions.continue]]
[[i18nIndividual.actions.completeLater]]
[[i18n.actions.continue]]
[[i18n.actions.continue]]
[[initialData.FinancialInstitution]]
[[entityTypeName]]
[[initialData.Giin]]
[[initialData.SponsorsName]]
[[initialData.SponsorsGiin]]
[[i18n.actions.continue]]
[[i18n.actions.continue]]
[[_getEntityType(i18n, initialData.type)]]
[[initialData.securitiesMarket]]
[[initialData.relatedEntity]]
{{item.Name}}
[[i18n.controllingPersons.additionalControllingPerson]] [[_computeIndex(index)]]
[[i18n.controllingPersons.invalidCifNameCombinationError]]
[[i18n.controllingPersons.deleteAdditionalControllingPerson]]
[[i18n.controllingPersons.validationErrorMessage]]
[[i18n.actions.continue]]
[[i18n.actions.continue]]
[[nominatedExistingControllingPersons]]
[[_computeNewControllingPersonToShow(item)]]
[[i18n.declaration.checkboxMessage]]
[[i18n.actions.submit]]
[[i18nCommon.actions.continue]]
[[i18nCommon.actions.continue]]
{{i18ncontent.individualTitle}}
{{_computeIndividualName(data)}}
{{_computeStatusText(data.Individual.SelfCertStatus, i18ncontent)}}
{{data.Individual.LastSubmittedDate}}
{{i18ncontent.selfCertLinkOptional}}
{{_computeIndividualName(data)}}
{{i18ncontent.headers.selfCertStatus}} : {{_computeStatusText(data.Individual.SelfCertStatus, i18ncontent)}}
{{i18ncontent.headers.lastSubmitted}} : {{data.Individual.LastSubmittedDate}}
{{i18ncontent.selfCertLinkOptional}}
{{i18ncontent.entityTitle}}
{{item.Name}}
{{_computeStatusText(item.SelfCertStatus, i18ncontent)}}
{{i18ncontent.soleTraderMessage}}
{{item.LastSubmittedDate}}
{{i18ncontent.selfCertLinkOptional}}
--
{{item.Name}}
{{i18ncontent.headers.selfCertStatus}} :
{{_computeStatusText(item.SelfCertStatus, i18ncontent)}}
{{i18ncontent.soleTraderMessage}}
{{i18ncontent.headers.lastSubmitted}} : {{item.LastSubmittedDate}}
{{i18ncontent.selfCertLinkOptional}}
[[clusterObject.title2]]
[[clusterObject.title]]
[[clusterObject.accordionSubText]]
[[clusterObject.accordionSubTextHistorical]]
[[clusterObject.title2]]
[[clusterObject.title]]
[[clusterObject.datingBackTo]]
[[clusterObject.accordionSubTextPeriod]]
[[clusterObject.title2]]
[[clusterObject.title]]
[[clusterObject.with]] [[selectedConsentData.SoftwareName]][[clusterObject.on]][[selectedConsentData.CreatedDate]].
[[clusterObject.continueShare]] [[selectedConsentData.ConsentDuration]]
[[clusterObject.stoppedSharing]] [[selectedConsentData.UpdatedDate]]
[[selectedConsentData.SoftwareName]]
[[activeHeaderText]]
[[i18ncontent.consentDetails.consentStatus]]
[[i18ncontent.consentDetails.archivedOnText]]
[[updateConsentExpiryDate]]
[[i18ncontent.consentDetails.stopSharingButtonText]]
[[i18ncontent.consentDetails.backButtonText]]
[[i18ncontent.consentDetails.consentDateLabel]]
[[selectedConsentData.CreatedDate]]
[[labelForConsentExpiry]]
[[updateConsentExpiryDate]]
[[i18ncontent.consentDetails.sharingPeriodLabel]]
[[selectedConsentData.CreatedDate]] - [[updateConsentExpiryDate]]
[[dataSharingHeading]]
[[_headeraccountsSharedText(i18ncontent, isActiveTab)]]
[[i18ncontent.consentDetails.tableAccountColumnText]]
[[account.AccountName]]
[[i18ncontent.consentDetails.tableBSBColumnText]]
[[account.BSB]]
[[i18ncontent.consentDetails.tableAccountNoColumnText]]
[[account.AccountNumber]]
[[i18ncontent.mainHeaderText]]
[[i18ncontent.details.impactsService1]][[dataRecipient]][[i18ncontent.details.impactsService2]][[dataRecipient]][[i18ncontent.details.impactsService3]]
[[i18ncontent.details.whatHappensSharedData1]][[dataRecipient]][[i18ncontent.details.whatHappensSharedData2]]
[[i18ncontent.details.whatHappensSharedData3]][[dataRecipient]][[i18ncontent.details.whatHappensSharedData4]]
[[dataRecipient]][[i18ncontent.details.whenStopSharing.info]]
[[i18ncontent.details.wantStopSharing]][[dataRecipient]].
[[i18ncontent.titleText]]
[[i18ncontent.dataRecipient]]
[[i18ncontent.sharingPeriod]]
[[i18ncontent.dataRecipient]]
[[consent.SoftwareName]]
[[i18ncontent.sharingPeriod]]
[[consent.CreatedDate]] - [[consent.ConsentDuration]]
[[i18ncontent.noConsentsActive.title]]
[[i18ncontent.noConsentsActive.message]]
[[i18ncontent.noConsentsActive.withinEach]]
[[i18ncontent.noConsentsActive.accessDetails]]
[[i18ncontent.noConsentsActive.stopSharing]]
[[i18ncontent.dataRecipient]]
[[i18ncontent.archivedOn]]
[[i18ncontent.dataRecipient]]
[[consent.SoftwareName]]
[[i18ncontent.archivedOn]]
[[consent.UpdatedDate]]
[[i18ncontent.noConsentsArchive.title]]
[[i18ncontent.noConsentsArchive.message]]
[[i18ncontent.noConsentsArchive.withinEach]]
[[i18ncontent.noConsentsArchive.accessDetails]]
[[i18ncontent.noConsentsArchive.stopSharing]]
[[i18ncontent.dataRecipient]]
[[consent.SoftwareName]]
[[i18ncontent.sharingPeriod]]
[[consent.CreatedDate]] - [[consent.ConsentDuration]]
[[i18ncontent.noConsentsActive.title]]
[[i18ncontent.noConsentsActive.message]]
[[i18ncontent.noConsentsActive.withinEach]]
[[i18ncontent.noConsentsActive.accessDetails]]
[[i18ncontent.noConsentsActive.stopSharing]]
[[i18ncontent.dataRecipient]]
[[consent.SoftwareName]]
[[i18ncontent.archivedOn]]
[[consent.UpdatedDate]]
[[i18ncontent.noConsentsArchive.title]]
[[i18ncontent.noConsentsArchive.message]]
[[i18ncontent.noConsentsArchive.withinEach]]
[[i18ncontent.noConsentsArchive.accessDetails]]
[[i18ncontent.noConsentsArchive.stopSharing]]
[[i18ncontent.important]]
[[i18ncontent.disclaimer1]]
[[i18ncontent.disclaimerLink]]
[[i18ncontent.common.financialYearEnding]]
[[i18ncontent.common.download]]
{{i18ncontent.common.disclaimerLine1}}
{{i18ncontent.common.disclaimerLine2}}
{{i18ncontent.common.accountTitle}}
{{i18ncontent.common.accountType}}
{{i18ncontent.common.status}}
{{getwithholdingTaxResidentTitle(category.Category)}}
{{getwithholdingTaxNonResidentTitle(category.Category)}}
{{getInterestTitle(category.Category)}}
{{getCategoryTitle(category.Category)}}
{{money(category.TotalWithholdingTaxResident)}}
{{money(category.TotalWithholdingTaxNonResident)}}
{{money(category.TotalInterestEarned)}}
{{money(category.TotalInterestPaid)}}
{{getInterestTitle(category.Category)}}
{{money(category.TotalInterestEarned)}}
{{money(category.TotalInterestPaid)}}
{{computeNickname(account)}}
{{account.ProductName}}
{{i18ncontent.common.accountTitle}}
:
{{accountno(account.AccountNumber)}}
{{i18ncontent.common.accountType}}
:
{{account.AccountType}}
{{i18ncontent.common.status}}
:
{{getAccountStatus(account.AccountStatus.Code)}}
{{i18ncontent.common.accountTitle}}
{{accountno(account.AccountNumber)}}
{{i18ncontent.common.accountType}}
{{account.AccountType}}
{{i18ncontent.common.status}}
{{getAccountStatus(account.AccountStatus.Code)}}
{{getwithholdingTaxResidentTitle(category.Category)}}
{{money(account.WithholdingTaxResident)}}
{{getwithholdingTaxNonResidentTitle(category.Category)}}
{{money(account.WithholdingTaxNonResident)}}
{{getInterestTitle(category.Category)}}
{{money(account.InterestEarned)}}
{{getInterestTitle(category.Category)}}
{{money(account.InterestPaid)}}
{{accountno(account.AccountNumber)}}
{{account.AccountType}}
{{getAccountStatus(account.AccountStatus.Code)}}
{{money(account.WithholdingTaxResident)}}
{{money(account.WithholdingTaxNonResident)}}
{{money(account.InterestEarned)}}
{{money(account.InterestPaid)}}
{{getCategoryTitle(category.Category)}}
{{money(category.TotalWithholdingTaxResident)}}
{{money(category.TotalWithholdingTaxNonResident)}}
{{money(category.TotalInterestEarned)}}
{{getInterestTitle(category.Category)}}
{{money(category.TotalInterestEarned)}}
{{computeNickname(account)}}
{{account.ProductName}}
{{i18ncontent.common.accountTitle}}
:
{{accountno(account.AccountNumber)}}
{{i18ncontent.common.status}}
:
{{getAccountStatus(account.AccountStatus.Code)}}
{{i18ncontent.common.accountTitle}}
{{accountno(account.AccountNumber)}}
{{i18ncontent.common.status}}
{{getAccountStatus(account.AccountStatus.Code)}}
{{getwithholdingTaxResidentTitle(category.Category)}}
{{money(account.WithholdingTaxResident)}}
{{getwithholdingTaxNonResidentTitle(category.Category)}}
{{money(account.WithholdingTaxNonResident)}}
{{getInterestTitle(category.Category)}}
{{money(account.InterestEarned)}}
{{accountno(account.AccountNumber)}}
{{getAccountStatus(account.AccountStatus.Code)}}
{{money(account.WithholdingTaxResident)}}
{{money(account.WithholdingTaxNonResident)}}
{{money(account.InterestEarned)}}
{{i18ncontent.common.noAccounts}}
{{i18ncontent.composeMessageHeading}}
{{subject.MessageTopicDescription}}
{{subject.MessageProductDescription}}
{{subject.AccountName}} ({{subject.ProductAbbreviation}} ) {{subject.AccountNumber}}
{{i18ncontent.Subject}} {{i18ncontent.CollonSymbol}}
{{replyMessageSubject}}
{{i18ncontent.Product}} {{i18ncontent.CollonSymbol}}
{{replyMessageProduct}}
{{i18ncontent.Account}} {{i18ncontent.CollonSymbol}}
{{replyMessageAccount}}
{{i18ncontent.textContentHeader}}
{{i18ncontent.textContentHint}}
{{i18ncontent.composeMessageSendButtonText}}
{{i18ncontent.composeMessageSaveButtonText}}
{{i18ncontent.composeMessageCancelButtonText}}
{{i18ncontent.Compose}}
{{i18ncontent.Delete}}
{{i18ncontent.Subject}}
{{i18ncontent.Date}}
{{computeSubject(thread.model.subject, thread.model.count)}}
{{formatTime(thread.model.sent)}}
{{formatDate(thread.model.sent, 'DD MMMM YYYY')}}
{{noMessagesText}}
{{computeAllyHeading(i18ncontent, message.Sender, clientName, message.DateTimeReceived)}}
{{i18ncontent.Reply}}
{{i18ncontent.Delete}}
{{i18ncontent.Viewmessages}}
{{i18ncontent.Viewmessages}}
[[i18ncontent.changeLBA.heading]]
[[subHeading]]
[[i18ncontent.common.orLabel]]
[[i18ncontent.changeLBA.newAccountButtonText]]
[[i18ncontent.changeLBA.linkOtherDepositAccounts]]
[[i18ncontent.changeLBA.linkedToAccountOpenOrClosed]]
[[i18ncontent.changeLBA.directDebitRequest]]
[[i18ncontent.changeLBA.plInternalDisclaimer.part1]]
[[i18ncontent.changeLBA.plInternalDisclaimer.part2]]
[[i18ncontent.changeLBA.plInternalDisclaimer.part3]]
[[i18ncontent.changeLBA.plInternalDisclaimer.part4]] [[i18ncontent.changeLBA.plInternalDisclaimer.part5]]
[[i18ncontent.changeLBA.plInternalDisclaimer.part6]]
[[i18ncontent.changeLBA.disclaimer_E178]]
[[i18ncontent.changeLBA.continueButtonText]]
[[i18ncontent.changeLBA.cancelButtonText]]
[[i18ncontent.changeLBA.hlDescription]]
[[i18ncontent.changeLBA.confirm.subHeading]]
{{fromAccount.AccountNameDisplay}}
{{computeBsbLine(i18ncontent.common.bsbLabel, fromAccount.CustomerAccount.BSB)}}
{{computeAccountNoLine(i18ncontent.common.accLabel, fromAccount.CustomerAccount.AccountNumber)}}
{{selectedToAccount.AccountNameDisplay}}
{{computeBsbLine(i18ncontent.common.bsbLabel, selectedToAccount.CustomerAccount.BSB)}}
{{computeAccountNoLine(i18ncontent.common.accLabel, selectedToAccount.CustomerAccount.AccountNumber)}}
[[descriptionTextObj.confirmDescription]]
[[i18ncontent.common.confirmButtonText]]
[[i18ncontent.changeLBA.cancelButtonText]]
[[i18ncontent.changeLBA.finalSteps.subHeading]]
[[i18ncontent.changeLBA.finalSteps.subText1]] [[i18ncontent.changeLBA.finalSteps.subText2]]
[[i18ncontent.changeLBA.finalSteps.step1Heading]]
[[i18ncontent.changeLBA.finalSteps.step1Text1]]
[[i18ncontent.changeLBA.finalSteps.step1Text2]] {{accountno(receiptDetails.ReceiptNumber)}}
[[i18ncontent.changeLBA.finalSteps.step2Heading]]
[[i18ncontent.changeLBA.finalSteps.step2Text1]]
[[receiptDetails.OldLinkedToAccount.AccountName]]
[[computeBsbLine(i18ncontent.common.bsbLabel, receiptDetails.OldLinkedToAccount.BSB)]]
[[computeAccountNoLine(i18ncontent.common.accLabel, receiptDetails.OldLinkedToAccount.AccountNumber)]]
[[i18ncontent.changeLBA.finalSteps.step3Heading]]
[[i18ncontent.changeLBA.finalSteps.step3Text1]]
[[i18ncontent.changeLBA.finalSteps.step3Text2]][[i18ncontent.changeLBA.finalSteps.step3Text3]] [[i18ncontent.changeLBA.finalSteps.step3Text4]][[i18ncontent.changeLBA.finalSteps.step3Text5]]
[[i18ncontent.common.confirmButtonText]]
[[i18ncontent.changeLBA.finalSteps.rvtSubHeading]]
[[i18ncontent.changeLBA.finalSteps.rvtErrordescription]]
[[i18ncontent.changeLBA.finalSteps.rvtErrorNumber]]
[[i18ncontent.changeLBA.receipt.subHeading]]
[[receiptPageDisclaimerMessage]]
[[fromAccount.AccountName]]
[[computeBsbLine(i18ncontent.common.bsbLabel, fromAccount.BSB)]]
[[computeAccountNoLine(i18ncontent.common.accLabel, fromAccount.AccountNumber)]]
[[receiptDetails.NewLinkedToAccount.AccountName]]
[[computeBsbLine(i18ncontent.common.bsbLabel, receiptDetails.NewLinkedToAccount.BSB)]]
[[computeAccountNoLine(i18ncontent.common.accLabel, receiptDetails.NewLinkedToAccount.AccountNumber)]]
[[receiptDetails.NewLinkedToAccount.BankName]]
[[accountno(receiptDetails.ReceiptNumber)]]
[[receiptDetails.RepaymentDetails.NextRepaymentDate]] [[i18ncontent.changeLBA.receipt.timeZone]]
[[_getDueAmount(receiptDetails.RepaymentDetails.DueAmount)]]
[[i18ncontent.changeLBA.accountButtonText]]
{{i18ncontent.infoHeading}}
{{i18ncontent.infoHeadingElement1}}
{{i18ncontent.infoHeadingElement2}}
{{i18ncontent.infoHeadingElement3}}
{{i18ncontent.infoHeadingElement4}}
{{i18ncontent.infoHeadingElement5}}
{{i18ncontent.infoHeadingElement6}}
{{i18ncontent.common.messages.scheduledPaymentHeading}}
[[i18ncontent.payAnyone.messages.payment600126Exception_2]]
[[i18ncontent.payAnyone.messages.payment600126Exception_3]]
[[i18ncontent.payAnyone.importantLabel]]
[[i18ncontent.payAnyone.messages.ensurePayIdDetailsCorrect]]
[[i18ncontent.payAnyone.messages.ensureAccountDetailsCorrect]]
[[i18ncontent.payAnyone.paymentSubHeader]]
[[i18ncontent.common.lastPaymentLabel]] :
[[money(toAccount.LastPaymentAmount)]] [[i18ncontent.common.onLabel]] [[formatDate(toAccount.LastPaymentDate, "DD MMMM YYYY")]]
[[i18ncontent.common.orLabel]]
[[i18ncontent.payAnyone.newPayeeButtonText]]
[[i18ncontent.common.doneButtonText]]
[[i18ncontent.common.cancelButtonText]]
[[i18ncontent.payAnyone.errorMessages.amountDailyLimitMore]]
[[i18ncontent.payAnyone.errorMessages.amountDailyLimitLink]]
[[i18ncontent.payAnyone.errorMessages.amountDailyLimitMore]]
[[i18ncontent.payAnyone.errorMessages.amountDailyLimitLink]]
[[descriptionSwitchWarningMessage]]
[[descriptionSwitchWarningMessage]]
[[i18ncontent.payAnyone.paymentOptonForPayId]]
[[i18ncontent.payAnyone.paymentButtonText]]
[[i18ncontent.common.cancelButtonText]]
[[i18ncontent.payAnyone.viewAndConfirmSubHeader]]
[[i18ncontent.common.editButtonText]]
[[fromAccount.AccountNameDisplay]]
[[computeBsbLine(i18ncontent.common.bsbLabel, fromAccount.CustomerAccount.BSB)]]
[[computeAccountNoLine(i18ncontent.common.accLabel, fromAccount.CustomerAccount.AccountNumber)]]
[[toAccount.AddressBookNameDisplay]]
[[computeBsbLine(i18ncontent.common.bsbLabel, toAccount.BSB)]]
[[computeAccountNoLine(i18ncontent.common.accLabel, toAccount.AccountNumber)]]
[[toAccount.BankName]]
[[payIdName]]
[[toAccount.PayIdValue]]
[[formatDate(paymentDateToDisplay, "DD MMMM YYYY")]] ([[i18ncontent.common.timezoneLabel]] )
[[formatDate(paymentDate, "DD MMMM YYYY")]] ([[i18ncontent.common.timezoneLabel]] )
[[paymentFrequencyDescriptionLabel]]
{{formatDate(paymentEndDate, "DD MMMM YYYY")}} ([[i18ncontent.common.timezoneLabel]] )
[[i18ncontent.common.paymentScheduleOptionLabels.none]]
[[scheduleInstances]]
[[myDescription]]
[[theirDescription]]
[[i18ncontent.common.confirmButtonText]]
[[i18ncontent.common.cancelButtonText]]
[[i18ncontent.payAnyone.messages.stopAndThinkHeading]]
[[i18ncontent.payAnyone.messages.stopAndThinkCheckbox_1]]
[[i18ncontent.payAnyone.messages.stopAndThinkCheckbox_2]]
[[i18ncontent.common.makePayment]]
[[i18ncontent.common.cancelPayment]]
[[i18ncontent.payAnyone.importantLabel]]
[[i18ncontent.payAnyone.messages.ensureAccountDetailsCorrect]]
{{i18ncontent.payBill.messages.headerNote}}
{{i18ncontent.common.transferSubHeader}}
{{i18ncontent.common.lastPaymentLabel}} :
{{money(lastPaymentAmount)}} {{i18ncontent.common.onLabel}} {{formatDate(lastPaymentDate, "DD MMMM YYYY")}}
{{i18ncontent.common.orLabel}}
{{i18ncontent.payBill.newBillerButtonText}}
{{i18ncontent.common.doneButtonText}}
{{i18ncontent.common.cancelButtonText}}
{{i18ncontent.payBill.messages.sufficientFundsNote}}
{{i18ncontent.common.transferButtonText}}
{{i18ncontent.common.cancelButtonText}}
{{i18ncontent.common.viewAndConfirmSubHeader}}
{{i18ncontent.common.editButtonText}}
{{fromAccount.AccountNameDisplay}}
{{computeBsbLine(i18ncontent.common.bsbLabel, fromAccount.CustomerAccount.BSB)}}
{{computeAccountNoLine(i18ncontent.common.accLabel, fromAccount.CustomerAccount.AccountNumber)}}
{{fromAccount.CustomerAccount.DisplayCardNumber}}
{{biller.PrimaryDisplayName}}
{{biller.SecondaryDisplayName}}
{{computeBillerLine(i18ncontent.payBill.billerLabel, biller.BillerCode)}}
{{computeBillerLine(i18ncontent.payBill.crnLabel, billerCrn)}}
{{formatDate(paymentDate, "DD MMMM YYYY")}} ({{i18ncontent.common.timezoneLabel}} )
{{formatDate(recurringPaymentStartDate, "DD MMMM YYYY")}} ({{i18ncontent.common.timezoneLabel}} )
{{computeFrequencyText(selectedPaymentFrequencyIndex)}}
{{computePaymentScheduleText(selectedPaymentScheduleIndex)}}
{{formatDate(recurringPaymentEndDate, "DD MMMM YYYY")}} ({{i18ncontent.common.timezoneLabel}} )
{{scheduleOccurrences}}
{{i18ncontent.common.messages.notSufficientFundsOnTransferDate}}
{{i18ncontent.common.messages.paymentProcessedNextBusinessDay}}
[[i18ncontent.payBill.messages.warningCheckDetails]]
[[i18ncontent.payBill.messages.warningRecovery]]
{{i18ncontent.common.confirmButtonText}}
{{i18ncontent.common.cancelButtonText}}
{{i18ncontent.common.transferSubHeader}}
{{i18ncontent.common.currentBalance}} :
{{money(toAccount.CustomerAccount.CurrentBalance)}}
{{i18ncontent.common.payableBalanceLabel}} :
{{money(toAccount.CustomerAccount.PayableBalance)}}
{{i18ncontent.common.messages.payInstalmentReminder}}
[[i18ncontent.common.messages.plWarningMessage]]
{{i18ncontent.common.minimumRepayment}} {{money(directDebitMinimumRepaymentAmount)}}
{{i18ncontent.directDebits.disclamerInfo}}
{{i18ncontent.directDebits.disclamerNotify}}
{{i18ncontent.common.transferButtonText}}
{{i18ncontent.common.cancelButtonText}}
{{i18ncontent.common.editButtonText}}
{{fromAccount.AccountNameDisplay}}
{{computeBsbLine(i18ncontent.common.bsbLabel, fromAccount.CustomerAccount.BSB)}}
{{computeAccountNoLine(i18ncontent.common.accLabel, fromAccount.CustomerAccount.AccountNumber)}}
{{toAccount.AccountNameDisplay}}
{{computeBsbLine(i18ncontent.common.bsbLabel, toAccount.CustomerAccount.BSB)}}
{{computeAccountNoLine(i18ncontent.common.accLabel, toAccount.CustomerAccount.AccountNumber)}}
{{formatCardNoWithMask(toAccount.CustomerAccount.DisplayCardNumber)}}
{{i18ncontent.directDebits.fixedRateDisclimerForToAccount}}
{{toAccount.CustomerAccount.BankName}}
{{i18ncontent.common.messages.transferDaysNote}}
{{formatDate(paymentDate, "DD MMMM YYYY")}} ({{i18ncontent.common.timezoneLabel}} )
{{formatDate(paymentDate, "DD MMMM YYYY")}} ({{i18ncontent.common.timezoneLabel}} )
{{paymentFrequencyDescriptionLabel}}
{{formatDate(paymentEndDate, "DD MMMM YYYY")}} ({{i18ncontent.common.timezoneLabel}} )
{{i18ncontent.common.paymentScheduleOptionLabels.none}}
{{scheduleInstances}}
{{money(directDebitMinimumRepaymentAmount)}}
{{i18ncontent.transferMoney.fixedRateLoanWarning}}
{{i18ncontent.transferMoney.depositToEbaInfo1}}
{{i18ncontent.transferMoney.depositToEbaInfo2}}
{{i18ncontent.transferMoney.loanToEbaInfo1}}
{{i18ncontent.transferMoney.loanToEbaInfo2}}
{{i18ncontent.transferMoney.ebaToDepositInfo1}}
{{i18ncontent.transferMoney.ebaToDepositInfo2}}
{{i18ncontent.transferMoney.ebaToLoanInfo1}}
{{i18ncontent.transferMoney.ebaToLoanInfo2}}
{{i18ncontent.common.messages.instalmentDisclaimer}}
{{i18ncontent.common.messages.notSufficientFundsOnTransferDate}}
{{i18ncontent.common.messages.paymentProcessedNextBusinessDay}}
{{i18ncontent.directDebits.disclamerInfo}}
{{i18ncontent.directDebits.disclamerNotify}}
{{i18ncontent.common.confirmButtonText}}
{{i18ncontent.common.cancelButtonText}}
[[i18ncontent.common.edit]]
{{money(data.cheque.amount)}}
[[data.cheque.account.AccountNameDisplay]]
[[_computeBsb(i18ncontent.confirmation.bsb, data.cheque.account.BSB)]]
[[_computeAccountNumber(i18ncontent.confirmation.accountNumber, data.cheque.account.AccountNumber)]]
[[data.cheque.payee]]
[[data.cheque.myDescription]]
[[data.cheque.theirDescription]]
[[data.delivery.recipient]]
[[addressFull(data.delivery.address)]]
[[data.delivery.deliveryOption.label]]
[[i18ncontent.form.disclaimer.prefix]]
[[i18ncontent.form.disclaimer.text]]
[[i18ncontent.common.confirm]]
[[i18ncontent.common.cancel]]
[[formatDateTime(receiptData.RequestedOn)]]
[[i18ncontent.receipt.requestedTimeZone]]
{{money(data.cheque.amount)}}
{{money(receiptData.AvailableBalance)}}
[[data.cheque.account.AccountNameDisplay]]
[[_computeBsb(i18ncontent.receipt.bsb, data.cheque.account.BSB)]]
[[_computeAccountNumber(i18ncontent.receipt.accountNumber, data.cheque.account.AccountNumber)]]
[[data.cheque.payee]]
[[data.cheque.myDescription]]
[[data.cheque.theirDescription]]
[[data.delivery.recipient]]
[[addressFull(data.delivery.address)]]
[[data.delivery.deliveryOption.label]]
[[receiptData.BankChequeId]]
[[i18ncontent.form.disclaimer.prefix]]
[[i18ncontent.form.disclaimer.text]]
{{i18ncontent.receipt.order}}
{{i18ncontent.receipt.printReceiptButtonText}}
[[i18ncontent.form.details.heading]]
[[i18ncontent.form.delivery.heading]]
[[i18ncontent.form.disclaimer.prefix]]
[[i18ncontent.form.disclaimer.text]]
{{i18ncontent.common.continue}}
{{i18ncontent.common.cancel}}
[[i18ncontent.payIDModal.headerText]]
[[i18ncontent.payIDModal.pAInfoText1]]
[[i18ncontent.payIDModal.pAsInfoTextBullet1]]
[[i18ncontent.payIDModal.pAsInfoTextBullet2]]
[[i18ncontent.payIDModal.subHeading1]]
[[i18ncontent.payIDModal.subHeading2]]
{{i18ncontent.okBtnText}}
[[titleText]]
[[computePayIdTypeDisplayName(item.PayIdType)]]
[[item.PayIdDisplay]]
[[warningText]]
[[i18ncontent.payIdDisclaimer]]
[[i18ncontent.next]]
[[i18ncontent.deregister]]
[[i18ncontent.summaryPage.headerText]]
[[selectedPayIdOption.PayIdDisplay]]
[[selectedAccount.AccountName]]
[[i18ncontent.summaryPage.bsbLabel]]: [[selectedAccount.BSB]]
[[i18ncontent.summaryPage.accountNoLabel]]: [[selectedAccount.AccountNumber]]
[[registerAnotherButtonText]]
[[i18ncontent.financialImpact.saveAndContinue]]
[[i18ncontent.financialImpact.ariaLabels.saveButton]]
[[i18ncontent.financialImpact.saveForLater]]
[[i18ncontent.financialImpact.ariaLabels.saveForLater]]
[[i18ncontent.financialImpact.cancel]]
[[i18n.employmentAndIncome.jointEmploymentMessage]]
[[i18ncontent.employmentIncomeDetails.question.sourceOfIncomeHeading]]
[[i18ncontent.employmentIncomeDetails.tooltips.sourceOfIncomeHelpText]]
[[unescapeChars(source.Name)]]
[[i18ncontent.employmentIncomeDetails.labels.curEmpl]]
[[i18n.employmentAndIncome.addOtherIncome]]
[[i18n.employmentAndIncome.otherIncomeHeading]]
[[i18n.employmentAndIncome.deleteOtherIncome]]
[[i18ncontent.employmentIncomeDetails.labels.saveContinue]]
[[i18ncontent.employmentIncomeDetails.labels.saveLater]]
[[i18ncontent.employmentIncomeDetails.buttonLabels.cancelApplication]]
[[i18n.yourSituation.headings.maritalStatus]]
[[i18n.yourSituation.headings.livingSituation]]
[[livingSituations.Name]]
[[i18n.yourSituation.errorMessages.outstandingExceeded]]
[[i18n.yourSituation.labelsView.HomeLoanSuffix]]
{{numberOfDependents.Id}}
[[i18n.yourSituation.saveAndContinue]]
[[i18n.yourSituation.saveForLater]]
[[i18n.yourSituation.cancel]]
[[i18ncontent.employmentIncomeDetails.labels.fecStatus]]
[[getEmployFecStatusForView(getEmpIncDetails.IncomeSource,getEmpIncDetails.OtherIncomeSource)]]
[[setEmpTypeLabel(empDetail.IsPrimaryEmployment,empDetail.IsPreviousEmployment)]]
[[getEmployStatusForView(empDetail.EmploymentStatus)]]
[[empDetail.EmploymentContact.EmployerContact]]
[[getIndustryTypeForView(empDetail.IndustryOccupation.IndustryType)]]
[[getOccupationTypeForView(empDetail.IndustryOccupation.OccupationType)]]
[[money(empDetail.SuperannuationBalance)]]
[[getIncomeWithFrequencyForView(income.IncomeWithFrequency.Amount,income.IncomeWithFrequency.Frequency)]]
[[money(empDetail.CurrentFinancialYearIncome)]]
[[money(empDetail.PreviousFinancialYearIncome)]]
[[getTenureInYearsMonthsForView(empDetail.EmploymentDuration.Years,empDetail.EmploymentDuration.Months)]]
[[model.MaritalStatus]]
[[model.LivingSituation]]
[[model.OwnedPropertyValue]]
[[model.MortgageBorrowAmt]]
[[model.MortgageBalAndRedraw]]
[[model.MortgageRepayment]]
[[model.MortgageRepaymentShare]]%
[[model.MortgagePropertyValue]]
[[homeloan.AmountBorrowed]]
[[homeloan.OutstandingAmount]]
[[homeloan.HLRepaymentAmount]]
[[homeloan.HLRepaymentsShare]]%
[[homeloan.HLPropertyValue]]
[[model.RentAmount]]
[[model.BoardAmount]]
[[model.NoOfDependents]]
[[ageOfDependents.Name]]
[[isImpactedByCovid]]
[[isAssistanceReceived]]
[[assistance]]
[[isNormalSituationExpected]]
[[duration]]
[[relationship]]
[[i18ncontent.reviewAndSubmitDisclaimer.heading]]
[[i18ncontent.reviewAndSubmitDisclaimer.byContinuingText]]
[[i18ncontent.reviewAndSubmitDisclaimer.terms.line1]]
[[i18ncontent.reviewAndSubmitDisclaimer.terms.line2]]
[[i18ncontent.reviewAndSubmitDisclaimer.terms.line3]]
[[i18ncontent.reviewAndSubmitDisclaimer.terms.line4]] [[i18ncontent.reviewAndSubmitDisclaimer.terms.line4PrivacyPolicy]]
[[i18ncontent.reviewAndSubmitDisclaimer.terms.line5]]
[[i18ncontent.reviewAndSubmitDisclaimer.terms.line6]]
[[i18ncontent.reviewAndSubmitDisclaimer.terms.line7]]
[[i18ncontent.reviewAndSubmitDisclaimer.terms.line8]]
[[i18ncontent.reviewAndSubmitDisclaimer.footNote]]
[[i18ncontent.reviewAndSubmitDisclaimer.afterSubmittingText]]
[[i18ncontent.reviewAndSubmitDisclaimer.submitButton]]
[[i18ncontent.introPage.pageRedirectionText.line1]]
[[i18ncontent.introPage.pageRedirectionText.line2]]
[[i18ncontent.introPage.pageRedirectionText.line3]]
[[i18ncontent.introPage.header1]]
[[i18ncontent.introPage.header1Array.line1]]
[[i18ncontent.introPage.header1Array.line2]]
[[i18ncontent.introPage.header1Array.line3]]
[[i18ncontent.introPage.introOptions]]
[[i18ncontent.introPage.introArray.line1]]
[[i18ncontent.introPage.introArray.line2]]
[[i18ncontent.introPage.introArray.line3]]
[[i18ncontent.introPage.introArray.line4]]
[[i18ncontent.introPage.introEnding]]
[[i18ncontent.introPage.header2]]
[[i18ncontent.introPage.header2Array.line1]]
[[i18ncontent.introPage.header2Array.note]]
[[i18ncontent.introPage.header2Array.line2]]
[[i18ncontent.introPage.header3]]
[[i18ncontent.introPage.header3Array.line1]]
[[i18ncontent.introPage.header3Array.line2]]
[[i18ncontent.introPage.header3Array.line3]]
[[i18ncontent.introPage.header3Array.line4]]
[[i18ncontent.introPage.header3Array.line5]]
[[i18ncontent.introPage.header3Array.line6]]
[[i18ncontent.introPage.nextBtnText]]
[[i18ncontent.getAccounts.newFlow.heading]]
[[i18ncontent.getAccounts.newFlow.subheading]]
[[i18ncontent.getAccounts.newFlow.provideReason]]
[[i18ncontent.getAccounts.renewFlow.pleaseProvide]]
[[capitalizeeachword(impactOption.Value)]]
[[i18ncontent.getAccounts.confirmInfo]]
[[i18ncontent.getAccounts.startInfo]]
[[i18ncontent.getAccounts.financialImpact]]
[[i18ncontent.getAccounts.employment]]
[[i18ncontent.getAccounts.assets]]
[[i18ncontent.getAccounts.shouldTake]]
[[i18ncontent.getAccounts.renewFlow.heading]]
[[i18ncontent.getAccounts.renewFlow.zeroSubHeading]]
[[i18ncontent.getAccounts.renewFlow.subheading]][[money(account.repaymentInfo.Amount)]] [[account.repaymentInfo.Reccurance]]
[[i18ncontent.getAccounts.renewFlow.question1]]
[[i18ncontent.getAccounts.applyForFinancialSupport]]
[[i18ncontent.getAccounts.headers.bsb]]
[[i18ncontent.getAccounts.headers.acc]]
[[i18ncontent.getAccounts.headers.currentBalance]]
[[i18ncontent.getAccounts.headers.status]]
[[account.AccountName]]
[[account.ProductName]]
[[i18ncontent.getAccounts.headers.acc]]
:
[[account.AccountId]]
[[account.ProductName]]
[[i18ncontent.getAccounts.headers.currentBalanceMin]]
:
[[money(account.CurrentBalance)]]
[[account.BSB]]
[[account.AccountId]]
[[account.ProductName]]
[[money(account.CurrentBalance)]]
[[i18ncontent.getAccounts.statusOptions.new.text]]
[[i18ncontent.getAccounts.statusOptions.submitted.text]]
[[i18ncontent.getAccounts.statusOptions.approved.text]]
[[i18ncontent.getAccounts.statusOptions.incomplete.jointHolderText]]
×
[[i18ncontent.getAccounts.button.start]]
[[i18ncontent.getAccounts.button.confirm]]
[[i18ncontent.getAccounts.button.cancel]]
[[i18ncontent.getAccounts.cantSeeAccountMessage]]
[[i18ncontent.getAccounts.errors.noAccountsAvailable]]
[[label]]
[[errorMessage]]
{{getJointSecApplicantInfo(i18ncontent.jointSecApplicantInfo, primaryApplicantName)}}
[[i18ncontent.sections.label.sourceOfFundsDesc1]]
[[i18ncontent.sections.label.sourceOfFundsDesc2]]
[[i18ncontent.sections.label.sourceOfFundsDesc3]]
[[income.Name]]
[[i18ncontent.tooltipText.sourceOfIncomeDesc]]
[[i18ncontent.tooltipText.forEg]]
[[i18ncontent.tooltipText.sourceOfIncomeEg1]]
[[wealth.Name]]
[[i18ncontent.tooltipText.sourceOfWealthDesc]]
[[i18ncontent.tooltipText.forEg]]
[[i18ncontent.tooltipText.sourceOfWealthEg1]]
[[i18ncontent.tooltipText.sourceOfWealthEg2]]
{{i18ncontent.preCreditBureauInfo}}{{i18ncontent.creditBureauLinkText}} {{i18ncontent.postCreditBureauInfo}}
{{i18ncontent.termDeposit.preCreditBureauInfoTD}} {{i18ncontent.clickHere}} {{i18ncontent.dot}}
{{i18ncontent.orangeEveryDay.preTermsAndConditionsInfo1}}
{{i18ncontent.orangeEveryDay.preTermsAndConditionsInfo2}}
{{i18ncontent.termsAndConditionsLinkText}}
{{i18ncontent.orangeEveryDay.middleTermsAndConditionsInfo}}
{{i18ncontent.feesAndLimitsLinkText}}
{{i18ncontent.postTermsAndConditionsInfo}}
{{i18ncontent.savingsMaximiser.preTermsAndConditionsInfo1}} {{i18ncontent.savingsMaximiser.preTermsAndConditionsInfo2}}
{{i18ncontent.termsAndConditionsLinkText}}
{{i18ncontent.savingsMaximiser.middleTermsAndConditionsInfo}}
{{i18ncontent.savingsAccelerator.preTermsAndConditionsInfo1}} {{i18ncontent.savingsAccelerator.preTermsAndConditionsInfo2}}
{{i18ncontent.termsAndConditionsLinkText}}
{{i18ncontent.savingsAccelerator.middleTermsAndConditionsInfo}}
{{i18ncontent.termDeposit.preTermsAndConditionsInfo1}} {{i18ncontent.termDeposit.preTermsAndConditionsInfo2}}
{{i18ncontent.termsAndConditionsLinkText}}
{{i18ncontent.termDeposit.middleTermsAndConditionsInfo}}
{{i18ncontent.nextStepsButton}}
{{i18ncontent.changeAccessCodeHeaderText}}
{{i18ncontent.step}} {{stepIndicator}}
{{i18ncontent.ofThree}}
{{subHeading}}
{{i18ncontent.confirmationSubheading}}
{{i18ncontent.confirmationMessage1}}
{{i18ncontent.confirmationMessage2}}
{{i18ncontent.continue}}
{{errorMessage}}
{{i18ncontent.submit}}
{{i18ncontent.goBack}}
{{i18ncontent.disclaimer}}
[[details.StatusDescription]]
[[details.MobilePhoneDescription]]
[[label]]
[[i18ncontent.mobileNumberInfo]]
[[i18ncontent.common.submit]]
[[i18ncontent.common.cancel]]
[[i18ncontent.registrationDisabledHeading]]
[[i18ncontent.registrationDisabledDescription]]
[[i18ncontent.registrationDisabledHeading]]
[[i18ncontent.registrationDisabledDescription]]
[[i18ncontent.securityCodesInactive]]
[[i18ncontent.securityCodeReactivateDescription]]
{{i18ncontent.accountLimit.subHeading}}
{{i18ncontent.accountLimit.limitDisclaimer}}
{{money(remainingLimit)}}
{{i18ncontent.accountLimit.valueDisclaimer}}
{{i18ncontent.accountLimit.saveButtonText}}
{{i18ncontent.accountLimit.cancelButtonText}}
{{i18ncontent.subHeading}}
{{i18ncontent.withholdingTax.title}}
{{money(selectedAccount.WithholdingNonResidentTax)}}
{{money(selectedAccount.WithholdingResidentTax)}}
{{selectedAccount.TFNStatus}}
{{i18ncontent.tfnDetails.notProvided}}
{{i18ncontent.tfnDetails.tfnInstructions}}
{{i18ncontent.chkApplyMsg}}
{{i18ncontent.tfnToolTip}}
{{i18ncontent.saveButtonText}}
{{i18ncontent.cancelButtonText}}
{{i18ncontent.disclaimer}}
{{i18ncontent.tfn-disclaimer-1}} {{i18ncontent.tfn-disclaimer-2}}
{{i18ncontent.tfn-disclaimer-3}}
{{i18ncontent.tfn-disclaimer-4}}
{{i18ncontent.tfn-disclaimer-5}}
{{i18ncontent.tfn-disclaimer-6}}
{{i18ncontent.tfn-disclaimer-7}}
{{i18ncontent.subHeading}}
{{i18ncontent.instruction}}
{{_formatAccountDetails(account)}}
[[i18ncontent.electronic.statementsSent]]
{{_statementPreferences.EmailAddress}}
[[i18ncontent.electronic.statementsSent2change]]
[[i18ncontent.electronic.statementsSent2checkOrChange]]
[[i18ncontent.electronic.statementsSent3]]
[[i18ncontent.electronic.addEmailLine1]]
[[i18ncontent.electronic.addEmailLine2]]
[[i18ncontent.errorMessages.noEmailAddress]]
[[i18ncontent.paper.statementsSent]]
{{_statementPreferences.MailingAddress}}
[[i18ncontent.paper.statementsSent2change]]
[[i18ncontent.paper.statementsSent2checkOrChange]]
[[i18ncontent.paper.statementsSent3]]
[[i18ncontent.paper.addAddressLine1]]
[[i18ncontent.paper.addAddressLine2]]
[[i18ncontent.errorMessages.noPostalAddress]]
[[i18ncontent.saveButtonText]]
[[i18ncontent.cancelButtonText]]
{{notificationData.Message}}
{{actionLabel}}
{{notificationData.CreatedTime}}
{{notificationData.Message}}
{{actionLabel}}
{{notificationData.CreatedTime}}
{{i18ncontent.common.heading}}
[[i18ncontent.common.manageYourNotifications]]
{{i18ncontent.common.subHeading}}
[[i18ncontent.common.noNotifications]]
[[i18ncontent.common.loadMore]]
[[i18ncontent.manageNotifications.addNewNotification]]
{{i18ncontent.manageNotifications.viewNotifications}}
{{i18ncontent.manageNotifications.viewNotifications}}
{{i18ncontent.manageNotifications.balanceNotifications}}
{{i18ncontent.manageNotifications.withDrawalNotifications}}
{{i18ncontent.manageNotifications.depositNotifications}}
{{i18ncontent.manageNotifications.salaryDepositNotifications}}
{{i18ncontent.manageNotifications.failedPaymentNotifications}}
{{getMainHeading(i18ncontent)}}
{{i18ncontent.availableInstalment}}
{{i18ncontent.toolTipAmount}}
{{money(instalmentAmount)}}
{{getReviewButtonText(i18ncontent)}}
{{i18ncontent.cancelButtonText}}
{{getMainHeading(i18ncontent)}}
{{i18ncontent.checkAndConfirm}}
{{i18ncontent.edit}}
{{getPlanNameLbl(i18ncontent)}}
{{formatString(instalmentPlanNameVal)}}
{{formatString(instalmentPlanNameVal)}}
{{i18ncontent.amount}}
{{money(amount)}}
{{money(amount)}}
{{i18ncontent.repaymentAmount}}
{{money(_selectedObj.monthlyInstalmentAmount)}}{{i18ncontent.mnthText}}
{{money(_selectedObj.monthlyInstalmentAmount)}}{{i18ncontent.mnthText}}
{{i18ncontent.firstRepaymentDue}}
{{formatDate(_selectedObj.firstRepaymentDueDate)}}
{{i18ncontent.term}}
{{_selectedObj.instalmentTermLength}}
{{i18ncontent.interestRate}}
{{_selectedObj.interestRate}}{{i18ncontent.percentText}}
{{i18ncontent.totalInterestCharges}}
{{money(_selectedObj.totalInterestCharges)}}
{{money(_selectedObj.totalInterestCharges)}}
{{i18ncontent.totalAmountRepaid}}
{{money(_selectedObj.totalAmountToBeRepaid)}}
{{money(_selectedObj.totalAmountToBeRepaid)}}
{{i18ncontent.dateCreated}}
{{formatDate(_selectedObj.createDate)}}
{{getEditDatelbl(i18ncontent)}}
{{formatDate(todayDate)}}
{{i18ncontent.endDate}}
{{formatDate(_selectedObj.endDate)}}
[[i18ncontent.createInstalmentText]]
[[i18ncontent.createAutomaticallyText]]
{{i18ncontent.confirmButtonText}}
{{i18ncontent.cancelButtonText}}
{{i18ncontent.repayTitle}}
[[i18ncontent.repaySubTitle]]
{{i18ncontent.transferButtonText}}
{{i18ncontent.cancelButtonText}}
{{i18ncontent.repayTitle}}
[[i18ncontent.repayReviewSubTitle]]
{{i18ncontent.edit}}
{{i18ncontent.amountLabel}}
{{money(amount)}}
{{i18ncontent.fromAccountLabel}}
{{selectedFromAccount.AccountNameDisplay}}
{{i18ncontent.bsbLbl}} {{selectedFromAccount.CustomerAccount.BSB}}
{{i18ncontent.accountNumberLbl}} {{selectedFromAccount.CustomerAccount.AccountNumber}}
{{i18ncontent.toText}}
{{planName}}
{{i18ncontent.cardLbl}} {{formatCardNoWithMask(displayCardNumber)}}
{{i18ncontent.paymentDateTxt}}
{{formatDate(todayDate, "DD MMMM YYYY")}}{{i18ncontent.timeZoneLbl}}
{{i18ncontent.reviewDescriptionLabel}}
{{myDescription}}
[[i18ncontent.repayLiableText]]
{{i18ncontent.confirmButtonText}}
{{i18ncontent.cancelButtonText}}
{{i18ncontent.repayTitle}}
{{i18ncontent.repayRecordSubheading}}
{{i18ncontent.requestedOnTxt}}
{{formatDateTime(todayDate, "DD MMMM YYYY - HH:mm")}}{{i18ncontent.timeZoneLbl}}
{{i18ncontent.amountLabel}}
{{money(amount)}}
{{i18ncontent.newInstalmentPlanBalanceTxt}}
{{money(updatedInstalmentPlanBalance)}}
{{i18ncontent.fromAccountLabel}}
{{selectedFromAccount.AccountNameDisplay}}
{{i18ncontent.bsbLbl}} {{selectedFromAccount.CustomerAccount.BSB}}
{{i18ncontent.accountNumberLbl}} {{selectedFromAccount.CustomerAccount.AccountNumber}}
{{i18ncontent.toText}}
{{planName}}
{{i18ncontent.cardLbl}} {{formatCardNoWithMask(displayCardNumber)}}
{{i18ncontent.paymentDateTxt}}
{{formatDate(todayDate, "DD MMMM YYYY")}}{{i18ncontent.timeZoneLbl}}
{{i18ncontent.reviewDescriptionLabel}}
{{myDescription}}
{{i18ncontent.receiptNumber}}
{{receiptNumber}}
{{i18ncontent.recordDisclaimer}}
{{i18ncontent.printReceiptButtonText}}
{{i18ncontent.scheduledPayments.loadMore}}
{{i18ncontent.scheduledPayments.disclaimerText}}
Test Buttton
[[buttonText]]
{{i18ncontent.secondHeading}}
{{i18ncontent.subHeading}}
{{i18ncontent.checkbox1Label}}
{{i18ncontent.checkbox2Label}}
{{i18ncontent.checkbox6Label}}
{{i18ncontent.checkbox11Label}}
{{i18ncontent.checkbox12Label}}
{{i18ncontent.checkbox13Label}}
{{i18ncontent.checkbox19Label}}
{{i18ncontent.checkbox20Label}}
[[i18ncontent.alertMessage]]
{{i18ncontent.nextButtonText}}
{{i18ncontent.2ndPageText.heading1}}
{{i18ncontent.2ndPageText.heading5}}
{{i18ncontent.2ndPageText.description4}}
{{i18ncontent.2ndPageText.heading2}}
{{i18ncontent.2ndPageText.description2}}
{{i18ncontent.2ndPageText.heading3}}
{{i18ncontent.2ndPageText.description3}}
{{i18ncontent.2ndPageText.listItem1}}
{{i18ncontent.2ndPageText.listItem2}}
{{i18ncontent.2ndPageText.listItem3}}
{{i18ncontent.2ndPageText.heading4}}
{{i18ncontent.2ndPageText.emailText}}
{{i18ncontent.2ndPageText.mailToText}}
{{i18ncontent.generateFormButtonText}}
{{i18ncontent.cancelButtonText}}
[[i18ncontent.changeCreditCardAccount.subHeading]]
[[i18ncontent.changeCreditCardAccount.reasonScreen.creditLimit]] [[creditLimit]]
[[i18ncontent.changeCreditCardAccount.reasonScreen.subHeading]]
[[i18ncontent.changeCreditCardAccount.nextButtonText]]
[[i18ncontent.changeCreditCardAccount.eligibleProducts.cardSelectionHeading]]
[[i18ncontent.changeCreditCardAccount.eligibleProducts.cardSelectionSubHeading]]
[[i18ncontent.changeCreditCardAccount.eligibleProducts.instructionText]]
[[i18ncontent.accountClosure.nextButtonText]]
[[i18ncontent.accountClosure.cancelButtonText]]
[[i18ncontent.changeCreditCardAccount.highRiskOperation.subHeading]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.cardChangeConfirmation]]
[[switchConfirmDetails.targetProductName]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.subHeading]]
[[switchConfirmDetails.currentProductName]]
[[moneyNoDecimal(switchConfirmDetails.productsDetails.CurrentProductDetails.AnnualFee)]][[i18ncontent.changeCreditCardAccount.confirmationScreen.perAnnum]]
[[switchConfirmDetails.productsDetails.CurrentProductDetails.PurchaseRate]][[i18ncontent.changeCreditCardAccount.confirmationScreen.percPA]]
[[switchConfirmDetails.targetProductName]]
[[moneyNoDecimal(eligibleProductsDetails.AnnualFee)]][[i18ncontent.changeCreditCardAccount.confirmationScreen.perAnnum]]
[[eligibleProductsDetails.PurchaseRate]][[i18ncontent.changeCreditCardAccount.confirmationScreen.percPA]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.notesHeading]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.notesHeading]]
[[notes.note1.part1]][[switchConfirmDetails.targetProductName]] [[notes.note1.part2]]
[[notes.note2.part1]][[switchConfirmDetails.currentCreditLimit]][[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]][[notes.note2.part2]]
[[notes.note3.part1]][[currentDate]][[notes.note3.part2]]
[[notes.note4.part1]]
[[notes.note5.part1]][[eligibleProductsDetails.PurchaseRate]][[i18ncontent.changeCreditCardAccount.confirmationScreen.percPA]][[notes.note5.part2]][[eligibleProductsDetails.CashAdvanceRate]][[notes.note5.part3]]
[[eligibleProductsDetails.InstalmentRate]][[notes.note5.part4]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.termsAndCondLinkText]] [[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]]
[[notes.note6.part1]]
[[notes.note6Sub.point1]]
[[notes.note6Sub.point2]]
[[notes.note7.part1]]
[[notes.note8.part1]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.termsAndCondLinkText]] [[notes.note8.part2]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.commonDisclaimerText]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.orangeOneRewardsPlatinum.disclaimerText]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.rewardsCashbackTermsLinkText]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.confirmButton]]
[[i18ncontent.payAnyone.cancelButtonText]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.cardChangeConfirmation]]
[[switchConfirmDetails.targetProductName]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.subHeading]]
[[switchConfirmDetails.currentProductName]]
[[moneyNoDecimal(switchConfirmDetails.productsDetails.CurrentProductDetails.AnnualFee)]][[i18ncontent.changeCreditCardAccount.confirmationScreen.perAnnum]]
[[switchConfirmDetails.productsDetails.CurrentProductDetails.PurchaseRate]][[i18ncontent.changeCreditCardAccount.confirmationScreen.percPA]]
[[switchConfirmDetails.targetProductName]]
[[moneyNoDecimal(eligibleProductsDetails.AnnualFee)]][[i18ncontent.changeCreditCardAccount.confirmationScreen.perAnnum]]
[[eligibleProductsDetails.PurchaseRate]][[i18ncontent.changeCreditCardAccount.confirmationScreen.percPA]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.notesHeading]]
[[notes.note1.part1]][[switchConfirmDetails.currentProductName]][[notes.note1.part2]][[switchConfirmDetails.targetProductName]] [[notes.note1.part3]]
[[notes.note2.part1]][[switchConfirmDetails.currentCreditLimit]][[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]][[notes.note2.part2]]
[[notes.note3.part1]][[switchConfirmDetails.targetProductName]][[notes.note3.part2]]
[[notes.note4.part1]]
[[notes.note5.part1]][[eligibleProductsDetails.PurchaseRate]][[i18ncontent.changeCreditCardAccount.confirmationScreen.percPA]]
[[notes.note5.part2]][[eligibleProductsDetails.CashAdvanceRate]][[notes.note5.part3]]
[[eligibleProductsDetails.InstalmentRate]][[notes.note5.part4]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.termsAndCondLinkText]] [[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]]
[[notes.note6.part1]]
[[notes.note6Sub.point1]]
[[notes.note6Sub.point2]]
[[notes.note6Sub.point3]]
[[notes.note7.part1]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.notesHeading]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.notesHeading]]
[[notes.note1.part1]][[switchConfirmDetails.currentProductName]][[notes.note1.part2]][[switchConfirmDetails.targetProductName]] [[notes.note1.part3]]
[[notes.note2.part1]][[switchConfirmDetails.currentCreditLimit]][[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]][[notes.note2.part2]]
[[notes.note3.part1]][[moneyNoDecimal(eligibleProductsDetails.AnnualFee)]][[notes.note3.part2]]
[[notes.note3Sub.point1]]
[[notes.note3Sub.point2]]
[[notes.note4.part1]][[eligibleProductsDetails.PurchaseRate]][[i18ncontent.changeCreditCardAccount.confirmationScreen.percPA]]
[[notes.note4.part2]][[eligibleProductsDetails.CashAdvanceRate]][[notes.note4.part3]]
[[eligibleProductsDetails.InstalmentRate]][[notes.note4.part4]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.termsAndCondLinkText]] [[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]]
[[notes.note5.part1]]
[[notes.note5Sub.point1]]
[[notes.note5Sub.point2.part1]][[switchConfirmDetails.currentProductName]][[notes.note5Sub.point2.part2]]
[[notes.note5Sub.point3.part1]][[switchConfirmDetails.currentProductName]][[notes.note5Sub.point3.part2]][[switchConfirmDetails.currentProductName]][[notes.note5Sub.point3.part3]]
[[notes.note6.part1]]
[[notes.note7.part1]]
[[notes.note8.part1]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.qantasTermsLinkText]] [[notes.note8.part2]]
[[notes.note9.part1]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.notesHeading]]
[[notes.note1.part1]][[switchConfirmDetails.currentProductName]][[notes.note1.part2]][[switchConfirmDetails.targetProductName]] [[notes.note1.part3]]
[[notes.note2.part1]][[switchConfirmDetails.currentCreditLimit]][[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]][[notes.note2.part2]]
[[notes.note3.part1]][[switchConfirmDetails.targetProductName]][[notes.note3.part2]]
[[notes.note4.part1]]
[[notes.note5.part1]][[eligibleProductsDetails.PurchaseRate]][[i18ncontent.changeCreditCardAccount.confirmationScreen.percPA]]
[[notes.note5.part2]][[eligibleProductsDetails.CashAdvanceRate]][[notes.note5.part3]]
[[eligibleProductsDetails.InstalmentRate]][[notes.note5.part4]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.termsAndCondLinkText]] [[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]]
[[notes.note6.part1]]
[[notes.note6Sub.point1]]
[[notes.note6Sub.point2]]
[[notes.note6Sub.point3]]
[[notes.note7.part1]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.notesHeading]]
[[notes.note1.part1]][[switchConfirmDetails.targetProductName]] [[notes.note1.part2]]
[[notes.note2.part1]][[switchConfirmDetails.currentCreditLimit]][[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]][[notes.note2.part2]]
[[notes.note3.part1]][[currentDate]][[notes.note3.part2]]
[[notes.note4.part1]]
[[notes.note5.part1]][[eligibleProductsDetails.PurchaseRate]][[i18ncontent.changeCreditCardAccount.confirmationScreen.percPA]]
[[notes.note5.part2]][[eligibleProductsDetails.CashAdvanceRate]][[notes.note5.part3]]
[[eligibleProductsDetails.InstalmentRate]][[notes.note5.part4]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.termsAndCondLinkText]] [[i18ncontent.changeCreditCardAccount.confirmationScreen.fullStop]]
[[notes.note6.part1]]
[[notes.note6Sub.point1]]
[[notes.note6Sub.point2]]
[[notes.note7.part1]]
[[notes.note8.part1]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.termsAndCondLinkText]] [[notes.note8.part2]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.commonDisclaimerText]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.updatedNotes.orangeOneRewardsPlatinum.disclaimerText]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.rewardsCashbackTermsLinkText]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.updatedNotes.orangeOneQantasRewards.disclaimerText.part1]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.qantasTermsLinkText]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.updatedNotes.orangeOneQantasRewards.disclaimerText.part2]]
[[i18ncontent.changeCreditCardAccount.confirmationScreen.confirmButton]]
[[i18ncontent.payAnyone.cancelButtonText]]
[[permissionsConsentClients]]
[[i18ncontent.joinAccountSummary.permissionRevokeWarningLine3]]
[[computeNickname(account)]]
[[i18ncontent.joinAccountSummary.closedAccountStatus]]
[[computeProductName(account)]]
[[i18ncontent.accountSummary.acc]]
:
[[account.accountNumber]]
[[i18ncontent.accountSummary.bsbNumber]]
[[bsb(account.accountBsb)]]
[[i18ncontent.accountSummary.accountNumber]]
[[account.accountNumber]]
[[i18ncontent.joinAccountSummary.permissionsContainerTitle]]
[[i18ncontent.joinAccountSummary.permissionsContainerSubtitle]]
[[i18ncontent.joinAccountSummary.confirmButtonText]]
[[i18ncontent.joinAccountSummary.cancelButtonText]]
[[i18ncontent.accountSummary.bsb]]
[[i18ncontent.accountSummary.acc]]
[[i18ncontent.dataSharing.backbuttonText]]
[[i18ncontent.dataSharing.subheading]]
[[i18ncontent.dataSharing.titletext]]
[[i18ncontent.permissionsTitle]]
[[i18ncontent.noAccountsSubTitle]]
[[i18ncontent.noAccountsText1]]
[[i18ncontent.noAccountsText2]]
[[i18ncontent.noAccountsText3]]
[[i18ncontent.noAccountsText4]]
[[i18ncontent.titleText]]
[[i18ncontent.permissions]]
{{i18ncontent.accountClosure.reasonsScreen.subHeading}}
{{i18ncontent.accountClosure.nextButtonText}}
{{i18ncontent.accountClosure.cancelButtonText}}
[[i18ncontent.accountClosure.reviewScreen.subHeading]]
[[i18ncontent.accountClosure.reviewScreen.descriptionText1]]
[[orangeOneAccount.ToAccount.AccountType]]
[[i18ncontent.accountClosure.reviewScreen.descriptionText2]]
[[money(orangeOneAccount.OutstandingBalance)]]
[[money(orangeOneAccount.CurrentBalance)]]
[[money(orangeOneAccount.AccruedInterest)]]
[[orangeOneAccount.FromAccount.AccountType]]
[[computeBsbLine(i18ncontent.common.bsbLabel, orangeOneAccount.FromAccount.BSB)]]
[[computeAccountNoLine(i18ncontent.common.accLabel, orangeOneAccount.FromAccount.AccountNumber)]]
[[orangeOneAccount.ToAccount.AccountType]]
[[orangeOneAccount.ToAccount.CardNumber]]
[[selectedClosingReason]]
[[i18ncontent.accountClosure.reviewScreen.ooClosureNoteWrapper.heading]]
[[i18ncontent.accountClosure.reviewScreen.ooClosureNoteWrapper.noteSubHeadding1]][[orangeOneAccount.ToAccount.AccountType]]
[[i18ncontent.accountClosure.reviewScreen.ooClosureNoteWrapper.noteSubHeadding2]][[orangeOneAccount.ToAccount.AccountType]]
[[i18ncontent.accountClosure.reviewScreen.ooClosureNoteWrapper.noteSubHeadding3]]
[[i18ncontent.accountClosure.reviewScreen.ooClosureNoteWrapper.note1]]
[[i18ncontent.accountClosure.reviewScreen.ooClosureNoteWrapper.note2]]
[[i18ncontent.accountClosure.reviewScreen.ooClosureNoteWrapper.note3]]
[[i18ncontent.accountClosure.reviewScreen.ooClosureNoteWrapper.note4]]
[[i18ncontent.accountClosure.reviewScreen.ooClosureNoteWrapper.note5]]
[[i18ncontent.accountClosure.reviewScreen.subHeading]]
[[reviewScreenHeadingText]]
[[money(closingBalanceResponse.ClosingBalance)]]
[[selectedCloseAccount.AccountNameDisplay]]
[[computeBsbLine(i18ncontent.common.bsbLabel, selectedCloseAccount.CustomerAccount.BSB)]]
[[computeAccountNoLine(i18ncontent.common.accLabel, selectedCloseAccount.CustomerAccount.AccountNumber)]]
[[toAccountName]]
[[toBSBLine]]
[[toAccountNoLine]]
{{selectedClosingReason}}
{{i18ncontent.accountClosure.reviewScreen.lbaHeading}}
{{i18ncontent.accountClosure.reviewScreen.lbaCheckboxLabel}}
{{i18ncontent.accountClosure.reviewScreen.lbaExtraText1}}
{{i18ncontent.accountClosure.reviewScreen.lbaExtraTextLink}}
{{i18ncontent.accountClosure.reviewScreen.lbaExtraText3}}
[[i18ncontent.accountClosure.reviewScreen.noteWrapperHeading]]
[[nonOOClosureNote1]]
[[nonOOClosureNote2]]
[[nonOOClosureNote3]]
[[nonOOClosureNote4]]
[[nonOOClosureNote5]] [[nonOOClosureNote6]]
{{i18ncontent.accountClosure.reviewScreen.closeButtonLabel}}
{{i18ncontent.accountClosure.cancelButtonText}}
[[i18ncontent.accountClosure.personalLoanEarlyClosure.yourRecordLabel]]
[[requestedOnDate]]
[[totalOutstandingBalanceFormatted]]
[[payeeAccount.AccountNameDisplay]]
[[computeBsb(i18ncontent.accountClosure.personalLoanEarlyClosure.bsbLabel, payeeAccount.CustomerAccount.BSB)]]
[[computeAccountNumber(i18ncontent.accountClosure.personalLoanEarlyClosure.accountNumberLabel, payeeAccount.CustomerAccount.AccountNumber)]]
[[selectedCloseAccount.AccountNameDisplay]]
[[computeBsb(i18ncontent.accountClosure.personalLoanEarlyClosure.bsbLabel, selectedCloseAccount.CustomerAccount.BSB)]]
[[computeAccountNumber(i18ncontent.accountClosure.personalLoanEarlyClosure.accountNumberLabel, selectedCloseAccount.CustomerAccount.AccountNumber)]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.success.footnoteHeading]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.success.footnoteMessage]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.doneButtonText]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.printText]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.success.heading]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.success.intro]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.closingBalanceNote]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.totalOutstandingBalanceLabel]]
[[totalOutstandingBalanceFormatted]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.transferAmountNote]] [[paymentDueDate]]
[[selectedCloseAccount.AccountNameDisplay]]
[[computeBsb(i18ncontent.accountClosure.personalLoanEarlyClosure.bsbLabel, selectedCloseAccount.CustomerAccount.BSB)]]
[[computeAccountNumber(i18ncontent.accountClosure.personalLoanEarlyClosure.accountNumberLabel, selectedCloseAccount.CustomerAccount.AccountNumber)]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.closureConfirmationNote]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.myAccountButtonText]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.confirmSubHeading]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.internalConfirmSubMessagePart1]]
[[payeeAccount.AccountNameDisplay]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.internalConfirmSubMessagePart2]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.externalConfirmSubMessagePart1]]
[[paymentDueDate]].
[[i18ncontent.accountClosure.personalLoanEarlyClosure.externalConfirmSubMessagePart2]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.totalOutstanding]]
[[totalOutstandingBalanceFormatted]]
[[payeeAccount.AccountNameDisplay]]
[[_computeBsb(i18ncontent.accountClosure.personalLoanEarlyClosure.bsbLabel, payeeAccount.CustomerAccount.BSB)]]
[[_computeAccountNumber(i18ncontent.accountClosure.personalLoanEarlyClosure.accountNumberLabel, payeeAccount.CustomerAccount.AccountNumber)]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.external.account]]
[[selectedCloseAccount.AccountNameDisplay]]
[[_computeBsb(i18ncontent.accountClosure.personalLoanEarlyClosure.bsbLabel, selectedCloseAccount.CustomerAccount.BSB)]]
[[_computeAccountNumber(i18ncontent.accountClosure.personalLoanEarlyClosure.accountNumberLabel, selectedCloseAccount.CustomerAccount.AccountNumber)]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.confirmation.messages.intro]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.closeAccountButtonText]]
[[i18ncontent.accountClosure.cancelButtonText]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.confirmSubHeading]]
[[currentBalanceFormatted]]
[[accruedInterestFormatted]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.totalOutstanding]]
[[totalOutstandingBalanceFormatted]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.balanceWaiveLabel]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.balanceWaivePrefixBanner]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.balanceWaiveBanner]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.confirmation.messages.intro]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.success.footnoteHeading]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.success.footnoteMessageLessThanThreshold]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.closeAccountButtonText]]
[[i18ncontent.accountClosure.cancelButtonText]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.subHeading]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.balance]]
[[currentBalanceFormatted]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.accruedInterest]]
[[accruedInterestFormatted]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.totalOutstanding]]
[[totalOutstandingBalanceFormatted]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.transferOptionHeading]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.internal.internalMessage.notePrefix]]:
[[i18ncontent.accountClosure.personalLoanEarlyClosure.internal.internalMessage.noValidAccount]]
[[i18ncontent.accountClosure.personalLoanEarlyClosure.footerSms]]
[[i18ncontent.accountClosure.nextButtonText]]
[[i18ncontent.accountClosure.cancelButtonText]]
{{errorDialogNextLineContent}}
{{errorDialogNextLineContent}}
{{errorDialogActionInfoContent}}
{{i18ncontent.accountClosure.subHeading}}
{{i18ncontent.accountClosure.nextButtonText}}
{{i18ncontent.rewards.rewardsHeading}}
[[i18ncontent.rewards.inControlHeading]]
[[i18ncontent.rewards.addRemoveRewards]]
[[checkBoxLabel]]
{{i18ncontent.rewards.cashBackCheckboxAdditionalText}}
[[checkBoxLabel]]
{{i18ncontent.rewards.cashBackCheckboxAdditionalText}}
{{i18ncontent.rewards.addSelectedButtonText}}
{{i18ncontent.instructions.part1}}
{{i18ncontent.instructions.part2}} {{i18ncontent.instructions.part3}} {{i18ncontent.instructions.part4}}
{{i18ncontent.instructions.part5}}
{{i18ncontent.instructions.urlText}}
[[i18ncontent.common.subheading]]
[[i18ncontent.common.description]]
[[i18ncontent.common.descriptionExample]]
[[i18ncontent.common.descriptionLoanAccts]]
[[i18ncontent.common.descriptionCharities]]
[[money(toAccount.CustomerAccount.AvailableBalance)]]
[[i18ncontent.common.charitySubHeading]]
[[i18ncontent.common.charityWorkContext1]]
[[i18ncontent.common.charityWorkContext2]]
[[i18ncontent.common.charityWorkContext3]]
[[i18ncontent.common.charityWorkContext4]]
[[i18ncontent.common.aboutIngGoodFinds]]
[[i18ncontent.common.ingGoodFindsDescription]]
[[i18ncontent.common.moreInfoCharityLabel]]
[[selectedCharity.DisplayName]]
[[i18ncontent.common.charityDollarImpactHeading]]
[[getAmount(milestone.Amount)]] [[milestone.Reward]]
[[i18ncontent.common.lessInfoCharityLabel]]
[[i18ncontent.common.termsAndConditionsHeading]]
[[i18ncontent.common.tncSubText]]:
[[i18ncontent.common.tnc2]]
[[i18ncontent.common.tnc3]]
[[i18ncontent.common.tnc4]]
[[i18ncontent.common.tnc5preText]][[i18ncontent.common.tnc5IntelligentFound]] [[i18ncontent.common.tnc5postText]]
[[i18ncontent.common.tnc6]]
[[i18ncontent.common.tnc7]]
[[i18ncontent.common.tnc8]]
[[i18ncontent.common.newSMtext]]
[[i18ncontent.common.nextButtonText]]
[[getSaveButtonLabel(selectedOption)]]
[[i18ncontent.common.turnOff]]
[[i18nContent.confirmationDescriptionLabel]]
[[confirmationDescriptionText]]
[[i18nContent.thingsToNoteLabel]]
[[listItem1]]
[[listItem2]]
[[i18nContent.authorise.listItem3]]
[[i18nContent.authorise.listItem4]]
[[i18nContent.decline.listItem3]]
[[i18nContent.viewPaymentAgreementBtnText]]
[[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.paymentDetail.cancelSuccessBodyText.listItem1]]
[[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.paymentDetail.cancelSuccessBodyText.listItem2]]
[[i18nContent.paymentDetail.cancelSuccessBodyText.listItem3]] [[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.paymentDetail.cancelSuccessBodyText.listItem4]]
[[i18nContent.paymentDetail.cancelSuccessBodyText.listItem5]]
[[i18nContent.paymentDetail.cancelSuccessBodyText.listItem6]]
[[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.pauseDetail.pauseSuccessBodyText.listItem1]]
[[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.pauseDetail.pauseSuccessBodyText.listItem2]]
[[i18nContent.pauseDetail.pauseSuccessBodyText.listItem3]]
[[i18nContent.pauseDetail.pauseSuccessBodyText.listItem4]]
[[i18nContent.common.backButtonText]]
[[i18nContent.common.subHeading]] [[paymentAgreementInfo.initiatorPartyNameDisplay]]
[[i18nContent.common.selectTypeText]]
[[computePayIdTypeDisplayName(item.PayIdType)]]
[[item.PayIdDisplay]]
[[computePayIdTypeDisplayName(paymentAgreementInfo.debtorAccountAliasTypeCode)]]
[[paymentAgreementInfo.debtorAccountAliasIdentificationMasked]]
[[i18nContent.alertMessages.pleaseNoteText]]
[[i18nContent.alertMessages.jointToSingleChangeAlertMessage]]
[[i18nContent.common.confirmButtonText]]
[[i18nContent.successScreenText.listItem1]] [[paymentAgreementInfo.description]].
[[i18nContent.successScreenText.listItem2]] [[linkedAccountName]] [[i18nContent.successScreenText.listItem3]].
[[i18nContent.successScreenText.listItem6]] [[i18nContent.common.payIdText]] [[linkedPayIdName]].
[[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.successScreenText.listItem4]].
[[i18nContent.successScreenText.listItem5]].
[[i18nContent.paymentDetail.resume.dialogContent]] [[selectedAgreementData.merchantName]][[i18nContent.paymentDetail.resume.questionMark]]
[[i18nContent.paymentDetail.authorisationLabel]]
[[i18nContent.paymentDetail.authorisationDesc]]
[[i18nContent.paymentDetail.actionRequiredText]]
[[i18nContent.paymentDetail.bilateralActionDesc]]
[[i18nContent.paymentDetail.paymentAgreementLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.statusLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.statusDisplay]]
[[paymentAgreementDetails.paymentAgreementCxExtension.initiatorPartyNameLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.initiatorPartyNameDisplay]]
[[paymentAgreementDetails.paymentAgreementCxExtension.shortDescriptionLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.shortDescriptionDisplay]]
[[paymentAgreementDetails.paymentAgreementCxExtension.amountLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.amountDisplay]]
[[paymentAgreementDetails.amendData.amendInfo.amountDisplayNew]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.amountDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.paymentFrequencyLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.paymentFrequencyDisplay]]
[[paymentAgreementDetails.amendData.amendInfo.paymentFrequencyDisplayNew]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.paymentFrequencyDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.debtorAccountIdentificationLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.debtorAccountProductNameDisplay]]
[[i18nContent.paymentDetail.linkedAccountBsbLabel]]: [[_getBsbFromAccountIdentification(paymentAgreementDetails.paymentAgreementCxExtension.debtorAccountIdentificationDisplay)]]
[[i18nContent.paymentDetail.linkedAccountAccLabel]]: [[_getAccNoFromAccountIdentification(paymentAgreementDetails.paymentAgreementCxExtension.debtorAccountIdentificationDisplay)]]
[[_computePayIdTypeDisplayName(paymentAgreementDetails.debtorAccountAliasTypeCode)]]
[[paymentAgreementDetails.debtorAccountAliasIdentificationMasked]]
[[paymentAgreementDetails.paymentAgreementCxExtension.validityStartDateLabel]]
[[_formatDateString(paymentAgreementDetails.paymentAgreementCxExtension.validityStartDateDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.validityEndDateLabel]]
[[_formatDateString(paymentAgreementDetails.paymentAgreementCxExtension.validityEndDateDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.firstPaymentDateLabel]]
[[_formatDateString(paymentAgreementDetails.paymentAgreementCxExtension.firstPaymentDateDisplay)]]
[[_formatDateString(paymentAgreementDetails.amendData.amendInfo.firstPaymentDateDisplayNew)]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.firstPaymentDateDisplay, 'date')]]
[[i18nContent.paymentDetail.fullDetailViewLabel]]
[[i18nContent.paymentDetail.consentText1]]
[[i18nContent.paymentDetail.tcLinkText]]
[[i18nContent.paymentDetail.authoriseButtonText]]
[[i18nContent.paymentDetail.declineButtonText]]
[[i18nContent.paymentDetail.authoriseAmendmentsImplication]]
[[i18nContent.paymentDetail.declineAmendmentsImplication]]
[[i18nContent.paymentDetail.authoriseChangesButtonText]]
[[i18nContent.paymentDetail.declineChangesButtonText]]
[[i18nContent.paymentDetail.paymentAgreementDetailsLabel]]
[[i18nContent.paymentDetail.paymentAgreementLabelAmendmentFlow]]
[[i18nContent.paymentDetail.paymentAgreementSubHeadingAmendmentFlow]]
[[paymentAgreementDetails.paymentAgreementCxExtension.statusLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.statusDisplay]]
[[i18nContent.paymentDetail.paymentDetailsLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.initiatorPartyNameLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.initiatorPartyNameDisplay]]
[[paymentAgreementDetails.paymentAgreementCxExtension.shortDescriptionLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.shortDescriptionDisplay]]
[[paymentAgreementDetails.paymentAgreementCxExtension.descriptionLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.descriptionDisplay]]
[[paymentAgreementDetails.paymentAgreementCxExtension.amountLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.amountDisplay]]
[[paymentAgreementDetails.amendData.amendInfo.amountDisplayNew]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.amountDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.purposeCodeLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.purposeCodeDisplay]]
[[paymentAgreementDetails.paymentAgreementCxExtension.validityStartDateLabel]]
[[_formatDateString(paymentAgreementDetails.paymentAgreementCxExtension.validityStartDateDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.validityEndDateLabel]]
[[_formatDateString(paymentAgreementDetails.paymentAgreementCxExtension.validityEndDateDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.automaticExtensionIndicatorLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.automaticExtensionIndicatorDisplay]]
[[paymentAgreementDetails.amendData.amendInfo.automaticExtensionIndicatorDisplayNew]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.automaticExtensionIndicatorDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.transferArrangementLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.transferArrangementDisplay]]
[[paymentAgreementDetails.amendData.amendInfo.transferArrangementDisplayNew]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.transferArrangementDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.paymentAmountTypeLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.paymentAmountTypeDisplay]]
[[paymentAgreementDetails.amendData.amendInfo.paymentAmountTypeDisplayNew]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.paymentAmountTypeDisplay)]]
[[i18nContent.paymentDetail.paymentTermsLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.firstPaymentDateLabel]]
[[_formatDateString(paymentAgreementDetails.paymentAgreementCxExtension.firstPaymentDateDisplay)]]
[[_formatDateString(paymentAgreementDetails.amendData.amendInfo.firstPaymentDateDisplayNew)]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.firstPaymentDateDisplay, 'date')]]
[[paymentAgreementDetails.paymentAgreementCxExtension.firstPaymentAmountLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.firstPaymentAmountDisplay]]
[[paymentAgreementDetails.amendData.amendInfo.firstPaymentAmountDisplayNew]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.firstPaymentAmountDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.lastPaymentDateLabel]]
[[_formatDateString(paymentAgreementDetails.paymentAgreementCxExtension.lastPaymentDateDisplay)]]
[[_formatDateString(paymentAgreementDetails.amendData.amendInfo.lastPaymentDateDisplayNew)]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.lastPaymentDateDisplay, 'date')]]
[[paymentAgreementDetails.paymentAgreementCxExtension.lastPaymentAmountLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.lastPaymentAmountDisplay]]
[[paymentAgreementDetails.amendData.amendInfo.lastPaymentAmountDisplayNew]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.lastPaymentAmountDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.paymentFrequencyLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.paymentFrequencyDisplay]]
[[paymentAgreementDetails.paymentAgreementCxExtension.paymentExecuteNotBeforeTimeDisplay]]
[[_getTextForFrequencyField()]]
[[_getTextForExecutionTimeField()]]
[[i18nContent.paymentDetail.currentText]]: [[_formDisplayText(paymentAgreementDetails.paymentAgreementCxExtension.paymentFrequencyDisplay)]]
[[paymentAgreementDetails.paymentAgreementCxExtension.paymentExecuteNotBeforeTimeDisplay]]
[[i18nContent.paymentDetail.payerDetailsLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.debtorPartyNameLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.debtorPartyNameDisplay]]
[[paymentAgreementDetails.paymentAgreementCxExtension.debtorAccountIdentificationLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.debtorAccountProductNameDisplay]]
[[i18nContent.paymentDetail.linkedAccountBsbLabel]]: [[_getBsbFromAccountIdentification(paymentAgreementDetails.paymentAgreementCxExtension.debtorAccountIdentificationDisplay)]]
[[i18nContent.paymentDetail.linkedAccountAccLabel]]: [[_getAccNoFromAccountIdentification(paymentAgreementDetails.paymentAgreementCxExtension.debtorAccountIdentificationDisplay)]]
[[_computePayIdTypeDisplayName(paymentAgreementDetails.debtorAccountAliasTypeCode)]]
[[paymentAgreementDetails.debtorAccountAliasIdentificationMasked]]
[[paymentAgreementDetails.paymentAgreementCxExtension.debtorPartyReferenceLabel]]
[[paymentAgreementDetails.paymentAgreementCxExtension.debtorPartyReferenceDisplay]]
[[i18nContent.paymentDetail.printButtonText]]
[[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.paymentDetail.resumeSuccessBodyText.listItem1]]
[[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.paymentDetail.resumeSuccessBodyText.listItem2]]
[[i18nContent.paymentDetail.resumeSuccessBodyText.listItem3]]
[[i18nContent.paymentDetail.authoriseChangesSuccessBodyText.listItem1]] [[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.paymentDetail.authoriseChangesSuccessBodyText.listItem2]]
[[i18nContent.paymentDetail.authoriseChangesSuccessBodyText.listItem3]]
[[i18nContent.paymentDetail.authoriseChangesSuccessBodyText.listItem4]] [[paymentAgreementInfo.description]].
[[i18nContent.paymentDetail.authoriseChangesSuccessBodyText.listItem5]]
[[i18nContent.paymentDetail.authoriseChangesSuccessBodyText.listItem6]]
[[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.paymentDetail.declineChangesSuccessBodyText.listItem1]]
[[i18nContent.paymentDetail.declineChangesSuccessBodyText.listItem2]] [[paymentAgreementInfo.initiatorPartyNameDisplay]] [[i18nContent.paymentDetail.declineChangesSuccessBodyText.listItem3]]
[[i18nContent.paymentDetail.declineChangesSuccessBodyText.listItem4]]
[[i18nContent.paymentDetail.declineChangesSuccessBodyText.listItem6]]
[[i18nContent.paymentDetail.declineChangesSuccessBodyText.listItem7]]
{{i18ncontent.moreOptionsSRHelpText}} {{optionsToggleText}}
[[agreement.merchantName]]
[[agreement.description]]
[[agreement.status]]
[[agreement.status]]
[[i18ncontent.common.noAgreementsLine1]]
[[i18ncontent.common.noAgreementsLine2]]
[[i18ncontent.common.noActiveAgreementsLine1]]
[[i18ncontent.common.noArchivedAgreementsLine1]]
[[i18ncontent.creditLimitDecrease.reviewAddress.subHeading]]
[[i18ncontent.creditLimitDecrease.reviewAddress.mailingAddressLabel]]
:
[[i18ncontent.creditLimitDecrease.saveButtonText]]
[[i18ncontent.button.cancel]]
[[i18ncontent.creditLimitDecrease.reviewAddress.mailingAddressLabel]]
:
[[i18ncontent.button.confirm]]
[[i18ncontent.button.cancel]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.subHeadingTextClassic]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.subHeadingTextPlatinum]]
[[newCreditLimitData.ProductName]]
[[formatCardNoWithMask(newCreditLimitData.CardNumber)]]
[[moneyNoDecimal(newCreditLimitData.CurrentCreditLimit)]]
[[moneyNoDecimal(newCreditLimitData.NewCreditLimit)]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.confirmationWarningforClassic]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.notesHeadingText]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.note1]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.note2]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.note3]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.note4]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.note5]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.note6]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.note7]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.note8]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.note9]]
[[label]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.checkboxConfirmMessage]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.confirmButtonText]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.cancelButtonText]]
[[i18ncontent.creditLimitDecrease.confirmationScreen.registerSecurityCodeText]]
[[subHeading1Text]]
[[subHeading2Text]]
[[i18ncontent.creditLimitDecrease.cardLabel]]
[[accountDetails.ProductName]]
[[formatCardNoWithMask(accountDetails.CardNumber)]]
[[i18ncontent.creditLimitDecrease.currentCreditLimitLabel]]
[[moneyNoDecimal(accountDetails.CurrentCreditLimit)]]
[[i18ncontent.creditLimitDecrease.minimumCreditLimitLabel]]
[[moneyNoDecimal(accountDetails.MinimumCreditLimit)]]
[[i18ncontent.creditLimitDecrease.creditLimitInputInfo]]
[[i18ncontent.creditLimitDecrease.nextButtonText]]
[[i18ncontent.creditLimitDecrease.productSwitchInfoConfirm]]
[[i18ncontent.creditLimitDecrease.inEligibleErrorText]]
[[i18ncontent.residency.residencySelect]]
[[i18ncontent.residency.errorCodeConfirm.incompleteDetailsMessage]]
[[i18ncontent.common.checkAddress]]
[[i18ncontent.residency.viewDetails.overseasAddressLabel]]
[[i18ncontent.residency.viewDetails.overseasAddressNote]]
[[i18ncontent.incomeAssets.sourceOfFundsDesc1]]
[[i18ncontent.incomeAssets.sourceOfFundsDesc2]]
[[i18ncontent.incomeAssets.sourceOfFundsDesc3]]
[[i18ncontent.incomeAssets.tooltipText.sourceOfIncomeDesc]]
[[i18ncontent.incomeAssets.tooltipText.forEg]]
[[i18ncontent.incomeAssets.tooltipText.sourceOfIncomeEg1]]
[[i18ncontent.incomeAssets.tooltipText.sourceOfWealthDesc]]
[[i18ncontent.incomeAssets.tooltipText.forEg]]
[[i18ncontent.incomeAssets.tooltipText.sourceOfWealthEg1]]
[[i18ncontent.incomeAssets.tooltipText.sourceOfWealthEg2]]
[[i18ncontent.common.confirm]]
[[i18ncontent.common.update]]
[[i18ncontent.common.cancel]]
[[i18ncontent.alternateName.deleteBtn]]
[[i18ncontent.alternateName.yourDetailsLabel]]
[[clientData.firstName]]
[[clientData.middleName]]
[[clientData.surName]]
[[i18ncontent.alternateName.alternateNamePropertiesLabel]]
[[i18ncontent.alternateName.alternateNamePropertiesLabel]]
[[i18ncontent.alternateName.addAnotherNameBtn]]
[[i18ncontent.alternateName.alternateNameValidation]]
[[i18ncontent.common.confirm]]
[[i18ncontent.common.update]]
[[i18ncontent.common.cancel]]
[[i18ncontent.alternateName.yourDetailsLabel]]
[[clientData.firstName]]
[[clientData.middleName]]
[[clientData.surName]]
[[isAltNames]]
[[altName.name]]
[[i18ncontent.sections.deleteBtn]]
[[i18ncontent.nationality.nationalitySelect]]
[[i18ncontent.nationality.nationalityHelp]]
[[i18ncontent.nationality.alternateNationalityPropertiesLabel]]
[[i18ncontent.nationality.alternateNationalityPropertiesLabel]]
[[i18ncontent.nationality.addAnotherNationBtn]]
[[i18ncontent.nationality.countryOfBirthLabel]]
[[countryOfBirthField.SavedValue]]
[[countryOfBirthHelp]]
[[i18ncontent.nationality.alternateNationalityValidation]]
[[i18ncontent.common.confirm]]
[[i18ncontent.common.update]]
[[i18ncontent.common.cancel]]
[[i18ncontent.nationality.nationalitySelect]]
[[capitalizeeachword(placeOfBirth)]]
[[isAltNationalities]]
[[capitalizeeachword(altNationality.name)]]
[[i18n.residency.residencySelect]]
[[i18n.residency.viewDetails.residentialLabel]]:
[[i18n.residency.viewDetails.mailingLabel]]:
[[i18n.common.confirm]]
[[i18n.common.cancelButtonText]]
[[i18n.residency.viewDetails.overseasAddressLabel]] [[i18n.residency.viewDetails.overseasAddressNote]]
[[i18ncontent.taxResidencyHeaderText]]
{{_computeIndividualName(data)}}
{{_computeStatusText(data.Individual.SelfCertStatus, i18ncontent)}}
{{data.Individual.LastSubmittedDate}}
[[i18ncontent.taxResidencyHeaderText]]
{{_computeIndividualName(data)}}
[[i18ncontent.headers.selfCertStatus]] : {{_computeStatusText(data.Individual.SelfCertStatus, i18ncontent)}}
[[i18ncontent.headers.lastSubmitted]] : {{data.Individual.LastSubmittedDate}}
[[i18ncontent.noLink]]
[[i18n.identity.idCheckLabel]]
[[i18n.identity.discloserMsg]]
[[i18n.identity.crb]]
[[i18n.identity.assessInformation]]
[[i18n.identity.id]]
[[i18n.identity.acknowledge]]
[[i18n.identity.idCheckInformation]]
[[i18n.common.continue]]
[[i18n.identity.selfEvDetails.header]]
[[i18n.identity.selfEvDetails.txtNoneOfTheAbove]]
[[i18n.identity.selfEvDetails.checkIdBtnCaption]]
[[i18nContent.identity.docUpload.description]]
[[i18nContent.identity.docUpload.addressRestrictionTitle]]
[[term.actionText]]
[[term.content]]
[[term.caveats]]
[[i18nContent.identity.docUpload.checkboxText]]
[[i18nContent.identity.docUpload.residentialText]] [[i18nContent.identity.docUpload.poBox]]
[[i18nContent.identity.docUpload.uploadBtn]]
[[i18nContent.identity.docUploadReview.description]]
[[i18nContent.identity.ausPost.welcome.description]]
[[i18nContent.identity.ausPost.welcome.downloadFormButton]]
[[i18ncontent.incomeAssets.sourceOfFundsDesc1]]
[[i18ncontent.incomeAssets.sourceOfFundsDesc2]]
[[i18ncontent.Button.OK]]
/*! normalize.css v3.0.2 | MIT License | git.io/normalize */