@logtape/redaction 1.1.3-dev.366 → 1.1.4

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/deno.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@logtape/redaction",
3
- "version": "1.1.3-dev.366+232bc8fc",
3
+ "version": "1.1.4",
4
4
  "license": "MIT",
5
5
  "exports": "./src/mod.ts",
6
6
  "exclude": [
package/dist/field.cjs CHANGED
@@ -22,11 +22,17 @@ const DEFAULT_REDACT_FIELDS = [
22
22
  /address/i
23
23
  ];
24
24
  /**
25
- * Redacts properties in a {@link LogRecord} based on the provided field
26
- * patterns and action.
25
+ * Redacts properties and message values in a {@link LogRecord} based on the
26
+ * provided field patterns and action.
27
27
  *
28
28
  * Note that it is a decorator which wraps the sink and redacts properties
29
- * before passing them to the sink.
29
+ * and message values before passing them to the sink.
30
+ *
31
+ * For string templates (e.g., `"Hello, {name}!"`), placeholder names are
32
+ * matched against the field patterns to determine which values to redact.
33
+ *
34
+ * For tagged template literals (e.g., `` `Hello, ${name}!` ``), redaction
35
+ * is performed by comparing message values with redacted property values.
30
36
  *
31
37
  * @example
32
38
  * ```ts
@@ -44,9 +50,20 @@ const DEFAULT_REDACT_FIELDS = [
44
50
  function redactByField(sink, options = DEFAULT_REDACT_FIELDS) {
45
51
  const opts = Array.isArray(options) ? { fieldPatterns: options } : options;
46
52
  const wrapped = (record) => {
53
+ const redactedProperties = redactProperties(record.properties, opts);
54
+ let redactedMessage = record.message;
55
+ if (typeof record.rawMessage === "string") {
56
+ const placeholders = extractPlaceholderNames(record.rawMessage);
57
+ const { redactedIndices, wildcardIndices } = getRedactedPlaceholderIndices(placeholders, opts.fieldPatterns);
58
+ if (redactedIndices.size > 0 || wildcardIndices.size > 0) redactedMessage = redactMessageArray(record.message, redactedIndices, wildcardIndices, redactedProperties, opts.action);
59
+ } else {
60
+ const redactedValues = getRedactedValues(record.properties, redactedProperties);
61
+ if (redactedValues.size > 0) redactedMessage = redactMessageByValues(record.message, redactedValues);
62
+ }
47
63
  sink({
48
64
  ...record,
49
- properties: redactProperties(record.properties, opts)
65
+ message: redactedMessage,
66
+ properties: redactedProperties
50
67
  });
51
68
  };
52
69
  if (Symbol.dispose in sink) wrapped[Symbol.dispose] = sink[Symbol.dispose];
@@ -95,6 +112,139 @@ function shouldFieldRedacted(field, fieldPatterns) {
95
112
  } else if (fieldPattern.test(field)) return true;
96
113
  return false;
97
114
  }
115
+ /**
116
+ * Extracts placeholder names from a message template string in order.
117
+ * @param template The message template string.
118
+ * @returns An array of placeholder names in the order they appear.
119
+ */
120
+ function extractPlaceholderNames(template) {
121
+ const placeholders = [];
122
+ for (let i = 0; i < template.length; i++) if (template[i] === "{") {
123
+ if (i + 1 < template.length && template[i + 1] === "{") {
124
+ i++;
125
+ continue;
126
+ }
127
+ const closeIndex = template.indexOf("}", i + 1);
128
+ if (closeIndex === -1) continue;
129
+ const key = template.slice(i + 1, closeIndex).trim();
130
+ placeholders.push(key);
131
+ i = closeIndex;
132
+ }
133
+ return placeholders;
134
+ }
135
+ /**
136
+ * Parses a property path into its segments.
137
+ * @param path The property path (e.g., "user.password" or "users[0].email").
138
+ * @returns An array of path segments.
139
+ */
140
+ function parsePathSegments(path) {
141
+ const segments = [];
142
+ let current = "";
143
+ for (const char of path) if (char === "." || char === "[") {
144
+ if (current) segments.push(current);
145
+ current = "";
146
+ } else if (char === "]" || char === "?") {} else current += char;
147
+ if (current) segments.push(current);
148
+ return segments;
149
+ }
150
+ /**
151
+ * Determines which placeholder indices should be redacted based on field
152
+ * patterns, and which are wildcard placeholders.
153
+ * @param placeholders Array of placeholder names from the template.
154
+ * @param fieldPatterns Field patterns to match against.
155
+ * @returns Object with redactedIndices and wildcardIndices.
156
+ */
157
+ function getRedactedPlaceholderIndices(placeholders, fieldPatterns) {
158
+ const redactedIndices = /* @__PURE__ */ new Set();
159
+ const wildcardIndices = /* @__PURE__ */ new Set();
160
+ for (let i = 0; i < placeholders.length; i++) {
161
+ const placeholder = placeholders[i];
162
+ if (placeholder === "*") {
163
+ wildcardIndices.add(i);
164
+ continue;
165
+ }
166
+ if (shouldFieldRedacted(placeholder, fieldPatterns)) {
167
+ redactedIndices.add(i);
168
+ continue;
169
+ }
170
+ const segments = parsePathSegments(placeholder);
171
+ for (const segment of segments) if (shouldFieldRedacted(segment, fieldPatterns)) {
172
+ redactedIndices.add(i);
173
+ break;
174
+ }
175
+ }
176
+ return {
177
+ redactedIndices,
178
+ wildcardIndices
179
+ };
180
+ }
181
+ /**
182
+ * Redacts values in the message array based on the redacted placeholder
183
+ * indices and wildcard indices.
184
+ * @param message The original message array.
185
+ * @param redactedIndices Set of placeholder indices to redact.
186
+ * @param wildcardIndices Set of wildcard placeholder indices.
187
+ * @param redactedProperties The redacted properties object.
188
+ * @param action The redaction action.
189
+ * @returns New message array with redacted values.
190
+ */
191
+ function redactMessageArray(message, redactedIndices, wildcardIndices, redactedProperties, action) {
192
+ if (redactedIndices.size === 0 && wildcardIndices.size === 0) return message;
193
+ const result = [];
194
+ let placeholderIndex = 0;
195
+ for (let i = 0; i < message.length; i++) if (i % 2 === 0) result.push(message[i]);
196
+ else {
197
+ if (wildcardIndices.has(placeholderIndex)) result.push(redactedProperties);
198
+ else if (redactedIndices.has(placeholderIndex)) if (action == null || action === "delete") result.push("");
199
+ else result.push(action(message[i]));
200
+ else result.push(message[i]);
201
+ placeholderIndex++;
202
+ }
203
+ return result;
204
+ }
205
+ /**
206
+ * Collects redacted value mappings from original to redacted properties.
207
+ * @param original The original properties.
208
+ * @param redacted The redacted properties.
209
+ * @param map The map to populate with original -> redacted value pairs.
210
+ */
211
+ function collectRedactedValues(original, redacted, map) {
212
+ for (const key in original) {
213
+ const origVal = original[key];
214
+ const redVal = redacted[key];
215
+ if (origVal !== redVal) map.set(origVal, redVal);
216
+ if (typeof origVal === "object" && origVal !== null && typeof redVal === "object" && redVal !== null && !Array.isArray(origVal)) collectRedactedValues(origVal, redVal, map);
217
+ }
218
+ }
219
+ /**
220
+ * Gets a map of original values to their redacted replacements.
221
+ * @param original The original properties.
222
+ * @param redacted The redacted properties.
223
+ * @returns A map of original -> redacted values.
224
+ */
225
+ function getRedactedValues(original, redacted) {
226
+ const map = /* @__PURE__ */ new Map();
227
+ collectRedactedValues(original, redacted, map);
228
+ return map;
229
+ }
230
+ /**
231
+ * Redacts message array values by comparing with redacted property values.
232
+ * Used for tagged template literals where placeholder names are not available.
233
+ * @param message The original message array.
234
+ * @param redactedValues Map of original -> redacted values.
235
+ * @returns New message array with redacted values.
236
+ */
237
+ function redactMessageByValues(message, redactedValues) {
238
+ if (redactedValues.size === 0) return message;
239
+ const result = [];
240
+ for (let i = 0; i < message.length; i++) if (i % 2 === 0) result.push(message[i]);
241
+ else {
242
+ const val = message[i];
243
+ if (redactedValues.has(val)) result.push(redactedValues.get(val));
244
+ else result.push(val);
245
+ }
246
+ return result;
247
+ }
98
248
 
99
249
  //#endregion
100
250
  exports.DEFAULT_REDACT_FIELDS = DEFAULT_REDACT_FIELDS;
package/dist/field.d.cts CHANGED
@@ -47,11 +47,17 @@ interface FieldRedactionOptions {
47
47
  readonly action?: "delete" | ((value: unknown) => unknown);
48
48
  }
49
49
  /**
50
- * Redacts properties in a {@link LogRecord} based on the provided field
51
- * patterns and action.
50
+ * Redacts properties and message values in a {@link LogRecord} based on the
51
+ * provided field patterns and action.
52
52
  *
53
53
  * Note that it is a decorator which wraps the sink and redacts properties
54
- * before passing them to the sink.
54
+ * and message values before passing them to the sink.
55
+ *
56
+ * For string templates (e.g., `"Hello, {name}!"`), placeholder names are
57
+ * matched against the field patterns to determine which values to redact.
58
+ *
59
+ * For tagged template literals (e.g., `` `Hello, ${name}!` ``), redaction
60
+ * is performed by comparing message values with redacted property values.
55
61
  *
56
62
  * @example
57
63
  * ```ts
@@ -1 +1 @@
1
- {"version":3,"file":"field.d.cts","names":[],"sources":["../src/field.ts"],"sourcesContent":[],"mappings":";;;;;;AAOA;AAOA;AAQA;AAqBiB,KApCL,YAAA,GAoCK,MAAqB,GApCF,MA2CV;AAmC1B;;;;;AACmC,KAxEvB,aAAA,GAAgB,YAwEO,EAAA;;;;;;;AAEL,cAlEjB,qBAkEiB,EAlEM,aAkEN;;AAAsB;;;;UA7CnC,qBAAA;;;;;;;0BAOS;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;iBAmCV,aAAA,OACR,OAAO,OAAO,aAAa,OAAO,2BAC/B,wBAAwB,gBAChC,OAAO,OAAO,aAAa,OAAO"}
1
+ {"version":3,"file":"field.d.cts","names":[],"sources":["../src/field.ts"],"sourcesContent":[],"mappings":";;;;;;AAOA;AAOA;AAQA;AAqBiB,KApCL,YAAA,GAoCK,MAAqB,GApCF,MA2CV;AAyC1B;;;;;AACmC,KA9EvB,aAAA,GAAgB,YA8EO,EAAA;;;;;;;AAEL,cAxEjB,qBAwEiB,EAxEM,aAwEN;;AAAsB;;;;UAnDnC,qBAAA;;;;;;;0BAOS;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;iBAyCV,aAAA,OACR,OAAO,OAAO,aAAa,OAAO,2BAC/B,wBAAwB,gBAChC,OAAO,OAAO,aAAa,OAAO"}
package/dist/field.d.ts CHANGED
@@ -47,11 +47,17 @@ interface FieldRedactionOptions {
47
47
  readonly action?: "delete" | ((value: unknown) => unknown);
48
48
  }
49
49
  /**
50
- * Redacts properties in a {@link LogRecord} based on the provided field
51
- * patterns and action.
50
+ * Redacts properties and message values in a {@link LogRecord} based on the
51
+ * provided field patterns and action.
52
52
  *
53
53
  * Note that it is a decorator which wraps the sink and redacts properties
54
- * before passing them to the sink.
54
+ * and message values before passing them to the sink.
55
+ *
56
+ * For string templates (e.g., `"Hello, {name}!"`), placeholder names are
57
+ * matched against the field patterns to determine which values to redact.
58
+ *
59
+ * For tagged template literals (e.g., `` `Hello, ${name}!` ``), redaction
60
+ * is performed by comparing message values with redacted property values.
55
61
  *
56
62
  * @example
57
63
  * ```ts
@@ -1 +1 @@
1
- {"version":3,"file":"field.d.ts","names":[],"sources":["../src/field.ts"],"sourcesContent":[],"mappings":";;;;;;AAOA;AAOA;AAQA;AAqBiB,KApCL,YAAA,GAoCK,MAAqB,GApCF,MA2CV;AAmC1B;;;;;AACmC,KAxEvB,aAAA,GAAgB,YAwEO,EAAA;;;;;;;AAEL,cAlEjB,qBAkEiB,EAlEM,aAkEN;;AAAsB;;;;UA7CnC,qBAAA;;;;;;;0BAOS;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;iBAmCV,aAAA,OACR,OAAO,OAAO,aAAa,OAAO,2BAC/B,wBAAwB,gBAChC,OAAO,OAAO,aAAa,OAAO"}
1
+ {"version":3,"file":"field.d.ts","names":[],"sources":["../src/field.ts"],"sourcesContent":[],"mappings":";;;;;;AAOA;AAOA;AAQA;AAqBiB,KApCL,YAAA,GAoCK,MAAqB,GApCF,MA2CV;AAyC1B;;;;;AACmC,KA9EvB,aAAA,GAAgB,YA8EO,EAAA;;;;;;;AAEL,cAxEjB,qBAwEiB,EAxEM,aAwEN;;AAAsB;;;;UAnDnC,qBAAA;;;;;;;0BAOS;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;iBAyCV,aAAA,OACR,OAAO,OAAO,aAAa,OAAO,2BAC/B,wBAAwB,gBAChC,OAAO,OAAO,aAAa,OAAO"}
package/dist/field.js CHANGED
@@ -21,11 +21,17 @@ const DEFAULT_REDACT_FIELDS = [
21
21
  /address/i
22
22
  ];
23
23
  /**
24
- * Redacts properties in a {@link LogRecord} based on the provided field
25
- * patterns and action.
24
+ * Redacts properties and message values in a {@link LogRecord} based on the
25
+ * provided field patterns and action.
26
26
  *
27
27
  * Note that it is a decorator which wraps the sink and redacts properties
28
- * before passing them to the sink.
28
+ * and message values before passing them to the sink.
29
+ *
30
+ * For string templates (e.g., `"Hello, {name}!"`), placeholder names are
31
+ * matched against the field patterns to determine which values to redact.
32
+ *
33
+ * For tagged template literals (e.g., `` `Hello, ${name}!` ``), redaction
34
+ * is performed by comparing message values with redacted property values.
29
35
  *
30
36
  * @example
31
37
  * ```ts
@@ -43,9 +49,20 @@ const DEFAULT_REDACT_FIELDS = [
43
49
  function redactByField(sink, options = DEFAULT_REDACT_FIELDS) {
44
50
  const opts = Array.isArray(options) ? { fieldPatterns: options } : options;
45
51
  const wrapped = (record) => {
52
+ const redactedProperties = redactProperties(record.properties, opts);
53
+ let redactedMessage = record.message;
54
+ if (typeof record.rawMessage === "string") {
55
+ const placeholders = extractPlaceholderNames(record.rawMessage);
56
+ const { redactedIndices, wildcardIndices } = getRedactedPlaceholderIndices(placeholders, opts.fieldPatterns);
57
+ if (redactedIndices.size > 0 || wildcardIndices.size > 0) redactedMessage = redactMessageArray(record.message, redactedIndices, wildcardIndices, redactedProperties, opts.action);
58
+ } else {
59
+ const redactedValues = getRedactedValues(record.properties, redactedProperties);
60
+ if (redactedValues.size > 0) redactedMessage = redactMessageByValues(record.message, redactedValues);
61
+ }
46
62
  sink({
47
63
  ...record,
48
- properties: redactProperties(record.properties, opts)
64
+ message: redactedMessage,
65
+ properties: redactedProperties
49
66
  });
50
67
  };
51
68
  if (Symbol.dispose in sink) wrapped[Symbol.dispose] = sink[Symbol.dispose];
@@ -94,6 +111,139 @@ function shouldFieldRedacted(field, fieldPatterns) {
94
111
  } else if (fieldPattern.test(field)) return true;
95
112
  return false;
96
113
  }
114
+ /**
115
+ * Extracts placeholder names from a message template string in order.
116
+ * @param template The message template string.
117
+ * @returns An array of placeholder names in the order they appear.
118
+ */
119
+ function extractPlaceholderNames(template) {
120
+ const placeholders = [];
121
+ for (let i = 0; i < template.length; i++) if (template[i] === "{") {
122
+ if (i + 1 < template.length && template[i + 1] === "{") {
123
+ i++;
124
+ continue;
125
+ }
126
+ const closeIndex = template.indexOf("}", i + 1);
127
+ if (closeIndex === -1) continue;
128
+ const key = template.slice(i + 1, closeIndex).trim();
129
+ placeholders.push(key);
130
+ i = closeIndex;
131
+ }
132
+ return placeholders;
133
+ }
134
+ /**
135
+ * Parses a property path into its segments.
136
+ * @param path The property path (e.g., "user.password" or "users[0].email").
137
+ * @returns An array of path segments.
138
+ */
139
+ function parsePathSegments(path) {
140
+ const segments = [];
141
+ let current = "";
142
+ for (const char of path) if (char === "." || char === "[") {
143
+ if (current) segments.push(current);
144
+ current = "";
145
+ } else if (char === "]" || char === "?") {} else current += char;
146
+ if (current) segments.push(current);
147
+ return segments;
148
+ }
149
+ /**
150
+ * Determines which placeholder indices should be redacted based on field
151
+ * patterns, and which are wildcard placeholders.
152
+ * @param placeholders Array of placeholder names from the template.
153
+ * @param fieldPatterns Field patterns to match against.
154
+ * @returns Object with redactedIndices and wildcardIndices.
155
+ */
156
+ function getRedactedPlaceholderIndices(placeholders, fieldPatterns) {
157
+ const redactedIndices = /* @__PURE__ */ new Set();
158
+ const wildcardIndices = /* @__PURE__ */ new Set();
159
+ for (let i = 0; i < placeholders.length; i++) {
160
+ const placeholder = placeholders[i];
161
+ if (placeholder === "*") {
162
+ wildcardIndices.add(i);
163
+ continue;
164
+ }
165
+ if (shouldFieldRedacted(placeholder, fieldPatterns)) {
166
+ redactedIndices.add(i);
167
+ continue;
168
+ }
169
+ const segments = parsePathSegments(placeholder);
170
+ for (const segment of segments) if (shouldFieldRedacted(segment, fieldPatterns)) {
171
+ redactedIndices.add(i);
172
+ break;
173
+ }
174
+ }
175
+ return {
176
+ redactedIndices,
177
+ wildcardIndices
178
+ };
179
+ }
180
+ /**
181
+ * Redacts values in the message array based on the redacted placeholder
182
+ * indices and wildcard indices.
183
+ * @param message The original message array.
184
+ * @param redactedIndices Set of placeholder indices to redact.
185
+ * @param wildcardIndices Set of wildcard placeholder indices.
186
+ * @param redactedProperties The redacted properties object.
187
+ * @param action The redaction action.
188
+ * @returns New message array with redacted values.
189
+ */
190
+ function redactMessageArray(message, redactedIndices, wildcardIndices, redactedProperties, action) {
191
+ if (redactedIndices.size === 0 && wildcardIndices.size === 0) return message;
192
+ const result = [];
193
+ let placeholderIndex = 0;
194
+ for (let i = 0; i < message.length; i++) if (i % 2 === 0) result.push(message[i]);
195
+ else {
196
+ if (wildcardIndices.has(placeholderIndex)) result.push(redactedProperties);
197
+ else if (redactedIndices.has(placeholderIndex)) if (action == null || action === "delete") result.push("");
198
+ else result.push(action(message[i]));
199
+ else result.push(message[i]);
200
+ placeholderIndex++;
201
+ }
202
+ return result;
203
+ }
204
+ /**
205
+ * Collects redacted value mappings from original to redacted properties.
206
+ * @param original The original properties.
207
+ * @param redacted The redacted properties.
208
+ * @param map The map to populate with original -> redacted value pairs.
209
+ */
210
+ function collectRedactedValues(original, redacted, map) {
211
+ for (const key in original) {
212
+ const origVal = original[key];
213
+ const redVal = redacted[key];
214
+ if (origVal !== redVal) map.set(origVal, redVal);
215
+ if (typeof origVal === "object" && origVal !== null && typeof redVal === "object" && redVal !== null && !Array.isArray(origVal)) collectRedactedValues(origVal, redVal, map);
216
+ }
217
+ }
218
+ /**
219
+ * Gets a map of original values to their redacted replacements.
220
+ * @param original The original properties.
221
+ * @param redacted The redacted properties.
222
+ * @returns A map of original -> redacted values.
223
+ */
224
+ function getRedactedValues(original, redacted) {
225
+ const map = /* @__PURE__ */ new Map();
226
+ collectRedactedValues(original, redacted, map);
227
+ return map;
228
+ }
229
+ /**
230
+ * Redacts message array values by comparing with redacted property values.
231
+ * Used for tagged template literals where placeholder names are not available.
232
+ * @param message The original message array.
233
+ * @param redactedValues Map of original -> redacted values.
234
+ * @returns New message array with redacted values.
235
+ */
236
+ function redactMessageByValues(message, redactedValues) {
237
+ if (redactedValues.size === 0) return message;
238
+ const result = [];
239
+ for (let i = 0; i < message.length; i++) if (i % 2 === 0) result.push(message[i]);
240
+ else {
241
+ const val = message[i];
242
+ if (redactedValues.has(val)) result.push(redactedValues.get(val));
243
+ else result.push(val);
244
+ }
245
+ return result;
246
+ }
97
247
 
98
248
  //#endregion
99
249
  export { DEFAULT_REDACT_FIELDS, redactByField };
package/dist/field.js.map CHANGED
@@ -1 +1 @@
1
- {"version":3,"file":"field.js","names":["DEFAULT_REDACT_FIELDS: FieldPatterns","sink: Sink | Sink & Disposable | Sink & AsyncDisposable","options: FieldRedactionOptions | FieldPatterns","record: LogRecord","properties: Record<string, unknown>","options: FieldRedactionOptions","field: string","fieldPatterns: FieldPatterns"],"sources":["../src/field.ts"],"sourcesContent":["import type { LogRecord, Sink } from \"@logtape/logtape\";\n\n/**\n * The type for a field pattern used in redaction. A string or a regular\n * expression that matches field names.\n * @since 0.10.0\n */\nexport type FieldPattern = string | RegExp;\n\n/**\n * An array of field patterns used for redaction. Each pattern can be\n * a string or a regular expression that matches field names.\n * @since 0.10.0\n */\nexport type FieldPatterns = FieldPattern[];\n\n/**\n * Default field patterns for redaction. These patterns will match\n * common sensitive fields such as passwords, tokens, and personal\n * information.\n * @since 0.10.0\n */\nexport const DEFAULT_REDACT_FIELDS: FieldPatterns = [\n /pass(?:code|phrase|word)/i,\n /secret/i,\n /token/i,\n /key/i,\n /credential/i,\n /auth/i,\n /signature/i,\n /sensitive/i,\n /private/i,\n /ssn/i,\n /email/i,\n /phone/i,\n /address/i,\n];\n\n/**\n * Options for redacting fields in a {@link LogRecord}. Used by\n * the {@link redactByField} function.\n * @since 0.10.0\n */\nexport interface FieldRedactionOptions {\n /**\n * The field patterns to match against. This can be an array of\n * strings or regular expressions. If a field matches any of the\n * patterns, it will be redacted.\n * @defaultValue {@link DEFAULT_REDACT_FIELDS}\n */\n readonly fieldPatterns: FieldPatterns;\n\n /**\n * The action to perform on the matched fields. If not provided,\n * the default action is to delete the field from the properties.\n * If a function is provided, it will be called with the\n * value of the field, and the return value will be used to replace\n * the field in the properties.\n * If the action is `\"delete\"`, the field will be removed from the\n * properties.\n * @default `\"delete\"`\n */\n readonly action?: \"delete\" | ((value: unknown) => unknown);\n}\n\n/**\n * Redacts properties in a {@link LogRecord} based on the provided field\n * patterns and action.\n *\n * Note that it is a decorator which wraps the sink and redacts properties\n * before passing them to the sink.\n *\n * @example\n * ```ts\n * import { getConsoleSink } from \"@logtape/logtape\";\n * import { redactByField } from \"@logtape/redaction\";\n *\n * const sink = redactByField(getConsoleSink());\n * ```\n *\n * @param sink The sink to wrap.\n * @param options The redaction options.\n * @returns The wrapped sink.\n * @since 0.10.0\n */\nexport function redactByField(\n sink: Sink | Sink & Disposable | Sink & AsyncDisposable,\n options: FieldRedactionOptions | FieldPatterns = DEFAULT_REDACT_FIELDS,\n): Sink | Sink & Disposable | Sink & AsyncDisposable {\n const opts = Array.isArray(options) ? { fieldPatterns: options } : options;\n const wrapped = (record: LogRecord) => {\n sink({ ...record, properties: redactProperties(record.properties, opts) });\n };\n if (Symbol.dispose in sink) wrapped[Symbol.dispose] = sink[Symbol.dispose];\n if (Symbol.asyncDispose in sink) {\n wrapped[Symbol.asyncDispose] = sink[Symbol.asyncDispose];\n }\n return wrapped;\n}\n\n/**\n * Redacts properties from an object based on specified field patterns.\n *\n * This function creates a shallow copy of the input object and applies\n * redaction rules to its properties. For properties that match the redaction\n * patterns, the function either removes them or transforms their values based\n * on the provided action.\n *\n * The redaction process is recursive and will be applied to nested objects\n * as well, allowing for deep redaction of sensitive data in complex object\n * structures.\n * @param properties The properties to redact.\n * @param options The redaction options.\n * @returns The redacted properties.\n * @since 0.10.0\n */\nexport function redactProperties(\n properties: Record<string, unknown>,\n options: FieldRedactionOptions,\n): Record<string, unknown> {\n const copy = { ...properties };\n for (const field in copy) {\n if (shouldFieldRedacted(field, options.fieldPatterns)) {\n if (options.action == null || options.action === \"delete\") {\n delete copy[field];\n } else {\n copy[field] = options.action(copy[field]);\n }\n continue;\n }\n const value = copy[field];\n // Check if value is a vanilla object:\n if (\n typeof value === \"object\" && value !== null &&\n (Object.getPrototypeOf(value) === Object.prototype ||\n Object.getPrototypeOf(value) === null)\n ) {\n // @ts-ignore: value is always Record<string, unknown>\n copy[field] = redactProperties(value, options);\n }\n }\n return copy;\n}\n\n/**\n * Checks if a field should be redacted based on the provided field patterns.\n * @param field The field name to check.\n * @param fieldPatterns The field patterns to match against.\n * @returns `true` if the field should be redacted, `false` otherwise.\n * @since 0.10.0\n */\nexport function shouldFieldRedacted(\n field: string,\n fieldPatterns: FieldPatterns,\n): boolean {\n for (const fieldPattern of fieldPatterns) {\n if (typeof fieldPattern === \"string\") {\n if (fieldPattern === field) return true;\n } else {\n if (fieldPattern.test(field)) return true;\n }\n }\n return false;\n}\n"],"mappings":";;;;;;;AAsBA,MAAaA,wBAAuC;CAClD;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;AACD;;;;;;;;;;;;;;;;;;;;;AAiDD,SAAgB,cACdC,MACAC,UAAiD,uBACE;CACnD,MAAM,OAAO,MAAM,QAAQ,QAAQ,GAAG,EAAE,eAAe,QAAS,IAAG;CACnE,MAAM,UAAU,CAACC,WAAsB;AACrC,OAAK;GAAE,GAAG;GAAQ,YAAY,iBAAiB,OAAO,YAAY,KAAK;EAAE,EAAC;CAC3E;AACD,KAAI,OAAO,WAAW,KAAM,SAAQ,OAAO,WAAW,KAAK,OAAO;AAClE,KAAI,OAAO,gBAAgB,KACzB,SAAQ,OAAO,gBAAgB,KAAK,OAAO;AAE7C,QAAO;AACR;;;;;;;;;;;;;;;;;AAkBD,SAAgB,iBACdC,YACAC,SACyB;CACzB,MAAM,OAAO,EAAE,GAAG,WAAY;AAC9B,MAAK,MAAM,SAAS,MAAM;AACxB,MAAI,oBAAoB,OAAO,QAAQ,cAAc,EAAE;AACrD,OAAI,QAAQ,UAAU,QAAQ,QAAQ,WAAW,SAC/C,QAAO,KAAK;OAEZ,MAAK,SAAS,QAAQ,OAAO,KAAK,OAAO;AAE3C;EACD;EACD,MAAM,QAAQ,KAAK;AAEnB,aACS,UAAU,YAAY,UAAU,SACtC,OAAO,eAAe,MAAM,KAAK,OAAO,aACvC,OAAO,eAAe,MAAM,KAAK,MAGnC,MAAK,SAAS,iBAAiB,OAAO,QAAQ;CAEjD;AACD,QAAO;AACR;;;;;;;;AASD,SAAgB,oBACdC,OACAC,eACS;AACT,MAAK,MAAM,gBAAgB,cACzB,YAAW,iBAAiB,UAC1B;MAAI,iBAAiB,MAAO,QAAO;CAAK,WAEpC,aAAa,KAAK,MAAM,CAAE,QAAO;AAGzC,QAAO;AACR"}
1
+ {"version":3,"file":"field.js","names":["DEFAULT_REDACT_FIELDS: FieldPatterns","sink: Sink | Sink & Disposable | Sink & AsyncDisposable","options: FieldRedactionOptions | FieldPatterns","record: LogRecord","properties: Record<string, unknown>","options: FieldRedactionOptions","field: string","fieldPatterns: FieldPatterns","template: string","placeholders: string[]","path: string","segments: string[]","message: readonly unknown[]","redactedIndices: Set<number>","wildcardIndices: Set<number>","redactedProperties: Record<string, unknown>","action: \"delete\" | ((value: unknown) => unknown) | undefined","result: unknown[]","original: Record<string, unknown>","redacted: Record<string, unknown>","map: Map<unknown, unknown>","redactedValues: Map<unknown, unknown>"],"sources":["../src/field.ts"],"sourcesContent":["import type { LogRecord, Sink } from \"@logtape/logtape\";\n\n/**\n * The type for a field pattern used in redaction. A string or a regular\n * expression that matches field names.\n * @since 0.10.0\n */\nexport type FieldPattern = string | RegExp;\n\n/**\n * An array of field patterns used for redaction. Each pattern can be\n * a string or a regular expression that matches field names.\n * @since 0.10.0\n */\nexport type FieldPatterns = FieldPattern[];\n\n/**\n * Default field patterns for redaction. These patterns will match\n * common sensitive fields such as passwords, tokens, and personal\n * information.\n * @since 0.10.0\n */\nexport const DEFAULT_REDACT_FIELDS: FieldPatterns = [\n /pass(?:code|phrase|word)/i,\n /secret/i,\n /token/i,\n /key/i,\n /credential/i,\n /auth/i,\n /signature/i,\n /sensitive/i,\n /private/i,\n /ssn/i,\n /email/i,\n /phone/i,\n /address/i,\n];\n\n/**\n * Options for redacting fields in a {@link LogRecord}. Used by\n * the {@link redactByField} function.\n * @since 0.10.0\n */\nexport interface FieldRedactionOptions {\n /**\n * The field patterns to match against. This can be an array of\n * strings or regular expressions. If a field matches any of the\n * patterns, it will be redacted.\n * @defaultValue {@link DEFAULT_REDACT_FIELDS}\n */\n readonly fieldPatterns: FieldPatterns;\n\n /**\n * The action to perform on the matched fields. If not provided,\n * the default action is to delete the field from the properties.\n * If a function is provided, it will be called with the\n * value of the field, and the return value will be used to replace\n * the field in the properties.\n * If the action is `\"delete\"`, the field will be removed from the\n * properties.\n * @default `\"delete\"`\n */\n readonly action?: \"delete\" | ((value: unknown) => unknown);\n}\n\n/**\n * Redacts properties and message values in a {@link LogRecord} based on the\n * provided field patterns and action.\n *\n * Note that it is a decorator which wraps the sink and redacts properties\n * and message values before passing them to the sink.\n *\n * For string templates (e.g., `\"Hello, {name}!\"`), placeholder names are\n * matched against the field patterns to determine which values to redact.\n *\n * For tagged template literals (e.g., `` `Hello, ${name}!` ``), redaction\n * is performed by comparing message values with redacted property values.\n *\n * @example\n * ```ts\n * import { getConsoleSink } from \"@logtape/logtape\";\n * import { redactByField } from \"@logtape/redaction\";\n *\n * const sink = redactByField(getConsoleSink());\n * ```\n *\n * @param sink The sink to wrap.\n * @param options The redaction options.\n * @returns The wrapped sink.\n * @since 0.10.0\n */\nexport function redactByField(\n sink: Sink | Sink & Disposable | Sink & AsyncDisposable,\n options: FieldRedactionOptions | FieldPatterns = DEFAULT_REDACT_FIELDS,\n): Sink | Sink & Disposable | Sink & AsyncDisposable {\n const opts = Array.isArray(options) ? { fieldPatterns: options } : options;\n const wrapped = (record: LogRecord) => {\n const redactedProperties = redactProperties(record.properties, opts);\n let redactedMessage = record.message;\n\n if (typeof record.rawMessage === \"string\") {\n // String template: redact by placeholder names\n const placeholders = extractPlaceholderNames(record.rawMessage);\n const { redactedIndices, wildcardIndices } =\n getRedactedPlaceholderIndices(\n placeholders,\n opts.fieldPatterns,\n );\n if (redactedIndices.size > 0 || wildcardIndices.size > 0) {\n redactedMessage = redactMessageArray(\n record.message,\n redactedIndices,\n wildcardIndices,\n redactedProperties,\n opts.action,\n );\n }\n } else {\n // Tagged template: redact by comparing values\n const redactedValues = getRedactedValues(\n record.properties,\n redactedProperties,\n );\n if (redactedValues.size > 0) {\n redactedMessage = redactMessageByValues(record.message, redactedValues);\n }\n }\n\n sink({\n ...record,\n message: redactedMessage,\n properties: redactedProperties,\n });\n };\n if (Symbol.dispose in sink) wrapped[Symbol.dispose] = sink[Symbol.dispose];\n if (Symbol.asyncDispose in sink) {\n wrapped[Symbol.asyncDispose] = sink[Symbol.asyncDispose];\n }\n return wrapped;\n}\n\n/**\n * Redacts properties from an object based on specified field patterns.\n *\n * This function creates a shallow copy of the input object and applies\n * redaction rules to its properties. For properties that match the redaction\n * patterns, the function either removes them or transforms their values based\n * on the provided action.\n *\n * The redaction process is recursive and will be applied to nested objects\n * as well, allowing for deep redaction of sensitive data in complex object\n * structures.\n * @param properties The properties to redact.\n * @param options The redaction options.\n * @returns The redacted properties.\n * @since 0.10.0\n */\nexport function redactProperties(\n properties: Record<string, unknown>,\n options: FieldRedactionOptions,\n): Record<string, unknown> {\n const copy = { ...properties };\n for (const field in copy) {\n if (shouldFieldRedacted(field, options.fieldPatterns)) {\n if (options.action == null || options.action === \"delete\") {\n delete copy[field];\n } else {\n copy[field] = options.action(copy[field]);\n }\n continue;\n }\n const value = copy[field];\n // Check if value is a vanilla object:\n if (\n typeof value === \"object\" && value !== null &&\n (Object.getPrototypeOf(value) === Object.prototype ||\n Object.getPrototypeOf(value) === null)\n ) {\n // @ts-ignore: value is always Record<string, unknown>\n copy[field] = redactProperties(value, options);\n }\n }\n return copy;\n}\n\n/**\n * Checks if a field should be redacted based on the provided field patterns.\n * @param field The field name to check.\n * @param fieldPatterns The field patterns to match against.\n * @returns `true` if the field should be redacted, `false` otherwise.\n * @since 0.10.0\n */\nexport function shouldFieldRedacted(\n field: string,\n fieldPatterns: FieldPatterns,\n): boolean {\n for (const fieldPattern of fieldPatterns) {\n if (typeof fieldPattern === \"string\") {\n if (fieldPattern === field) return true;\n } else {\n if (fieldPattern.test(field)) return true;\n }\n }\n return false;\n}\n\n/**\n * Extracts placeholder names from a message template string in order.\n * @param template The message template string.\n * @returns An array of placeholder names in the order they appear.\n */\nfunction extractPlaceholderNames(template: string): string[] {\n const placeholders: string[] = [];\n for (let i = 0; i < template.length; i++) {\n if (template[i] === \"{\") {\n // Check for escaped brace\n if (i + 1 < template.length && template[i + 1] === \"{\") {\n i++;\n continue;\n }\n const closeIndex = template.indexOf(\"}\", i + 1);\n if (closeIndex === -1) continue;\n const key = template.slice(i + 1, closeIndex).trim();\n placeholders.push(key);\n i = closeIndex;\n }\n }\n return placeholders;\n}\n\n/**\n * Parses a property path into its segments.\n * @param path The property path (e.g., \"user.password\" or \"users[0].email\").\n * @returns An array of path segments.\n */\nfunction parsePathSegments(path: string): string[] {\n const segments: string[] = [];\n let current = \"\";\n for (const char of path) {\n if (char === \".\" || char === \"[\") {\n if (current) segments.push(current);\n current = \"\";\n } else if (char === \"]\" || char === \"?\") {\n // Skip these characters\n } else {\n current += char;\n }\n }\n if (current) segments.push(current);\n return segments;\n}\n\n/**\n * Determines which placeholder indices should be redacted based on field\n * patterns, and which are wildcard placeholders.\n * @param placeholders Array of placeholder names from the template.\n * @param fieldPatterns Field patterns to match against.\n * @returns Object with redactedIndices and wildcardIndices.\n */\nfunction getRedactedPlaceholderIndices(\n placeholders: string[],\n fieldPatterns: FieldPatterns,\n): { redactedIndices: Set<number>; wildcardIndices: Set<number> } {\n const redactedIndices = new Set<number>();\n const wildcardIndices = new Set<number>();\n\n for (let i = 0; i < placeholders.length; i++) {\n const placeholder = placeholders[i];\n\n // Track wildcard {*} separately\n if (placeholder === \"*\") {\n wildcardIndices.add(i);\n continue;\n }\n\n // Check the full placeholder name\n if (shouldFieldRedacted(placeholder, fieldPatterns)) {\n redactedIndices.add(i);\n continue;\n }\n // For nested paths, check each segment\n const segments = parsePathSegments(placeholder);\n for (const segment of segments) {\n if (shouldFieldRedacted(segment, fieldPatterns)) {\n redactedIndices.add(i);\n break;\n }\n }\n }\n return { redactedIndices, wildcardIndices };\n}\n\n/**\n * Redacts values in the message array based on the redacted placeholder\n * indices and wildcard indices.\n * @param message The original message array.\n * @param redactedIndices Set of placeholder indices to redact.\n * @param wildcardIndices Set of wildcard placeholder indices.\n * @param redactedProperties The redacted properties object.\n * @param action The redaction action.\n * @returns New message array with redacted values.\n */\nfunction redactMessageArray(\n message: readonly unknown[],\n redactedIndices: Set<number>,\n wildcardIndices: Set<number>,\n redactedProperties: Record<string, unknown>,\n action: \"delete\" | ((value: unknown) => unknown) | undefined,\n): readonly unknown[] {\n if (redactedIndices.size === 0 && wildcardIndices.size === 0) return message;\n\n const result: unknown[] = [];\n let placeholderIndex = 0;\n\n for (let i = 0; i < message.length; i++) {\n if (i % 2 === 0) {\n // Even index: text segment\n result.push(message[i]);\n } else {\n // Odd index: value/placeholder\n if (wildcardIndices.has(placeholderIndex)) {\n // Wildcard {*}: replace with redacted properties\n result.push(redactedProperties);\n } else if (redactedIndices.has(placeholderIndex)) {\n if (action == null || action === \"delete\") {\n result.push(\"\");\n } else {\n result.push(action(message[i]));\n }\n } else {\n result.push(message[i]);\n }\n placeholderIndex++;\n }\n }\n return result;\n}\n\n/**\n * Collects redacted value mappings from original to redacted properties.\n * @param original The original properties.\n * @param redacted The redacted properties.\n * @param map The map to populate with original -> redacted value pairs.\n */\nfunction collectRedactedValues(\n original: Record<string, unknown>,\n redacted: Record<string, unknown>,\n map: Map<unknown, unknown>,\n): void {\n for (const key in original) {\n const origVal = original[key];\n const redVal = redacted[key];\n\n if (origVal !== redVal) {\n map.set(origVal, redVal);\n }\n\n // Recurse into nested objects\n if (\n typeof origVal === \"object\" && origVal !== null &&\n typeof redVal === \"object\" && redVal !== null &&\n !Array.isArray(origVal)\n ) {\n collectRedactedValues(\n origVal as Record<string, unknown>,\n redVal as Record<string, unknown>,\n map,\n );\n }\n }\n}\n\n/**\n * Gets a map of original values to their redacted replacements.\n * @param original The original properties.\n * @param redacted The redacted properties.\n * @returns A map of original -> redacted values.\n */\nfunction getRedactedValues(\n original: Record<string, unknown>,\n redacted: Record<string, unknown>,\n): Map<unknown, unknown> {\n const map = new Map<unknown, unknown>();\n collectRedactedValues(original, redacted, map);\n return map;\n}\n\n/**\n * Redacts message array values by comparing with redacted property values.\n * Used for tagged template literals where placeholder names are not available.\n * @param message The original message array.\n * @param redactedValues Map of original -> redacted values.\n * @returns New message array with redacted values.\n */\nfunction redactMessageByValues(\n message: readonly unknown[],\n redactedValues: Map<unknown, unknown>,\n): readonly unknown[] {\n if (redactedValues.size === 0) return message;\n\n const result: unknown[] = [];\n for (let i = 0; i < message.length; i++) {\n if (i % 2 === 0) {\n result.push(message[i]);\n } else {\n const val = message[i];\n if (redactedValues.has(val)) {\n result.push(redactedValues.get(val));\n } else {\n result.push(val);\n }\n }\n }\n return result;\n}\n"],"mappings":";;;;;;;AAsBA,MAAaA,wBAAuC;CAClD;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;CACA;AACD;;;;;;;;;;;;;;;;;;;;;;;;;;;AAuDD,SAAgB,cACdC,MACAC,UAAiD,uBACE;CACnD,MAAM,OAAO,MAAM,QAAQ,QAAQ,GAAG,EAAE,eAAe,QAAS,IAAG;CACnE,MAAM,UAAU,CAACC,WAAsB;EACrC,MAAM,qBAAqB,iBAAiB,OAAO,YAAY,KAAK;EACpE,IAAI,kBAAkB,OAAO;AAE7B,aAAW,OAAO,eAAe,UAAU;GAEzC,MAAM,eAAe,wBAAwB,OAAO,WAAW;GAC/D,MAAM,EAAE,iBAAiB,iBAAiB,GACxC,8BACE,cACA,KAAK,cACN;AACH,OAAI,gBAAgB,OAAO,KAAK,gBAAgB,OAAO,EACrD,mBAAkB,mBAChB,OAAO,SACP,iBACA,iBACA,oBACA,KAAK,OACN;EAEJ,OAAM;GAEL,MAAM,iBAAiB,kBACrB,OAAO,YACP,mBACD;AACD,OAAI,eAAe,OAAO,EACxB,mBAAkB,sBAAsB,OAAO,SAAS,eAAe;EAE1E;AAED,OAAK;GACH,GAAG;GACH,SAAS;GACT,YAAY;EACb,EAAC;CACH;AACD,KAAI,OAAO,WAAW,KAAM,SAAQ,OAAO,WAAW,KAAK,OAAO;AAClE,KAAI,OAAO,gBAAgB,KACzB,SAAQ,OAAO,gBAAgB,KAAK,OAAO;AAE7C,QAAO;AACR;;;;;;;;;;;;;;;;;AAkBD,SAAgB,iBACdC,YACAC,SACyB;CACzB,MAAM,OAAO,EAAE,GAAG,WAAY;AAC9B,MAAK,MAAM,SAAS,MAAM;AACxB,MAAI,oBAAoB,OAAO,QAAQ,cAAc,EAAE;AACrD,OAAI,QAAQ,UAAU,QAAQ,QAAQ,WAAW,SAC/C,QAAO,KAAK;OAEZ,MAAK,SAAS,QAAQ,OAAO,KAAK,OAAO;AAE3C;EACD;EACD,MAAM,QAAQ,KAAK;AAEnB,aACS,UAAU,YAAY,UAAU,SACtC,OAAO,eAAe,MAAM,KAAK,OAAO,aACvC,OAAO,eAAe,MAAM,KAAK,MAGnC,MAAK,SAAS,iBAAiB,OAAO,QAAQ;CAEjD;AACD,QAAO;AACR;;;;;;;;AASD,SAAgB,oBACdC,OACAC,eACS;AACT,MAAK,MAAM,gBAAgB,cACzB,YAAW,iBAAiB,UAC1B;MAAI,iBAAiB,MAAO,QAAO;CAAK,WAEpC,aAAa,KAAK,MAAM,CAAE,QAAO;AAGzC,QAAO;AACR;;;;;;AAOD,SAAS,wBAAwBC,UAA4B;CAC3D,MAAMC,eAAyB,CAAE;AACjC,MAAK,IAAI,IAAI,GAAG,IAAI,SAAS,QAAQ,IACnC,KAAI,SAAS,OAAO,KAAK;AAEvB,MAAI,IAAI,IAAI,SAAS,UAAU,SAAS,IAAI,OAAO,KAAK;AACtD;AACA;EACD;EACD,MAAM,aAAa,SAAS,QAAQ,KAAK,IAAI,EAAE;AAC/C,MAAI,eAAe,GAAI;EACvB,MAAM,MAAM,SAAS,MAAM,IAAI,GAAG,WAAW,CAAC,MAAM;AACpD,eAAa,KAAK,IAAI;AACtB,MAAI;CACL;AAEH,QAAO;AACR;;;;;;AAOD,SAAS,kBAAkBC,MAAwB;CACjD,MAAMC,WAAqB,CAAE;CAC7B,IAAI,UAAU;AACd,MAAK,MAAM,QAAQ,KACjB,KAAI,SAAS,OAAO,SAAS,KAAK;AAChC,MAAI,QAAS,UAAS,KAAK,QAAQ;AACnC,YAAU;CACX,WAAU,SAAS,OAAO,SAAS,KAAK,CAExC,MACC,YAAW;AAGf,KAAI,QAAS,UAAS,KAAK,QAAQ;AACnC,QAAO;AACR;;;;;;;;AASD,SAAS,8BACPF,cACAF,eACgE;CAChE,MAAM,kCAAkB,IAAI;CAC5B,MAAM,kCAAkB,IAAI;AAE5B,MAAK,IAAI,IAAI,GAAG,IAAI,aAAa,QAAQ,KAAK;EAC5C,MAAM,cAAc,aAAa;AAGjC,MAAI,gBAAgB,KAAK;AACvB,mBAAgB,IAAI,EAAE;AACtB;EACD;AAGD,MAAI,oBAAoB,aAAa,cAAc,EAAE;AACnD,mBAAgB,IAAI,EAAE;AACtB;EACD;EAED,MAAM,WAAW,kBAAkB,YAAY;AAC/C,OAAK,MAAM,WAAW,SACpB,KAAI,oBAAoB,SAAS,cAAc,EAAE;AAC/C,mBAAgB,IAAI,EAAE;AACtB;EACD;CAEJ;AACD,QAAO;EAAE;EAAiB;CAAiB;AAC5C;;;;;;;;;;;AAYD,SAAS,mBACPK,SACAC,iBACAC,iBACAC,oBACAC,QACoB;AACpB,KAAI,gBAAgB,SAAS,KAAK,gBAAgB,SAAS,EAAG,QAAO;CAErE,MAAMC,SAAoB,CAAE;CAC5B,IAAI,mBAAmB;AAEvB,MAAK,IAAI,IAAI,GAAG,IAAI,QAAQ,QAAQ,IAClC,KAAI,IAAI,MAAM,EAEZ,QAAO,KAAK,QAAQ,GAAG;MAClB;AAEL,MAAI,gBAAgB,IAAI,iBAAiB,CAEvC,QAAO,KAAK,mBAAmB;WACtB,gBAAgB,IAAI,iBAAiB,CAC9C,KAAI,UAAU,QAAQ,WAAW,SAC/B,QAAO,KAAK,GAAG;MAEf,QAAO,KAAK,OAAO,QAAQ,GAAG,CAAC;MAGjC,QAAO,KAAK,QAAQ,GAAG;AAEzB;CACD;AAEH,QAAO;AACR;;;;;;;AAQD,SAAS,sBACPC,UACAC,UACAC,KACM;AACN,MAAK,MAAM,OAAO,UAAU;EAC1B,MAAM,UAAU,SAAS;EACzB,MAAM,SAAS,SAAS;AAExB,MAAI,YAAY,OACd,KAAI,IAAI,SAAS,OAAO;AAI1B,aACS,YAAY,YAAY,YAAY,eACpC,WAAW,YAAY,WAAW,SACxC,MAAM,QAAQ,QAAQ,CAEvB,uBACE,SACA,QACA,IACD;CAEJ;AACF;;;;;;;AAQD,SAAS,kBACPF,UACAC,UACuB;CACvB,MAAM,sBAAM,IAAI;AAChB,uBAAsB,UAAU,UAAU,IAAI;AAC9C,QAAO;AACR;;;;;;;;AASD,SAAS,sBACPP,SACAS,gBACoB;AACpB,KAAI,eAAe,SAAS,EAAG,QAAO;CAEtC,MAAMJ,SAAoB,CAAE;AAC5B,MAAK,IAAI,IAAI,GAAG,IAAI,QAAQ,QAAQ,IAClC,KAAI,IAAI,MAAM,EACZ,QAAO,KAAK,QAAQ,GAAG;MAClB;EACL,MAAM,MAAM,QAAQ;AACpB,MAAI,eAAe,IAAI,IAAI,CACzB,QAAO,KAAK,eAAe,IAAI,IAAI,CAAC;MAEpC,QAAO,KAAK,IAAI;CAEnB;AAEH,QAAO;AACR"}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@logtape/redaction",
3
- "version": "1.1.3-dev.366+232bc8fc",
3
+ "version": "1.1.4",
4
4
  "description": "Redact sensitive data from log messages",
5
5
  "keywords": [
6
6
  "logging",
@@ -46,7 +46,7 @@
46
46
  },
47
47
  "sideEffects": false,
48
48
  "peerDependencies": {
49
- "@logtape/logtape": "^1.1.3-dev.366+232bc8fc"
49
+ "@logtape/logtape": "^1.1.4"
50
50
  },
51
51
  "devDependencies": {
52
52
  "@alinea/suite": "^0.6.3",
package/src/field.test.ts CHANGED
@@ -214,4 +214,208 @@ test("redactByField()", async () => {
214
214
  await wrappedSink[Symbol.asyncDispose]();
215
215
  assert(disposed);
216
216
  }
217
+
218
+ { // redacts values in message array (string template)
219
+ const records: LogRecord[] = [];
220
+ const wrappedSink = redactByField((r) => records.push(r), {
221
+ fieldPatterns: ["password"],
222
+ action: () => "[REDACTED]",
223
+ });
224
+
225
+ wrappedSink({
226
+ level: "info",
227
+ category: ["test"],
228
+ message: ["Password is ", "supersecret", ""],
229
+ rawMessage: "Password is {password}",
230
+ timestamp: Date.now(),
231
+ properties: { password: "supersecret" },
232
+ });
233
+
234
+ assertEquals(records[0].message, ["Password is ", "[REDACTED]", ""]);
235
+ assertEquals(records[0].properties.password, "[REDACTED]");
236
+ }
237
+
238
+ { // redacts multiple sensitive fields in message
239
+ const records: LogRecord[] = [];
240
+ const wrappedSink = redactByField((r) => records.push(r), {
241
+ fieldPatterns: ["password", "email"],
242
+ action: () => "[REDACTED]",
243
+ });
244
+
245
+ wrappedSink({
246
+ level: "info",
247
+ category: ["test"],
248
+ message: ["Login: ", "user@example.com", " with ", "secret123", ""],
249
+ rawMessage: "Login: {email} with {password}",
250
+ timestamp: Date.now(),
251
+ properties: { email: "user@example.com", password: "secret123" },
252
+ });
253
+
254
+ assertEquals(records[0].message[1], "[REDACTED]");
255
+ assertEquals(records[0].message[3], "[REDACTED]");
256
+ }
257
+
258
+ { // redacts nested property path in message
259
+ const records: LogRecord[] = [];
260
+ const wrappedSink = redactByField((r) => records.push(r), {
261
+ fieldPatterns: ["password"],
262
+ action: () => "[REDACTED]",
263
+ });
264
+
265
+ wrappedSink({
266
+ level: "info",
267
+ category: ["test"],
268
+ message: ["User password: ", "secret", ""],
269
+ rawMessage: "User password: {user.password}",
270
+ timestamp: Date.now(),
271
+ properties: { user: { password: "secret" } },
272
+ });
273
+
274
+ assertEquals(records[0].message[1], "[REDACTED]");
275
+ }
276
+
277
+ { // delete action uses empty string in message
278
+ const records: LogRecord[] = [];
279
+ const wrappedSink = redactByField((r) => records.push(r), {
280
+ fieldPatterns: ["password"],
281
+ });
282
+
283
+ wrappedSink({
284
+ level: "info",
285
+ category: ["test"],
286
+ message: ["Password: ", "secret", ""],
287
+ rawMessage: "Password: {password}",
288
+ timestamp: Date.now(),
289
+ properties: { password: "secret" },
290
+ });
291
+
292
+ assertEquals(records[0].message[1], "");
293
+ assertFalse("password" in records[0].properties);
294
+ }
295
+
296
+ { // non-sensitive field in message is not redacted
297
+ const records: LogRecord[] = [];
298
+ const wrappedSink = redactByField((r) => records.push(r), {
299
+ fieldPatterns: ["password"],
300
+ action: () => "[REDACTED]",
301
+ });
302
+
303
+ wrappedSink({
304
+ level: "info",
305
+ category: ["test"],
306
+ message: ["Username: ", "johndoe", ""],
307
+ rawMessage: "Username: {username}",
308
+ timestamp: Date.now(),
309
+ properties: { username: "johndoe" },
310
+ });
311
+
312
+ assertEquals(records[0].message[1], "johndoe");
313
+ }
314
+
315
+ { // wildcard {*} in message uses redacted properties
316
+ const records: LogRecord[] = [];
317
+ const wrappedSink = redactByField((r) => records.push(r), {
318
+ fieldPatterns: ["password"],
319
+ action: () => "[REDACTED]",
320
+ });
321
+
322
+ const props = { username: "john", password: "secret" };
323
+ wrappedSink({
324
+ level: "info",
325
+ category: ["test"],
326
+ message: ["Props: ", props, ""],
327
+ rawMessage: "Props: {*}",
328
+ timestamp: Date.now(),
329
+ properties: props,
330
+ });
331
+
332
+ // The {*} should be replaced with redacted properties
333
+ assertEquals(records[0].message[1], {
334
+ username: "john",
335
+ password: "[REDACTED]",
336
+ });
337
+ assertEquals(records[0].properties.password, "[REDACTED]");
338
+ }
339
+
340
+ { // escaped braces are not treated as placeholders
341
+ const records: LogRecord[] = [];
342
+ const wrappedSink = redactByField((r) => records.push(r), {
343
+ fieldPatterns: ["password"],
344
+ action: () => "[REDACTED]",
345
+ });
346
+
347
+ wrappedSink({
348
+ level: "info",
349
+ category: ["test"],
350
+ message: ["Value: ", "secret", ""],
351
+ rawMessage: "Value: {{password}} {password}",
352
+ timestamp: Date.now(),
353
+ properties: { password: "secret" },
354
+ });
355
+
356
+ // Only the second {password} is a placeholder
357
+ assertEquals(records[0].message[1], "[REDACTED]");
358
+ }
359
+
360
+ { // tagged template literal - redacts by comparing values
361
+ const records: LogRecord[] = [];
362
+ const wrappedSink = redactByField((r) => records.push(r), {
363
+ fieldPatterns: ["password"],
364
+ action: () => "[REDACTED]",
365
+ });
366
+
367
+ const rawMessage = ["Password: ", ""] as unknown as TemplateStringsArray;
368
+ Object.defineProperty(rawMessage, "raw", { value: rawMessage });
369
+
370
+ wrappedSink({
371
+ level: "info",
372
+ category: ["test"],
373
+ message: ["Password: ", "secret", ""],
374
+ rawMessage,
375
+ timestamp: Date.now(),
376
+ properties: { password: "secret" },
377
+ });
378
+
379
+ // Message should be redacted by value comparison
380
+ assertEquals(records[0].message[1], "[REDACTED]");
381
+ assertEquals(records[0].properties.password, "[REDACTED]");
382
+ }
383
+
384
+ { // array access path in message
385
+ const records: LogRecord[] = [];
386
+ const wrappedSink = redactByField((r) => records.push(r), {
387
+ fieldPatterns: ["password"],
388
+ action: () => "[REDACTED]",
389
+ });
390
+
391
+ wrappedSink({
392
+ level: "info",
393
+ category: ["test"],
394
+ message: ["First user password: ", "secret1", ""],
395
+ rawMessage: "First user password: {users[0].password}",
396
+ timestamp: Date.now(),
397
+ properties: { users: [{ password: "secret1" }] },
398
+ });
399
+
400
+ assertEquals(records[0].message[1], "[REDACTED]");
401
+ }
402
+
403
+ { // regex pattern matches in message placeholder
404
+ const records: LogRecord[] = [];
405
+ const wrappedSink = redactByField((r) => records.push(r), {
406
+ fieldPatterns: [/pass/i],
407
+ action: () => "[REDACTED]",
408
+ });
409
+
410
+ wrappedSink({
411
+ level: "info",
412
+ category: ["test"],
413
+ message: ["Passphrase: ", "mysecret", ""],
414
+ rawMessage: "Passphrase: {passphrase}",
415
+ timestamp: Date.now(),
416
+ properties: { passphrase: "mysecret" },
417
+ });
418
+
419
+ assertEquals(records[0].message[1], "[REDACTED]");
420
+ }
217
421
  });
package/src/field.ts CHANGED
@@ -64,11 +64,17 @@ export interface FieldRedactionOptions {
64
64
  }
65
65
 
66
66
  /**
67
- * Redacts properties in a {@link LogRecord} based on the provided field
68
- * patterns and action.
67
+ * Redacts properties and message values in a {@link LogRecord} based on the
68
+ * provided field patterns and action.
69
69
  *
70
70
  * Note that it is a decorator which wraps the sink and redacts properties
71
- * before passing them to the sink.
71
+ * and message values before passing them to the sink.
72
+ *
73
+ * For string templates (e.g., `"Hello, {name}!"`), placeholder names are
74
+ * matched against the field patterns to determine which values to redact.
75
+ *
76
+ * For tagged template literals (e.g., `` `Hello, ${name}!` ``), redaction
77
+ * is performed by comparing message values with redacted property values.
72
78
  *
73
79
  * @example
74
80
  * ```ts
@@ -89,7 +95,42 @@ export function redactByField(
89
95
  ): Sink | Sink & Disposable | Sink & AsyncDisposable {
90
96
  const opts = Array.isArray(options) ? { fieldPatterns: options } : options;
91
97
  const wrapped = (record: LogRecord) => {
92
- sink({ ...record, properties: redactProperties(record.properties, opts) });
98
+ const redactedProperties = redactProperties(record.properties, opts);
99
+ let redactedMessage = record.message;
100
+
101
+ if (typeof record.rawMessage === "string") {
102
+ // String template: redact by placeholder names
103
+ const placeholders = extractPlaceholderNames(record.rawMessage);
104
+ const { redactedIndices, wildcardIndices } =
105
+ getRedactedPlaceholderIndices(
106
+ placeholders,
107
+ opts.fieldPatterns,
108
+ );
109
+ if (redactedIndices.size > 0 || wildcardIndices.size > 0) {
110
+ redactedMessage = redactMessageArray(
111
+ record.message,
112
+ redactedIndices,
113
+ wildcardIndices,
114
+ redactedProperties,
115
+ opts.action,
116
+ );
117
+ }
118
+ } else {
119
+ // Tagged template: redact by comparing values
120
+ const redactedValues = getRedactedValues(
121
+ record.properties,
122
+ redactedProperties,
123
+ );
124
+ if (redactedValues.size > 0) {
125
+ redactedMessage = redactMessageByValues(record.message, redactedValues);
126
+ }
127
+ }
128
+
129
+ sink({
130
+ ...record,
131
+ message: redactedMessage,
132
+ properties: redactedProperties,
133
+ });
93
134
  };
94
135
  if (Symbol.dispose in sink) wrapped[Symbol.dispose] = sink[Symbol.dispose];
95
136
  if (Symbol.asyncDispose in sink) {
@@ -162,3 +203,213 @@ export function shouldFieldRedacted(
162
203
  }
163
204
  return false;
164
205
  }
206
+
207
+ /**
208
+ * Extracts placeholder names from a message template string in order.
209
+ * @param template The message template string.
210
+ * @returns An array of placeholder names in the order they appear.
211
+ */
212
+ function extractPlaceholderNames(template: string): string[] {
213
+ const placeholders: string[] = [];
214
+ for (let i = 0; i < template.length; i++) {
215
+ if (template[i] === "{") {
216
+ // Check for escaped brace
217
+ if (i + 1 < template.length && template[i + 1] === "{") {
218
+ i++;
219
+ continue;
220
+ }
221
+ const closeIndex = template.indexOf("}", i + 1);
222
+ if (closeIndex === -1) continue;
223
+ const key = template.slice(i + 1, closeIndex).trim();
224
+ placeholders.push(key);
225
+ i = closeIndex;
226
+ }
227
+ }
228
+ return placeholders;
229
+ }
230
+
231
+ /**
232
+ * Parses a property path into its segments.
233
+ * @param path The property path (e.g., "user.password" or "users[0].email").
234
+ * @returns An array of path segments.
235
+ */
236
+ function parsePathSegments(path: string): string[] {
237
+ const segments: string[] = [];
238
+ let current = "";
239
+ for (const char of path) {
240
+ if (char === "." || char === "[") {
241
+ if (current) segments.push(current);
242
+ current = "";
243
+ } else if (char === "]" || char === "?") {
244
+ // Skip these characters
245
+ } else {
246
+ current += char;
247
+ }
248
+ }
249
+ if (current) segments.push(current);
250
+ return segments;
251
+ }
252
+
253
+ /**
254
+ * Determines which placeholder indices should be redacted based on field
255
+ * patterns, and which are wildcard placeholders.
256
+ * @param placeholders Array of placeholder names from the template.
257
+ * @param fieldPatterns Field patterns to match against.
258
+ * @returns Object with redactedIndices and wildcardIndices.
259
+ */
260
+ function getRedactedPlaceholderIndices(
261
+ placeholders: string[],
262
+ fieldPatterns: FieldPatterns,
263
+ ): { redactedIndices: Set<number>; wildcardIndices: Set<number> } {
264
+ const redactedIndices = new Set<number>();
265
+ const wildcardIndices = new Set<number>();
266
+
267
+ for (let i = 0; i < placeholders.length; i++) {
268
+ const placeholder = placeholders[i];
269
+
270
+ // Track wildcard {*} separately
271
+ if (placeholder === "*") {
272
+ wildcardIndices.add(i);
273
+ continue;
274
+ }
275
+
276
+ // Check the full placeholder name
277
+ if (shouldFieldRedacted(placeholder, fieldPatterns)) {
278
+ redactedIndices.add(i);
279
+ continue;
280
+ }
281
+ // For nested paths, check each segment
282
+ const segments = parsePathSegments(placeholder);
283
+ for (const segment of segments) {
284
+ if (shouldFieldRedacted(segment, fieldPatterns)) {
285
+ redactedIndices.add(i);
286
+ break;
287
+ }
288
+ }
289
+ }
290
+ return { redactedIndices, wildcardIndices };
291
+ }
292
+
293
+ /**
294
+ * Redacts values in the message array based on the redacted placeholder
295
+ * indices and wildcard indices.
296
+ * @param message The original message array.
297
+ * @param redactedIndices Set of placeholder indices to redact.
298
+ * @param wildcardIndices Set of wildcard placeholder indices.
299
+ * @param redactedProperties The redacted properties object.
300
+ * @param action The redaction action.
301
+ * @returns New message array with redacted values.
302
+ */
303
+ function redactMessageArray(
304
+ message: readonly unknown[],
305
+ redactedIndices: Set<number>,
306
+ wildcardIndices: Set<number>,
307
+ redactedProperties: Record<string, unknown>,
308
+ action: "delete" | ((value: unknown) => unknown) | undefined,
309
+ ): readonly unknown[] {
310
+ if (redactedIndices.size === 0 && wildcardIndices.size === 0) return message;
311
+
312
+ const result: unknown[] = [];
313
+ let placeholderIndex = 0;
314
+
315
+ for (let i = 0; i < message.length; i++) {
316
+ if (i % 2 === 0) {
317
+ // Even index: text segment
318
+ result.push(message[i]);
319
+ } else {
320
+ // Odd index: value/placeholder
321
+ if (wildcardIndices.has(placeholderIndex)) {
322
+ // Wildcard {*}: replace with redacted properties
323
+ result.push(redactedProperties);
324
+ } else if (redactedIndices.has(placeholderIndex)) {
325
+ if (action == null || action === "delete") {
326
+ result.push("");
327
+ } else {
328
+ result.push(action(message[i]));
329
+ }
330
+ } else {
331
+ result.push(message[i]);
332
+ }
333
+ placeholderIndex++;
334
+ }
335
+ }
336
+ return result;
337
+ }
338
+
339
+ /**
340
+ * Collects redacted value mappings from original to redacted properties.
341
+ * @param original The original properties.
342
+ * @param redacted The redacted properties.
343
+ * @param map The map to populate with original -> redacted value pairs.
344
+ */
345
+ function collectRedactedValues(
346
+ original: Record<string, unknown>,
347
+ redacted: Record<string, unknown>,
348
+ map: Map<unknown, unknown>,
349
+ ): void {
350
+ for (const key in original) {
351
+ const origVal = original[key];
352
+ const redVal = redacted[key];
353
+
354
+ if (origVal !== redVal) {
355
+ map.set(origVal, redVal);
356
+ }
357
+
358
+ // Recurse into nested objects
359
+ if (
360
+ typeof origVal === "object" && origVal !== null &&
361
+ typeof redVal === "object" && redVal !== null &&
362
+ !Array.isArray(origVal)
363
+ ) {
364
+ collectRedactedValues(
365
+ origVal as Record<string, unknown>,
366
+ redVal as Record<string, unknown>,
367
+ map,
368
+ );
369
+ }
370
+ }
371
+ }
372
+
373
+ /**
374
+ * Gets a map of original values to their redacted replacements.
375
+ * @param original The original properties.
376
+ * @param redacted The redacted properties.
377
+ * @returns A map of original -> redacted values.
378
+ */
379
+ function getRedactedValues(
380
+ original: Record<string, unknown>,
381
+ redacted: Record<string, unknown>,
382
+ ): Map<unknown, unknown> {
383
+ const map = new Map<unknown, unknown>();
384
+ collectRedactedValues(original, redacted, map);
385
+ return map;
386
+ }
387
+
388
+ /**
389
+ * Redacts message array values by comparing with redacted property values.
390
+ * Used for tagged template literals where placeholder names are not available.
391
+ * @param message The original message array.
392
+ * @param redactedValues Map of original -> redacted values.
393
+ * @returns New message array with redacted values.
394
+ */
395
+ function redactMessageByValues(
396
+ message: readonly unknown[],
397
+ redactedValues: Map<unknown, unknown>,
398
+ ): readonly unknown[] {
399
+ if (redactedValues.size === 0) return message;
400
+
401
+ const result: unknown[] = [];
402
+ for (let i = 0; i < message.length; i++) {
403
+ if (i % 2 === 0) {
404
+ result.push(message[i]);
405
+ } else {
406
+ const val = message[i];
407
+ if (redactedValues.has(val)) {
408
+ result.push(redactedValues.get(val));
409
+ } else {
410
+ result.push(val);
411
+ }
412
+ }
413
+ }
414
+ return result;
415
+ }