The easiest way to add the key with its value has been covered in another answer. That answer adds the key to the end of the list of keys in the compilerOptions
object. Normally, the ordering of the keys does not matter, and if you need things ordered in a particular way, you will use an array. However, I'm noticing that you (for whatever reason) expect the key to be added first, before the existing baseUrl
key.
We can add the key in that position by, instead of adding the new key to the existing object, instead, add the existing object's keys to the end of the new key. So given the existing JSON document,
{
"compileOnSave": false,
"compilerOptions": {
"baseUrl": "./",
"jerry": "Was a race car driver"
}
}
... we may want to use
jq --argjson skipLibCheck true '.compilerOptions = $ARGS.named + .compilerOptions' file
Given our example document above, this would generate
{
"compileOnSave": false,
"compilerOptions": {
"skipLibCheck": true,
"baseUrl": "./",
"jerry": "Was a race car driver"
}
}
The $ARGS.named
thing is an object which contains the key-value pairs defined with --arg
and/or --argjson
on the command line. In the example above, this would be {"skipLibCheck":true}
. Note that the $ARGS
feature was introduced after release 1.5 of jq
.
With the older 1.5 release of jq
, you may use
jq --argjson skipLibCheck true '.compilerOptions = { skipLibCheck: $skipLibCheck } + .compilerOptions' file
Use --arg
instead of --argjson
if you want the value to be the string true
rather than the special boolean value true
.
The following gives an alternative way of adding the key at the end (to what's mentioned in the other answer), which follows the same pattern as the above command. Note that I'm also switching to using --arg
here to insert true
as a string, just to show how that looks.
jq --arg skipLibCheck true '.compilerOptions += $ARGS.named' file
... which would give you
{
"compileOnSave": false,
"compilerOptions": {
"baseUrl": "./",
"jerry": "Was a race car driver",
"skipLibCheck": "true"
}
}
With the older 1.5 release of jq
, you may use
jq --arg skipLibCheck true '.compilerOptions += { skipLibCheck: $skipLibCheck }' file