循环遍历2个数组并稍稍发现差异

时间:2019-06-27 17:37:50

标签: javascript arrays loops

好吧,这对我来说很难缠住我的头,所以我希望你们中的一个能够提供帮助。有一点上下文,这是针对更新程序即时消息编写的,它从CDN抓取文件的xml列表,然后将其与较旧的列表进行比较以查找文件差异,因此我知道哪些文件已过期并且需要重新下载。现在,我无法为此找到合适的解决方案。

目前我有3个数组。 Array1,Array2和DiffArray。 Array1存储CDN中的xml条目。 Array2存储我们当前拥有的旧条目。 Array3存储2之间的差异。

在每个数组中都有一个信息多数民众赞成的样本。请注意,每一行都被解析成其对应数组的单独索引

Array1:

cbt/ar/816.mp3
2019-06-05T16:40:33.212Z
cbt/ar/817.mp3
2019-06-05T16:40:31.509Z
cbt/ar/818.mp3
2019-04-05T16:40:30.978Z
cbt/ar/819.mp3
2019-04-05T16:40:29.807Z

Array2:

cbt/ar/816.mp3
2019-04-05T16:40:33.212Z
cbt/ar/817.mp3
2019-04-05T16:40:31.509Z
cbt/ar/818.mp3
2019-04-05T16:40:30.978Z
cbt/ar/819.mp3
2019-04-05T16:40:29.807Z

需要注意的几件事: 1.)这是文件名及其最后修改日期的列表 2.)如您所见,array1为816.mp3和817.mp3都有一个新文件

这样做的目的是,注意哪些文件不同,然后使用最新版本重新下载这些文件。

这是我目前拥有的,但是如您所见,它不是适合该工作的解决方案:

var a = [];
      for (var x = 0; x < remoteArray.length; x++) {
        a[remoteArray[x]] = true;

      }

      for (var y = 0; y < localArray.length; y++) {
        if (a[localArray[y]]) {
          delete a[localArray[y]];
        } else {
          a[localArray[y]] = true;
        }
      }

      for (var z in a) {
        diffArray.push(z);
        log.info("::DIFFERENCES::" + z);
      }
    }

此当前代码仅输出实际的文字差异,并不能真正帮助我知道哪个文件不同,以便我可以对其进行更新

2 个答案:

答案 0 :(得分:1)

不确定是否要使用这种格式,但是会确定需要更新的文件:

# Make a dictionary matching each cdn file to its timestamp
cdn = {}
for i in range(0,len(Array1),2):
    cdn[Array1[i]] = Array1[i+1]

# Make an array of files needing to be updated
update = []
for i in range(0,len(Array2),2):
    path = Array2[i]
    # If file is in CDN and the one there is newer, add it to update
    if path in cdn and cdn[path] > Array2[i+1]:
        update.append( path )

答案 1 :(得分:1)

首先将数据转换为代表每个文件的对象列表可能会更容易。这不是最有效的方法,但是会使事情变得更清晰,更易于维护。

function transformFilesList(array) {
    var files = [];
    for (var i = 0; i < array.length; i += 2) {
        files.push({
            name: array[i],
            modified: array[i + 1]
        });
    }
    return files;
}

var remote = transformFilesList(remoteArray);
var local = transformFilesList(localArray);
var needsDownload = remote.filter(file => {
    let match = local.find(localFile => localFile.name === file.name);
    // We need to download if there is no local file with this name or its modification date is older than the remote one
    return !match || match.modified < file.modified;
});

console.log('List of files to (re)download', needsDownload);
// Each file in this list will be an object { name, modified }

如果您不能使用Array.prototype.filter之类的功能或箭头功能(旧的浏览器或Node版本),则获取需求下载的旧方法是:

var needsDownload = [];
for (var i = 0; i < remote.length; i++) {
    var found;
    for (var j = 0; j < local.length; j++) {
        if (remote[i].name === local[j].length) {
            found = local[j];
            break;
        }
    }
    if (!found || found.modified < remote[i].modified) {
        needsDownload.push(found);
    }
}