@needle-tools/engine 4.7.0-next.bbbc637 → 4.7.0-next.cac0716
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/CHANGELOG.md +5 -0
- package/dist/{needle-engine.bundle-rzZz_U5k.min.js → needle-engine.bundle-D3qm_TQG.min.js} +113 -113
- package/dist/{needle-engine.bundle-Bb7oB8Qy.umd.cjs → needle-engine.bundle-DLpl8Sxf.umd.cjs} +115 -115
- package/dist/{needle-engine.bundle-BOMrdPF_.js → needle-engine.bundle-JIDXvWaz.js} +3435 -3436
- package/dist/needle-engine.js +2 -2
- package/dist/needle-engine.min.js +1 -1
- package/dist/needle-engine.umd.cjs +1 -1
- package/lib/engine/engine_addressables.d.ts +1 -3
- package/lib/engine/engine_addressables.js +5 -12
- package/lib/engine/engine_addressables.js.map +1 -1
- package/lib/engine/engine_lightdata.js +12 -2
- package/lib/engine/engine_lightdata.js.map +1 -1
- package/package.json +2 -2
- package/plugins/common/logger.js +157 -49
- package/plugins/types/userconfig.d.ts +3 -1
- package/plugins/vite/logger.client.js +119 -6
- package/plugins/vite/logger.js +22 -6
- package/plugins/vite/materialx.js +6 -4
- package/src/engine/engine_addressables.ts +6 -15
- package/src/engine/engine_lightdata.ts +10 -2
package/plugins/common/logger.js
CHANGED
|
@@ -1,7 +1,9 @@
|
|
|
1
1
|
import { createWriteStream, existsSync, mkdirSync, readdirSync, rmSync, statSync, write } from "fs";
|
|
2
2
|
|
|
3
3
|
const filename_timestamp = new Date().toISOString().replace(/[:.]/g, '-').slice(0, 19);
|
|
4
|
+
const debug = false;
|
|
4
5
|
|
|
6
|
+
// #region public api
|
|
5
7
|
|
|
6
8
|
/**
|
|
7
9
|
* @typedef {"server" | "client" | "client-http"} ProcessType
|
|
@@ -21,23 +23,23 @@ export function patchConsoleLogs() {
|
|
|
21
23
|
|
|
22
24
|
console.log = (...args) => {
|
|
23
25
|
originalConsoleLog(...args);
|
|
24
|
-
captureLogMessage("server", 'log', args);
|
|
26
|
+
captureLogMessage("server", 'log', args, null);
|
|
25
27
|
};
|
|
26
28
|
console.error = (...args) => {
|
|
27
29
|
originalConsoleError(...args);
|
|
28
|
-
captureLogMessage("server", 'error', args);
|
|
30
|
+
captureLogMessage("server", 'error', args, null);
|
|
29
31
|
};
|
|
30
32
|
console.warn = (...args) => {
|
|
31
33
|
originalConsoleWarn(...args);
|
|
32
|
-
captureLogMessage("server", 'warn', args);
|
|
34
|
+
captureLogMessage("server", 'warn', args, null);
|
|
33
35
|
};
|
|
34
36
|
console.info = (...args) => {
|
|
35
37
|
originalConsoleInfo(...args);
|
|
36
|
-
captureLogMessage("server", 'info', args);
|
|
38
|
+
captureLogMessage("server", 'info', args, null);
|
|
37
39
|
};
|
|
38
40
|
console.debug = (...args) => {
|
|
39
41
|
originalConsoleDebug(...args);
|
|
40
|
-
captureLogMessage("server", 'debug', args);
|
|
42
|
+
captureLogMessage("server", 'debug', args, null);
|
|
41
43
|
};
|
|
42
44
|
|
|
43
45
|
// Restore original console methods
|
|
@@ -54,78 +56,72 @@ export function patchConsoleLogs() {
|
|
|
54
56
|
|
|
55
57
|
|
|
56
58
|
let isCapturing = false;
|
|
59
|
+
/** @type {Set<string>} */
|
|
60
|
+
const isCapturingLogMessage = new Set();
|
|
57
61
|
|
|
58
|
-
/** @type {Array<{ process: ProcessType, key: string, log:any, timestamp:number }>} */
|
|
62
|
+
/** @type {Array<{ process: ProcessType, key: string, log:any, timestamp:number, connectionId: string | null }>} */
|
|
59
63
|
const queue = new Array();
|
|
60
64
|
|
|
61
65
|
/**
|
|
62
66
|
* @param {ProcessType} process
|
|
63
67
|
* @param {string} key
|
|
64
68
|
* @param {any} log
|
|
69
|
+
* @param {string | null} connectionId - Optional connection ID for client logs.
|
|
70
|
+
* @param {number} [time] - Optional timestamp, defaults to current time.
|
|
65
71
|
*/
|
|
66
|
-
export function captureLogMessage(process, key, log, time = Date.now()) {
|
|
72
|
+
export function captureLogMessage(process, key, log, connectionId, time = Date.now()) {
|
|
73
|
+
|
|
74
|
+
if (isCapturingLogMessage.has(log)) {
|
|
75
|
+
return; // prevent circular logs
|
|
76
|
+
}
|
|
77
|
+
|
|
67
78
|
if (isCapturing) {
|
|
68
|
-
queue.push({ process, key, log, timestamp: Date.now() });
|
|
79
|
+
queue.push({ process, key, log, timestamp: Date.now(), connectionId });
|
|
69
80
|
return;
|
|
70
81
|
}
|
|
71
82
|
isCapturing = true;
|
|
83
|
+
isCapturingLogMessage.add(log);
|
|
72
84
|
|
|
73
85
|
try {
|
|
74
|
-
|
|
75
|
-
|
|
76
|
-
|
|
77
|
-
|
|
86
|
+
let str = stringifyLog(log);
|
|
87
|
+
if (str.trim().length > 0) {
|
|
88
|
+
// if(process === "server") str = stripAnsiColors(str);
|
|
89
|
+
const prefix = `${getTimestamp(time, true)}, ${process}${connectionId ? (`[${connectionId}]`) : ""}.${key}: `;
|
|
90
|
+
const separator = "";
|
|
91
|
+
const finalLog = indent(`${prefix}${separator}${removeEmptyLinesAtStart(str)}`, prefix.length, separator)
|
|
92
|
+
writeToFile(process, finalLog, connectionId);
|
|
93
|
+
}
|
|
78
94
|
} finally {
|
|
79
95
|
isCapturing = false;
|
|
96
|
+
isCapturingLogMessage.delete(log);
|
|
80
97
|
}
|
|
81
98
|
|
|
82
99
|
let queued = queue.pop();
|
|
83
100
|
if (queued) {
|
|
84
|
-
captureLogMessage(queued.process, queued.key, queued.log, queued.timestamp);
|
|
101
|
+
captureLogMessage(queued.process, queued.key, queued.log, queued.connectionId, queued.timestamp);
|
|
85
102
|
}
|
|
86
103
|
}
|
|
87
104
|
|
|
88
105
|
|
|
89
|
-
// #region
|
|
106
|
+
// #region stringify log
|
|
90
107
|
|
|
91
|
-
/**
|
|
92
|
-
* Returns the current timestamp in ISO format.
|
|
93
|
-
* @param {number} [date] - Optional date to format, defaults to current date.
|
|
94
|
-
*/
|
|
95
|
-
function getTimestamp(date, timeOnly = false) {
|
|
96
|
-
const now = date ? new Date(date) : new Date();
|
|
97
|
-
if (timeOnly) {
|
|
98
|
-
return now.toTimeString().split(' ')[0]; // HH:MM:SS
|
|
99
|
-
}
|
|
100
|
-
return now.toISOString();
|
|
101
|
-
}
|
|
102
108
|
|
|
103
109
|
/**
|
|
110
|
+
* Stringifies a log message, handling circular references and formatting.
|
|
104
111
|
* @param {any} log
|
|
105
112
|
* @param {Set<any>} [seen]
|
|
106
113
|
*/
|
|
107
|
-
function stringifyLog(log, seen = new Set()) {
|
|
114
|
+
function stringifyLog(log, seen = new Set(), depth = 0) {
|
|
108
115
|
|
|
109
|
-
|
|
110
|
-
|
|
111
|
-
|
|
112
|
-
|
|
113
|
-
|
|
114
|
-
let res = "";
|
|
115
|
-
for (let item of log) {
|
|
116
|
-
if (res) res += ", ";
|
|
117
|
-
res += stringifyLog(item, seen);
|
|
118
|
-
}
|
|
119
|
-
return res;
|
|
120
|
-
}
|
|
121
|
-
if (typeof log === "object") {
|
|
122
|
-
let entries = Object.entries(log).map(([key, value]) => {
|
|
123
|
-
return `"${key}": ${stringifyLog(value, seen)}`;
|
|
124
|
-
});
|
|
125
|
-
return `{ ${entries.join(", ")} }`;
|
|
116
|
+
const isServer = typeof window === "undefined";
|
|
117
|
+
const stringify_limits = {
|
|
118
|
+
string: isServer ? 100_000 : 2000,
|
|
119
|
+
object_keys: isServer ? 100 : 200,
|
|
120
|
+
array_items: isServer ? 2_000 : 100,
|
|
126
121
|
}
|
|
127
122
|
|
|
128
123
|
if (typeof log === "string") {
|
|
124
|
+
if (log.length > stringify_limits.string) log = `${log.slice(0, stringify_limits.string)}... <truncated ${log.length - stringify_limits.string} characters>`;
|
|
129
125
|
return log;
|
|
130
126
|
}
|
|
131
127
|
if (typeof log === "number" || typeof log === "boolean") {
|
|
@@ -137,9 +133,93 @@ function stringifyLog(log, seen = new Set()) {
|
|
|
137
133
|
if (log === undefined) {
|
|
138
134
|
return "undefined";
|
|
139
135
|
}
|
|
136
|
+
if (typeof log === "function") {
|
|
137
|
+
return "<function>";
|
|
138
|
+
}
|
|
139
|
+
|
|
140
|
+
if (seen.has(log)) return "<circular>";
|
|
141
|
+
|
|
142
|
+
if (Array.isArray(log)) {
|
|
143
|
+
seen.add(log);
|
|
144
|
+
return stringifyArray(log);
|
|
145
|
+
}
|
|
146
|
+
if (typeof log === "object") {
|
|
147
|
+
seen.add(log);
|
|
148
|
+
// const str = JSON.stringify(log, (key, value) => {
|
|
149
|
+
// if (typeof value === "function") return "<function>";
|
|
150
|
+
// if (typeof value === "string") return stringifyLog(value, seen, depth + 1);
|
|
151
|
+
// if (typeof value === "object") {
|
|
152
|
+
// if (seen.has(value)) return "<circular>";
|
|
153
|
+
// seen.add(value);
|
|
154
|
+
// }
|
|
155
|
+
// return value;
|
|
156
|
+
// });
|
|
157
|
+
// return str;
|
|
158
|
+
const keys = Object.keys(log);
|
|
159
|
+
let res = "{";
|
|
160
|
+
for (let i = 0; i < keys.length; i++) {
|
|
161
|
+
const key = keys[i];
|
|
162
|
+
let value = log[key];
|
|
163
|
+
|
|
164
|
+
if (typeof value === "number") {
|
|
165
|
+
// clamp precision for numbers
|
|
166
|
+
value = Number(value.toFixed(6));
|
|
167
|
+
}
|
|
168
|
+
let str = stringifyLog(value, seen, depth + 1);
|
|
169
|
+
if (typeof value === "object") {
|
|
170
|
+
if (Array.isArray(value)) {
|
|
171
|
+
str = `[${str}]`;
|
|
172
|
+
}
|
|
173
|
+
}
|
|
174
|
+
else if (typeof value === "string") {
|
|
175
|
+
str = `"${str}"`;
|
|
176
|
+
}
|
|
177
|
+
if (i > 0) res += ", ";
|
|
178
|
+
res += `"${key}":${str}`;
|
|
179
|
+
}
|
|
180
|
+
res += "}";
|
|
181
|
+
return res;
|
|
182
|
+
// let entries = Object.entries(log).map(([key, value], index) => {
|
|
183
|
+
// if (index > stringify_limits.object_keys) return `"${key}": <truncated>`;
|
|
184
|
+
// return `"${key}": ${stringifyLog(value, seen, depth + 1)}`;
|
|
185
|
+
// });
|
|
186
|
+
// return `{ ${entries.join(", ")} }`;
|
|
187
|
+
}
|
|
140
188
|
return String(log);
|
|
189
|
+
|
|
190
|
+
function stringifyArray(arr) {
|
|
191
|
+
let res = "";
|
|
192
|
+
for (let i = 0; i < arr.length; i++) {
|
|
193
|
+
let entry = arr[i];
|
|
194
|
+
if (res && i > 0) res += ", ";
|
|
195
|
+
if (i > stringify_limits.array_items) {
|
|
196
|
+
res += "<truncated " + (arr.length - i) + ">";
|
|
197
|
+
break;
|
|
198
|
+
}
|
|
199
|
+
res += stringifyLog(entry, seen, depth + 1);
|
|
200
|
+
}
|
|
201
|
+
return res;
|
|
202
|
+
}
|
|
203
|
+
}
|
|
204
|
+
|
|
205
|
+
|
|
206
|
+
|
|
207
|
+
|
|
208
|
+
// #region utility functions
|
|
209
|
+
|
|
210
|
+
/**
|
|
211
|
+
* Returns the current timestamp in ISO format.
|
|
212
|
+
* @param {number} [date] - Optional date to format, defaults to current date.
|
|
213
|
+
*/
|
|
214
|
+
function getTimestamp(date, timeOnly = false) {
|
|
215
|
+
const now = date ? new Date(date) : new Date();
|
|
216
|
+
if (timeOnly) {
|
|
217
|
+
return now.toTimeString().split(' ')[0]; // HH:MM:SS
|
|
218
|
+
}
|
|
219
|
+
return now.toISOString();
|
|
141
220
|
}
|
|
142
221
|
|
|
222
|
+
|
|
143
223
|
/**
|
|
144
224
|
* Indents a string by a specified length.
|
|
145
225
|
* @param {string} str - The string to indent.
|
|
@@ -158,10 +238,35 @@ function indent(str, length, separator = "") {
|
|
|
158
238
|
return lines.join("\n");
|
|
159
239
|
}
|
|
160
240
|
|
|
241
|
+
/**
|
|
242
|
+
* Removes empty lines at the start of a string.
|
|
243
|
+
* @param {string} str - The string to process.
|
|
244
|
+
*/
|
|
245
|
+
function removeEmptyLinesAtStart(str) {
|
|
246
|
+
const lines = str.split("\n");
|
|
247
|
+
for (let i = 0; i < lines.length; i++) {
|
|
248
|
+
const line = lines[i].trim();
|
|
249
|
+
if (line.length > 0) {
|
|
250
|
+
lines[i] = line; // keep the first non-empty line
|
|
251
|
+
return lines.slice(i).join("\n");
|
|
252
|
+
}
|
|
253
|
+
}
|
|
254
|
+
return "";
|
|
255
|
+
}
|
|
256
|
+
|
|
257
|
+
/**
|
|
258
|
+
* Strips ANSI color codes from a string.
|
|
259
|
+
* @param {string} str - The string to process.
|
|
260
|
+
*/
|
|
261
|
+
function stripAnsiColors(str) {
|
|
262
|
+
// This pattern catches most ANSI escape sequences
|
|
263
|
+
return str.replace(/\x1b\[[0-9;]*[a-zA-Z]/g, '');
|
|
264
|
+
}
|
|
265
|
+
|
|
161
266
|
|
|
162
267
|
// #region log to file
|
|
163
268
|
|
|
164
|
-
/** @type {Map<
|
|
269
|
+
/** @type {Map<string, import("fs").WriteStream>} */
|
|
165
270
|
const filestreams = new Map();
|
|
166
271
|
const fileLogDirectory = "node_modules/.needle/logs";
|
|
167
272
|
// cleanup old log files
|
|
@@ -184,17 +289,20 @@ if (existsSync(fileLogDirectory)) {
|
|
|
184
289
|
* Writes a log message to the file.
|
|
185
290
|
* @param {ProcessType} process
|
|
186
291
|
* @param {string} log
|
|
292
|
+
* @param {string | null} connectionId - Optional connection ID for client logs.
|
|
187
293
|
*/
|
|
188
|
-
function writeToFile(process, log) {
|
|
189
|
-
|
|
294
|
+
function writeToFile(process, log, connectionId) {
|
|
295
|
+
const filename = `${process}.needle.log`; //connectionId && process === "client" ? `${process}-${connectionId}.needle.log` : `${process}.needle.log`;
|
|
296
|
+
|
|
297
|
+
if (!filestreams.has(filename)) {
|
|
190
298
|
if (!existsSync(fileLogDirectory)) {
|
|
191
299
|
mkdirSync(fileLogDirectory, { recursive: true });
|
|
192
300
|
}
|
|
193
|
-
filestreams.set(
|
|
301
|
+
filestreams.set(filename, createWriteStream(`${fileLogDirectory}/${filename_timestamp}.${filename}`, { flags: 'a' }));
|
|
194
302
|
}
|
|
195
|
-
const writeStream = filestreams.get(
|
|
303
|
+
const writeStream = filestreams.get(filename);
|
|
196
304
|
if (!writeStream) {
|
|
197
|
-
console.error(`No write stream for process: ${
|
|
305
|
+
if (debug) console.error(`No write stream for process: ${filename}`);
|
|
198
306
|
return;
|
|
199
307
|
}
|
|
200
308
|
writeStream.write(log + '\n');
|
|
@@ -1,5 +1,4 @@
|
|
|
1
1
|
import { License } from "./license";
|
|
2
|
-
import { NeedlePWAOptions } from "./webmanifest.js";
|
|
3
2
|
|
|
4
3
|
export type needleModules = {
|
|
5
4
|
webpack: object | undefined
|
|
@@ -118,5 +117,8 @@ export type userSettings = {
|
|
|
118
117
|
*/
|
|
119
118
|
openBrowser?: boolean;
|
|
120
119
|
|
|
120
|
+
/** Automatically import MaterialX for needle engine in 'main.ts' */
|
|
121
121
|
loadMaterialX?: boolean;
|
|
122
|
+
|
|
123
|
+
disableLogging?: boolean;
|
|
122
124
|
}
|
|
@@ -7,11 +7,17 @@
|
|
|
7
7
|
*/
|
|
8
8
|
function sendLogToServer(level, ...message) {
|
|
9
9
|
if ("hot" in import.meta) {
|
|
10
|
+
message = stringifyLog(message);
|
|
10
11
|
// @ts-ignore
|
|
11
12
|
import.meta.hot.send("needle:client-log", { level, message: message });
|
|
12
13
|
}
|
|
13
14
|
}
|
|
14
15
|
|
|
16
|
+
// const obj = {
|
|
17
|
+
// hello: "world"
|
|
18
|
+
// }
|
|
19
|
+
// obj["test"] = obj;
|
|
20
|
+
// sendLogToServer("internal", "Test circular reference", obj);
|
|
15
21
|
|
|
16
22
|
if (import.meta && "hot" in import.meta) {
|
|
17
23
|
|
|
@@ -65,11 +71,14 @@ User Activation: ${"userActivation" in navigator ? JSON.stringify(navigator.user
|
|
|
65
71
|
if (device) {
|
|
66
72
|
const adapterInfo = device.adapterInfo;
|
|
67
73
|
if (adapterInfo) {
|
|
68
|
-
sendLogToServer("internal", [`WebGPU adapter info`,
|
|
69
|
-
|
|
70
|
-
|
|
71
|
-
|
|
72
|
-
|
|
74
|
+
sendLogToServer("internal", [`WebGPU adapter info`, {
|
|
75
|
+
vendor: adapterInfo.vendor,
|
|
76
|
+
architecture: adapterInfo.architecture,
|
|
77
|
+
device: adapterInfo.device,
|
|
78
|
+
description: adapterInfo.description,
|
|
79
|
+
features: adapterInfo.features,
|
|
80
|
+
limits: adapterInfo.limits
|
|
81
|
+
}]);
|
|
73
82
|
}
|
|
74
83
|
}
|
|
75
84
|
});
|
|
@@ -146,4 +155,108 @@ User Activation: ${"userActivation" in navigator ? JSON.stringify(navigator.user
|
|
|
146
155
|
|
|
147
156
|
|
|
148
157
|
|
|
149
|
-
}
|
|
158
|
+
}
|
|
159
|
+
|
|
160
|
+
|
|
161
|
+
|
|
162
|
+
|
|
163
|
+
|
|
164
|
+
// #region copied from common/logger.js
|
|
165
|
+
|
|
166
|
+
|
|
167
|
+
/**
|
|
168
|
+
* Stringifies a log message, handling circular references and formatting.
|
|
169
|
+
* @param {any} log
|
|
170
|
+
* @param {Set<any>} [seen]
|
|
171
|
+
*/
|
|
172
|
+
function stringifyLog(log, seen = new Set(), depth = 0) {
|
|
173
|
+
|
|
174
|
+
const isServer = typeof window === "undefined";
|
|
175
|
+
const stringify_limits = {
|
|
176
|
+
string: isServer ? 100_000 : 2000,
|
|
177
|
+
object_keys: isServer ? 100 : 200,
|
|
178
|
+
array_items: isServer ? 2_000 : 100,
|
|
179
|
+
}
|
|
180
|
+
|
|
181
|
+
if (typeof log === "string") {
|
|
182
|
+
if (log.length > stringify_limits.string) log = `${log.slice(0, stringify_limits.string)}... <truncated ${log.length - stringify_limits.string} characters>`;
|
|
183
|
+
return log;
|
|
184
|
+
}
|
|
185
|
+
if (typeof log === "number" || typeof log === "boolean") {
|
|
186
|
+
return String(log);
|
|
187
|
+
}
|
|
188
|
+
if (log === null) {
|
|
189
|
+
return "null";
|
|
190
|
+
}
|
|
191
|
+
if (log === undefined) {
|
|
192
|
+
return "undefined";
|
|
193
|
+
}
|
|
194
|
+
if (typeof log === "function") {
|
|
195
|
+
return "<function>";
|
|
196
|
+
}
|
|
197
|
+
|
|
198
|
+
if (seen.has(log)) return "<circular>";
|
|
199
|
+
|
|
200
|
+
if (Array.isArray(log)) {
|
|
201
|
+
seen.add(log);
|
|
202
|
+
return stringifyArray(log);
|
|
203
|
+
}
|
|
204
|
+
if (typeof log === "object") {
|
|
205
|
+
seen.add(log);
|
|
206
|
+
// const str = JSON.stringify(log, (key, value) => {
|
|
207
|
+
// if (typeof value === "function") return "<function>";
|
|
208
|
+
// if (typeof value === "string") return stringifyLog(value, seen, depth + 1);
|
|
209
|
+
// if (typeof value === "object") {
|
|
210
|
+
// if (seen.has(value)) return "<circular>";
|
|
211
|
+
// seen.add(value);
|
|
212
|
+
// }
|
|
213
|
+
// return value;
|
|
214
|
+
// });
|
|
215
|
+
// return str;
|
|
216
|
+
const keys = Object.keys(log);
|
|
217
|
+
let res = "{";
|
|
218
|
+
for (let i = 0; i < keys.length; i++) {
|
|
219
|
+
const key = keys[i];
|
|
220
|
+
let value = log[key];
|
|
221
|
+
|
|
222
|
+
if (typeof value === "number") {
|
|
223
|
+
// clamp precision for numbers
|
|
224
|
+
value = Number(value.toFixed(6));
|
|
225
|
+
}
|
|
226
|
+
let str = stringifyLog(value, seen, depth + 1);
|
|
227
|
+
if (typeof value === "object") {
|
|
228
|
+
if (Array.isArray(value)) {
|
|
229
|
+
str = `[${str}]`;
|
|
230
|
+
}
|
|
231
|
+
}
|
|
232
|
+
else if (typeof value === "string") {
|
|
233
|
+
str = `"${str}"`;
|
|
234
|
+
}
|
|
235
|
+
if (i > 0) res += ", ";
|
|
236
|
+
res += `"${key}":${str}`;
|
|
237
|
+
}
|
|
238
|
+
res += "}";
|
|
239
|
+
return res;
|
|
240
|
+
// let entries = Object.entries(log).map(([key, value], index) => {
|
|
241
|
+
// if (index > stringify_limits.object_keys) return `"${key}": <truncated>`;
|
|
242
|
+
// return `"${key}": ${stringifyLog(value, seen, depth + 1)}`;
|
|
243
|
+
// });
|
|
244
|
+
// return `{ ${entries.join(", ")} }`;
|
|
245
|
+
}
|
|
246
|
+
return String(log);
|
|
247
|
+
|
|
248
|
+
function stringifyArray(arr) {
|
|
249
|
+
let res = "";
|
|
250
|
+
for (let i = 0; i < arr.length; i++) {
|
|
251
|
+
let entry = arr[i];
|
|
252
|
+
if (res && i > 0) res += ", ";
|
|
253
|
+
if (i > stringify_limits.array_items) {
|
|
254
|
+
res += "<truncated " + (arr.length - i) + ">";
|
|
255
|
+
break;
|
|
256
|
+
}
|
|
257
|
+
res += stringifyLog(entry, seen, depth + 1);
|
|
258
|
+
}
|
|
259
|
+
return res;
|
|
260
|
+
}
|
|
261
|
+
}
|
|
262
|
+
|
package/plugins/vite/logger.js
CHANGED
|
@@ -10,12 +10,16 @@ const __dirname = path.dirname(__filename);
|
|
|
10
10
|
/**
|
|
11
11
|
* write logs to local file
|
|
12
12
|
* @param {import('../types/userconfig.js').userSettings} userSettings
|
|
13
|
-
* @returns {import('vite').Plugin}
|
|
13
|
+
* @returns {import('vite').Plugin | null}
|
|
14
14
|
*/
|
|
15
15
|
export const needleLogger = (command, config, userSettings) => {
|
|
16
16
|
|
|
17
|
+
if (userSettings?.disableLogging === true) {
|
|
18
|
+
return null;
|
|
19
|
+
}
|
|
20
|
+
|
|
17
21
|
patchConsoleLogs();
|
|
18
|
-
captureLogMessage("server", "info", "Vite started with command \"" + command + "\" in " + __dirname);
|
|
22
|
+
captureLogMessage("server", "info", "Vite started with command \"" + command + "\" in " + __dirname, null);
|
|
19
23
|
|
|
20
24
|
return {
|
|
21
25
|
name: "needle:logger",
|
|
@@ -58,12 +62,22 @@ export const needleLogger = (command, config, userSettings) => {
|
|
|
58
62
|
* @param {import('vite').PreviewServer | import('vite').ViteDevServer} server
|
|
59
63
|
*/
|
|
60
64
|
function logRequests(server, log_http_requests = false) {
|
|
65
|
+
/**
|
|
66
|
+
* Logs a message to the server console and captures it.
|
|
67
|
+
* @type {Map<import("vite").WebSocket, {id:string}>}
|
|
68
|
+
*/
|
|
69
|
+
const connectedClients = new Map();
|
|
70
|
+
let index = 0;
|
|
71
|
+
|
|
61
72
|
if ("ws" in server) {
|
|
62
73
|
// Clent connections
|
|
63
74
|
server.ws.on('connection', (socket, request) => {
|
|
64
|
-
|
|
75
|
+
const clientId = String(index++);
|
|
76
|
+
connectedClients.set(socket, { id: clientId });
|
|
77
|
+
const ip = request.socket.remoteAddress || 'unknown';
|
|
78
|
+
captureLogMessage("server", "connection", `New websocket connection established ${clientId} from ${ip}`, clientId);
|
|
65
79
|
socket.on('close', () => {
|
|
66
|
-
captureLogMessage("server", "connection",
|
|
80
|
+
captureLogMessage("server", "connection", `Websocket connection closed ${clientId}`, clientId);
|
|
67
81
|
});
|
|
68
82
|
});
|
|
69
83
|
// Client log messages via websocket
|
|
@@ -72,13 +86,15 @@ function logRequests(server, log_http_requests = false) {
|
|
|
72
86
|
console.warn("Received empty log data, ignoring");
|
|
73
87
|
return;
|
|
74
88
|
}
|
|
75
|
-
|
|
89
|
+
const socket = client.socket;
|
|
90
|
+
const info = connectedClients.get(socket);
|
|
91
|
+
captureLogMessage("client", data.level, data.message, info ? info.id : null);
|
|
76
92
|
});
|
|
77
93
|
}
|
|
78
94
|
// Log HTTP requests
|
|
79
95
|
if (log_http_requests) {
|
|
80
96
|
server.middlewares.use((req, res, next) => {
|
|
81
|
-
captureLogMessage("client-http", "info", [req.method, req.url]);
|
|
97
|
+
captureLogMessage("client-http", "info", [req.method, req.url], null);
|
|
82
98
|
next();
|
|
83
99
|
});
|
|
84
100
|
}
|
|
@@ -1,8 +1,8 @@
|
|
|
1
1
|
import { existsSync } from 'fs';
|
|
2
2
|
|
|
3
3
|
const materialx_packagejson_path = "node_modules/@needle-tools/materialx/package.json";
|
|
4
|
-
const materialx_import_chunk =
|
|
5
|
-
|
|
4
|
+
const materialx_import_chunk = `
|
|
5
|
+
import { useNeedleMaterialX } from "@needle-tools/materialx/needle";
|
|
6
6
|
useNeedleMaterialX();
|
|
7
7
|
`
|
|
8
8
|
|
|
@@ -20,8 +20,10 @@ export const needleMaterialXLoader = (command, config, userSettings) => {
|
|
|
20
20
|
transform: (code, id) => {
|
|
21
21
|
if (id.endsWith("src/main.ts")) {
|
|
22
22
|
if (userSettings?.loadMaterialX !== false && existsSync(materialx_packagejson_path)) {
|
|
23
|
-
|
|
24
|
-
|
|
23
|
+
if (!code.includes("@needle-tools/materialx")) {
|
|
24
|
+
console.log("[needle-materialx-loader] Adding MaterialX import to main.ts");
|
|
25
|
+
code = materialx_import_chunk + "\n" + code;
|
|
26
|
+
}
|
|
25
27
|
}
|
|
26
28
|
}
|
|
27
29
|
return code;
|
|
@@ -188,14 +188,11 @@ export class AssetReference {
|
|
|
188
188
|
private _urlName: string;
|
|
189
189
|
private _progressListeners: ProgressCallback[] = [];
|
|
190
190
|
|
|
191
|
-
private _hash?: string;
|
|
192
|
-
private _hashedUri: string;
|
|
193
|
-
|
|
194
191
|
private _isLoadingRawBinary: boolean = false;
|
|
195
192
|
private _rawBinary?: ArrayBufferLike | null;
|
|
196
193
|
|
|
197
194
|
/** @internal */
|
|
198
|
-
constructor(uri: string,
|
|
195
|
+
constructor(uri: string, _hash?: string, asset: any = null) {
|
|
199
196
|
this._url = uri;
|
|
200
197
|
|
|
201
198
|
const lastUriPart = uri.lastIndexOf("/");
|
|
@@ -210,14 +207,8 @@ export class AssetReference {
|
|
|
210
207
|
else {
|
|
211
208
|
this._urlName = uri;
|
|
212
209
|
}
|
|
213
|
-
|
|
214
|
-
this._hash = hash;
|
|
215
|
-
if (uri.includes("?v="))
|
|
216
|
-
this._hashedUri = uri;
|
|
217
|
-
else
|
|
218
|
-
this._hashedUri = hash ? uri + "?v=" + hash : uri;
|
|
210
|
+
|
|
219
211
|
if (asset !== null) this.asset = asset;
|
|
220
|
-
|
|
221
212
|
registerPrefabProvider(this._url, this.onResolvePrefab.bind(this));
|
|
222
213
|
}
|
|
223
214
|
|
|
@@ -263,8 +254,8 @@ export class AssetReference {
|
|
|
263
254
|
if (this._isLoadingRawBinary) return null;
|
|
264
255
|
if (this._rawBinary !== undefined) return this._rawBinary;
|
|
265
256
|
this._isLoadingRawBinary = true;
|
|
266
|
-
if (debug) console.log("Preload", this.
|
|
267
|
-
const res = await BlobStorage.download(this.
|
|
257
|
+
if (debug) console.log("Preload", this.url);
|
|
258
|
+
const res = await BlobStorage.download(this.url, p => {
|
|
268
259
|
this.raiseProgressEvent(p);
|
|
269
260
|
});
|
|
270
261
|
this._rawBinary = res?.buffer ?? null;
|
|
@@ -294,7 +285,7 @@ export class AssetReference {
|
|
|
294
285
|
// console.log("START LOADING");
|
|
295
286
|
if (this._rawBinary) {
|
|
296
287
|
if (!(this._rawBinary instanceof ArrayBuffer)) {
|
|
297
|
-
console.error("Invalid raw binary data"
|
|
288
|
+
console.error("Failed loading: Invalid raw binary data. Must be of type ArrayBuffer. " + (typeof this._rawBinary));
|
|
298
289
|
return null;
|
|
299
290
|
}
|
|
300
291
|
this._loading = getLoader().parseSync(context, this._rawBinary, this.url, null);
|
|
@@ -302,7 +293,7 @@ export class AssetReference {
|
|
|
302
293
|
}
|
|
303
294
|
else {
|
|
304
295
|
if (debug) console.log("Load async", this.url);
|
|
305
|
-
this._loading = getLoader().loadSync(context, this.
|
|
296
|
+
this._loading = getLoader().loadSync(context, this.url, this.url, null, prog => {
|
|
306
297
|
this.raiseProgressEvent(prog);
|
|
307
298
|
});
|
|
308
299
|
}
|
|
@@ -53,10 +53,12 @@ export class LightDataRegistry implements ILightDataRegistry {
|
|
|
53
53
|
}
|
|
54
54
|
|
|
55
55
|
tryGetSkybox(sourceId?: SourceIdentifier | null): Texture | null {
|
|
56
|
+
if (debugLightmap) console.log("[Get Skybox]", sourceId, this._lightmaps)
|
|
56
57
|
return this.tryGet(sourceId, LightmapType.Skybox, 0);
|
|
57
58
|
}
|
|
58
59
|
|
|
59
60
|
tryGetReflection(sourceId?: SourceIdentifier | null): Texture | null {
|
|
61
|
+
if (debugLightmap) console.log("[Get Reflection]", sourceId, this._lightmaps)
|
|
60
62
|
return this.tryGet(sourceId, LightmapType.Reflection, 0);
|
|
61
63
|
}
|
|
62
64
|
|
|
@@ -66,9 +68,15 @@ export class LightDataRegistry implements ILightDataRegistry {
|
|
|
66
68
|
return null;
|
|
67
69
|
}
|
|
68
70
|
const entry = this._lightmaps.get(sourceId);
|
|
69
|
-
if (!entry)
|
|
71
|
+
if (!entry) {
|
|
72
|
+
if (debugLightmap) console.warn(`[Lighting] No ${LightmapType[type]} texture entry for`, sourceId);
|
|
73
|
+
return null;
|
|
74
|
+
}
|
|
70
75
|
const arr = entry.get(type);
|
|
71
|
-
if (arr === undefined)
|
|
76
|
+
if (arr === undefined) {
|
|
77
|
+
if (debugLightmap) console.warn(`[Lighting] No ${LightmapType[type]} texture for`, sourceId, "index", index);
|
|
78
|
+
return null;
|
|
79
|
+
}
|
|
72
80
|
if (!arr?.length || arr.length <= index) return null;
|
|
73
81
|
return arr[index];
|
|
74
82
|
}
|