1

假设我有两个列表,想对它们做一个 dict;第一个将成为键,第二个将成为值:

a = ['a', 'b', 'c']
b = ['foo', 'bar', 'baz']
dict = { 'a':'foo', 'b':'bar', 'c': 'baz' }

如何在 Viml 脚本语言中实现这一点?python中有没有像zip()这样的函数来实现这个?

4

1 回答 1

3

恐怕您必须自己使用手动循环来实现这种 zip 功能。

例如:

function! lh#list#zip_as_dict(l1, l2) abort
  if len(a:l1) != len(a:l2)
    throw "Zip operation cannot be performed on lists of different sizes"
  endif
  let res = {}
  let idx = range(0, len(a:l1)-1)
  for i in idx
    let res[a:l1[i]] = a:l2[i]
  endfor
  return res
endfunction

map()请注意,由于+ ,它也可以在没有手动循环的情况下完成extend()。在大列表上应该稍微快一些。

function! lh#list#zip_as_dict(l1, l2) abort
  call lh#assert#equal(len(a:l1), len(a:l2),
        \ "Zip operation cannot be performed on lists of different sizes")
  let res = {}
  call map(range(len(a:l1)), 'extend(res, {a:l1[v:val]: a:l2[v:val]})')
  return res
endfunction
于 2016-05-25T16:29:56.157 回答