我正在使用ajax获取每天的销售清单,以下是返回给我的ajax示例(我对前端和后端拥有完全控制权,所以请让我知道是否可以更好地改进数组结构以适应任务);
{
"map": [ … ],
"salesCount": {
"ins_1": {
"17/09/2012": 5,
"16/09/2012": 32,
"15/09/2012": 75,
"14/09/2012": 78,
"13/09/2012": 79,
"12/09/2012": 83,
"11/09/2012": 74,
...
"ins_2": {
etc
我想获取今天的销售额(2012年9月17日)以及昨天的销售额。到目前为止,我有这个:
$.ajax({
url: appPath+'application/sale/json',
type: 'POST',
dataType: 'json',
success: function(response)
{
var keys = null;
// Get and organise our sales data
jQuery.each(response.salesCount, function(insurer, dayList)
{
controller.salesData[insurer] = {"days": dayList};
keys = Object.keys(controller.salesData[insurer].days);
controller.salesData[insurer].today = controller.salesData[insurer].days[keys[0]];
// Update sales totals
$('#'+insurer+' p.today').html(controller.salesData[insurer].today);
这行得通,但是可以想象得到,它不是很灵活(我想尝试依赖对象不存在的顺序是个坏主意)。
因此,我试图根据日期引用销售数组。我试过了:
// Work out todays date and sales
var today = new Date();
var todayString = today.getDate()+'/'+today.getMonth()+'/'+today.getFullYear();
console.log(todayString)
console.log(controller.salesData[insurer].days[todayString]);
// outputs: 17/8/2012 and "85"(which is wrong, no idea where it gets that value)
我尝试过更改数组键以删除正斜杠等,但没有任何乐趣。当然有更好的方法吗?
谢谢。
最佳答案
要返回当天的销售数量,您可以查询JSON对象,如下所示:
var json =
{
"salesCount": {
"ins_1": {
"17/09/2012": 5,
"16/09/2012": 32,
"15/09/2012": 75,
"14/09/2012": 78,
"13/09/2012": 79,
"12/09/2012": 83,
"11/09/2012": 74
}
}
};
var today = new Date();
var month = today.getMonth() + 1;
var dateString = today.getDate() + '/' + (month < 10 ? '0' + month : month) + '/' + today.getFullYear();
var totalSales = json['salesCount']['ins_1'][dateString];
console.log(totalSales); // outputs 5
关于javascript - 从数组/对象键为日期的json对象获取今天和昨天的数据,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/12459628/