Skip to content

Commit 8bb3092

Browse files
committed
util: group array elements together
When using `util.inspect()` with `compact` mode set to a number, all array entries exceeding 6 are going to be grouped together into logical parts. PR-URL: #26269 Reviewed-By: James M Snell <[email protected]> Reviewed-By: Anna Henningsen <[email protected]>
1 parent 4db10ed commit 8bb3092

File tree

3 files changed

+341
-36
lines changed

3 files changed

+341
-36
lines changed

doc/api/util.md

+3-3
Original file line numberDiff line numberDiff line change
@@ -468,9 +468,9 @@ changes:
468468
to be displayed on a new line. It will also add new lines to text that is
469469
longer than `breakLength`. If set to a number, the most `n` inner elements
470470
are united on a single line as long as all properties fit into
471-
`breakLength`. Note that no text will be reduced below 16 characters, no
472-
matter the `breakLength` size. For more information, see the example below.
473-
**Default:** `true`.
471+
`breakLength`. Short array elements are also grouped together. Note that no
472+
text will be reduced below 16 characters, no matter the `breakLength` size.
473+
For more information, see the example below. **Default:** `true`.
474474
* `sorted` {boolean|Function} If set to `true` or a function, all properties
475475
of an object, and `Set` and `Map` entries are sorted in the resulting
476476
string. If set to `true` the [default sort][] is used. If set to a function,

lib/internal/util/inspect.js

+145-33
Original file line numberDiff line numberDiff line change
@@ -794,8 +794,35 @@ function formatRaw(ctx, value, recurseTimes, typedArray) {
794794
}
795795
}
796796

797-
const combine = typeof ctx.compact === 'number' &&
798-
ctx.currentDepth - recurseTimes < ctx.compact;
797+
let combine = false;
798+
if (typeof ctx.compact === 'number') {
799+
// Memorize the original output length. In case the the output is grouped,
800+
// prevent lining up the entries on a single line.
801+
const entries = output.length;
802+
// Group array elements together if the array contains at least six separate
803+
// entries.
804+
if (extrasType === kArrayExtrasType && output.length > 6) {
805+
output = groupArrayElements(ctx, output);
806+
}
807+
// `ctx.currentDepth` is set to the most inner depth of the currently
808+
// inspected object part while `recurseTimes` is the actual current depth
809+
// that is inspected.
810+
//
811+
// Example:
812+
//
813+
// const a = { first: [ 1, 2, 3 ], second: { inner: [ 1, 2, 3 ] } }
814+
//
815+
// The deepest depth of `a` is 2 (a.second.inner) and `a.first` has a max
816+
// depth of 1.
817+
//
818+
// Consolidate all entries of the local most inner depth up to
819+
// `ctx.compact`, as long as the properties are smaller than
820+
// `ctx.breakLength`.
821+
if (ctx.currentDepth - recurseTimes < ctx.compact &&
822+
entries === output.length) {
823+
combine = true;
824+
}
825+
}
799826

800827
const res = reduceToSingleString(ctx, output, base, braces, combine);
801828
const budget = ctx.budget[ctx.indentationLvl] || 0;
@@ -814,6 +841,83 @@ function formatRaw(ctx, value, recurseTimes, typedArray) {
814841
return res;
815842
}
816843

844+
function groupArrayElements(ctx, output) {
845+
let totalLength = 0;
846+
let maxLength = 0;
847+
let i = 0;
848+
const dataLen = new Array(output.length);
849+
// Calculate the total length of all output entries and the individual max
850+
// entries length of all output entries. We have to remove colors first,
851+
// otherwise the length would not be calculated properly.
852+
for (; i < output.length; i++) {
853+
const len = ctx.colors ? removeColors(output[i]).length : output[i].length;
854+
dataLen[i] = len;
855+
totalLength += len;
856+
if (maxLength < len)
857+
maxLength = len;
858+
}
859+
// Add two to `maxLength` as we add a single whitespace character plus a comma
860+
// in-between two entries.
861+
const actualMax = maxLength + 2;
862+
// Check if at least three entries fit next to each other and prevent grouping
863+
// of arrays that contains entries of very different length (i.e., if a single
864+
// entry is longer than 1/5 of all other entries combined). Otherwise the
865+
// space in-between small entries would be enormous.
866+
if (actualMax * 3 + ctx.indentationLvl < ctx.breakLength &&
867+
(totalLength / maxLength > 5 || maxLength <= 6)) {
868+
869+
const approxCharHeights = 2.5;
870+
const bias = 1;
871+
// Dynamically check how many columns seem possible.
872+
const columns = Math.min(
873+
// Ideally a square should be drawn. We expect a character to be about 2.5
874+
// times as high as wide. This is the area formula to calculate a square
875+
// which contains n rectangles of size `actualMax * approxCharHeights`.
876+
// Divide that by `actualMax` to receive the correct number of columns.
877+
// The added bias slightly increases the columns for short entries.
878+
Math.round(
879+
Math.sqrt(
880+
approxCharHeights * (actualMax - bias) * output.length
881+
) / (actualMax - bias)
882+
),
883+
// Limit array grouping for small `compact` modes as the user requested
884+
// minimal grouping.
885+
ctx.compact * 3,
886+
// Limit the columns to a maximum of ten.
887+
10
888+
);
889+
// Return with the original output if no grouping should happen.
890+
if (columns <= 1) {
891+
return output;
892+
}
893+
// Calculate the maximum length of all entries that are visible in the first
894+
// column of the group.
895+
const tmp = [];
896+
let firstLineMaxLength = dataLen[0];
897+
for (i = columns; i < dataLen.length; i += columns) {
898+
if (dataLen[i] > firstLineMaxLength)
899+
firstLineMaxLength = dataLen[i];
900+
}
901+
// Each iteration creates a single line of grouped entries.
902+
for (i = 0; i < output.length; i += columns) {
903+
// Calculate extra color padding in case it's active. This has to be done
904+
// line by line as some lines might contain more colors than others.
905+
let colorPadding = output[i].length - dataLen[i];
906+
// Add padding to the first column of the output.
907+
let str = output[i].padStart(firstLineMaxLength + colorPadding, ' ');
908+
// The last lines may contain less entries than columns.
909+
const max = Math.min(i + columns, output.length);
910+
for (var j = i + 1; j < max; j++) {
911+
colorPadding = output[j].length - dataLen[j];
912+
str += `, ${output[j].padStart(maxLength + colorPadding, ' ')}`;
913+
}
914+
tmp.push(str);
915+
}
916+
output = tmp;
917+
}
918+
return output;
919+
}
920+
817921
function handleMaxCallStackSize(ctx, err, constructor, tag, indentationLvl) {
818922
if (isStackOverflowError(err)) {
819923
ctx.seen.pop();
@@ -1205,50 +1309,58 @@ function formatProperty(ctx, value, recurseTimes, key, type) {
12051309
return `${name}:${extra}${str}`;
12061310
}
12071311

1312+
function isBelowBreakLength(ctx, output, start) {
1313+
// Each entry is separated by at least a comma. Thus, we start with a total
1314+
// length of at least `output.length`. In addition, some cases have a
1315+
// whitespace in-between each other that is added to the total as well.
1316+
let totalLength = output.length + start;
1317+
if (totalLength + output.length > ctx.breakLength)
1318+
return false;
1319+
for (var i = 0; i < output.length; i++) {
1320+
if (ctx.colors) {
1321+
totalLength += removeColors(output[i]).length;
1322+
} else {
1323+
totalLength += output[i].length;
1324+
}
1325+
if (totalLength > ctx.breakLength) {
1326+
return false;
1327+
}
1328+
}
1329+
return true;
1330+
}
1331+
12081332
function reduceToSingleString(ctx, output, base, braces, combine = false) {
1209-
const breakLength = ctx.breakLength;
1210-
let i = 0;
12111333
if (ctx.compact !== true) {
12121334
if (combine) {
1213-
const totalLength = output.reduce((sum, cur) => sum + cur.length, 0);
1214-
if (totalLength + output.length * 2 < breakLength) {
1215-
let res = `${base ? `${base} ` : ''}${braces[0]} `;
1216-
for (; i < output.length - 1; i++) {
1217-
res += `${output[i]}, `;
1218-
}
1219-
res += `${output[i]} ${braces[1]}`;
1220-
return res;
1335+
// Line up all entries on a single line in case the entries do not exceed
1336+
// `breakLength`. Add 10 as constant to start next to all other factors
1337+
// that may reduce `breakLength`.
1338+
const start = output.length + ctx.indentationLvl +
1339+
braces[0].length + base.length + 10;
1340+
if (isBelowBreakLength(ctx, output, start)) {
1341+
return `${base ? `${base} ` : ''}${braces[0]} ${join(output, ', ')} ` +
1342+
braces[1];
12211343
}
12221344
}
1345+
// Line up each entry on an individual line.
12231346
const indentation = `\n${' '.repeat(ctx.indentationLvl)}`;
1224-
let res = `${base ? `${base} ` : ''}${braces[0]}${indentation} `;
1225-
for (; i < output.length - 1; i++) {
1226-
res += `${output[i]},${indentation} `;
1227-
}
1228-
res += `${output[i]}${indentation}${braces[1]}`;
1229-
return res;
1347+
return `${base ? `${base} ` : ''}${braces[0]}${indentation} ` +
1348+
`${join(output, `,${indentation} `)}${indentation}${braces[1]}`;
12301349
}
1231-
if (output.length * 2 <= breakLength) {
1232-
let length = 0;
1233-
for (; i < output.length && length <= breakLength; i++) {
1234-
if (ctx.colors) {
1235-
length += removeColors(output[i]).length + 1;
1236-
} else {
1237-
length += output[i].length + 1;
1238-
}
1239-
}
1240-
if (length <= breakLength)
1241-
return `${braces[0]}${base ? ` ${base}` : ''} ${join(output, ', ')} ` +
1242-
braces[1];
1350+
// Line up all entries on a single line in case the entries do not exceed
1351+
// `breakLength`.
1352+
if (isBelowBreakLength(ctx, output, 0)) {
1353+
return `${braces[0]}${base ? ` ${base}` : ''} ${join(output, ', ')} ` +
1354+
braces[1];
12431355
}
1356+
const indentation = ' '.repeat(ctx.indentationLvl);
12441357
// If the opening "brace" is too large, like in the case of "Set {",
12451358
// we need to force the first item to be on the next line or the
12461359
// items will not line up correctly.
1247-
const indentation = ' '.repeat(ctx.indentationLvl);
12481360
const ln = base === '' && braces[0].length === 1 ?
12491361
' ' : `${base ? ` ${base}` : ''}\n${indentation} `;
1250-
const str = join(output, `,\n${indentation} `);
1251-
return `${braces[0]}${ln}${str} ${braces[1]}`;
1362+
// Line up each entry on an individual line.
1363+
return `${braces[0]}${ln}${join(output, `,\n${indentation} `)} ${braces[1]}`;
12521364
}
12531365

12541366
module.exports = {

0 commit comments

Comments
 (0)