0

我想从数组中删除空值和重复值,重复值被删除,空不是

模板:

local sub = [ "", "one", "two", "two", ""];
{
 env: std.prune(std.uniq(std.sort(sub)))
}

输出:

{
  "env": [
    "",
    "one",
    "two"
  ]
}

std.prune 应该删除空的 null 但它没有发生,我做错了什么吗?还是有其他方法可以删除空值?

4

2 回答 2

2

根据https://jsonnet.org/ref/stdlib.html#prune

“空”定义为零长度arrays、零长度objectsnull值。

ie""不考虑修剪,然后您可以将理解用作(注意也std.set()按字面意思使用uniq(sort())):

local sub = [ "", "one", "two", "two", ""];
{
   env: [x for x in std.set(sub) if x!= ""]
}

std.length(x) > 0为那个条件。

于 2018-12-19T18:49:16.200 回答
1

您可以使用 std.filter(func,arr) 仅保留非空条目。

标准过滤器(函数,arr)

返回一个新数组,其中包含 func >function 返回 true 的所有 arr 元素。

您可以将第一个参数指定std.filter为一个函数,该函数采用单个参数并返回 true,如果参数不是"". 第二个参数是你的数组。

local nonEmpty(x)= x != "";
local sub = [ "", "one", "two", "two", ""];
{
   env: std.uniq(std.filter(nonEmpty,sub))
}

您也可以内联定义它:

local sub = [ "", "one", "two", "two", ""];
{
   env: std.uniq(std.filter(function(x) x != "",sub))
}

这会从数组中删除空值并产生:

> bin/jsonnet fuu.jsonnet 
{
   "env": [
      "one",
      "two"
   ]
}
于 2021-07-20T14:36:48.383 回答