Skip to content

Commit 02049ac

Browse files
committed
improve logging separation, enable patch-package
1 parent a54379a commit 02049ac

File tree

10 files changed

+115
-62
lines changed

10 files changed

+115
-62
lines changed

docker/rootfs/root/.bash_profile

+2
Original file line numberDiff line numberDiff line change
@@ -19,3 +19,5 @@ fi
1919
alias ll='ls -alF'
2020
alias la='ls -A'
2121
alias l='ls -CF'
22+
23+
export PATH=/opt/typedaemon/node_modules/.bin/:$PATH

src/commands/dev_env.ts

+2-3
Original file line numberDiff line numberDiff line change
@@ -4,10 +4,10 @@ import fse = require("fs-extra")
44
import path = require("path");
55
import { CommandModule } from "yargs";
66

7+
import { saveGeneratedTsconfig } from "../common/generate_tsconfig";
8+
import { TD_DEVELOPER_MODE, TD_MODULES_PATH, TD_VERSION, __package_dir } from "../common/util";
79
import { UtilityHypervisor } from "../hypervisor/hypervisor";
810
import { InstallOpts, installDependencies } from "../hypervisor/packages";
9-
import { TD_DEVELOPER_MODE, TD_MODULES_PATH, TD_VERSION, __package_dir } from "../common/util";
10-
import { saveGeneratedTsconfig } from "../common/generate_tsconfig";
1111

1212
const INSTALL_MODE: 'download' | 'copy' | 'link' = 'copy';
1313

@@ -29,7 +29,6 @@ export async function syncDevEnv(wdir: string) {
2929
};
3030
const depOpts: InstallOpts = {
3131
dir: hv.operations_directory,
32-
logger: (msg) => console.log(' ' + msg),
3332
lockfile: false,
3433
}
3534
await installDependencies(depOpts, deps);

src/hypervisor/application_instance.ts

+19-8
Original file line numberDiff line numberDiff line change
@@ -64,9 +64,17 @@ export class ApplicationInstance extends BaseInstance<AppConfiguration, Applicat
6464
const lopts = this.options.logging;
6565
const file = this.loggerFile();
6666
return {
67-
tag: chalk.blue`Application: ${this.id}`,
68-
manager: { file: file, level: lopts?.system_level },
69-
user: { file: file, level: lopts?.level },
67+
tag: chalk.blue`App: ${this.id}`,
68+
manager: {
69+
file: file,
70+
level: lopts?.system_level,
71+
},
72+
user: {
73+
file: file,
74+
level: lopts?.level,
75+
// domain: chalk.blue.italic`App: ${this.id}`,
76+
label_format: "[[%MSG%]]"
77+
},
7078
}
7179
}
7280

@@ -195,12 +203,13 @@ export class ApplicationInstance extends BaseInstance<AppConfiguration, Applicat
195203

196204
// if (Object.keys(packageJson?.dependencies || {}).length > 0) {
197205
this.logMessage("info", `Installing packages`);
198-
await installDependencies({
206+
// TODO Skip if unchanged
207+
// - Add a file (eg .tdmeta) to the shared_operating_directory?
208+
await this.invoke(() => installDependencies({
199209
dir: this.shared_operating_directory,
200-
logger: (...args) => this.logMessage("debug", ...args),
201210
lockfile: this.isThickApp,
202211
devPackages: true,
203-
});
212+
}));
204213

205214
// Abort if the app started shutting down
206215
if (this.state as AppLifecycle != "initializing") return;
@@ -342,8 +351,10 @@ export class ApplicationInstance extends BaseInstance<AppConfiguration, Applicat
342351
}
343352

344353
private async compileModule() {
345-
const vm = await this.vm();
346-
return vm.runFile(this.entrypoint);
354+
return await this.invoke(async () => {
355+
const vm = await this.vm();
356+
return vm.runFile(this.entrypoint);
357+
})
347358
}
348359

349360
private _vm: AsyncReturnType<typeof createApplicationVM>;

src/hypervisor/logging.ts

+37-12
Original file line numberDiff line numberDiff line change
@@ -12,6 +12,8 @@ require('winston-daily-rotate-file');
1212
import { mapStackTrace } from "../app_transformer/source_maps";
1313
import { pojso } from "../common/util";
1414
import { current } from "./current";
15+
import { PluginInstance } from "./plugin_instance";
16+
import { HyperWrapper } from "./managed_apps";
1517

1618
export const CONSOLE_METHODS = ['debug', 'info', 'warn', 'error', 'dir'] as const;
1719
export type ConsoleMethod = TupleToUnion<typeof CONSOLE_METHODS>
@@ -31,8 +33,8 @@ const NUMERIC_LOG_LEVELS = {
3133

3234
export const ORIGINAL_CONSOLE = { ...console };
3335

34-
export function colorLogLevel(level: ConsoleMethod | string) {
35-
const nlevel = level.toLowerCase();
36+
export function colorLogLevel(level: ConsoleMethod | string, clevel = level) {
37+
const nlevel = clevel.toLowerCase();
3638
if (nlevel == "error") return chalk.red(level);
3739
if (nlevel == "warn") return chalk.yellow(level);
3840
if (nlevel == "info") return chalk.blue(level);
@@ -71,9 +73,11 @@ export function cleanAndMapStacktrace(err: Error) {
7173
const fmt = winston.format;
7274

7375
function formatMessage(m: winston.Logform.TransformableInfo) {
74-
let { level, message, label } = m;
75-
level = level.toUpperCase();
76-
return chalk`[${label}] - ${colorLogLevel(level)} - ${message}`;
76+
let { level, message, label, level_prefix, label_format } = m;
77+
label = (label_format as string || "[%MSG%]").replace('%MSG%', label);
78+
let flevel = (level_prefix || '') + level;
79+
flevel = flevel.toUpperCase();
80+
return chalk`${label} - ${colorLogLevel(flevel, level)} - ${message}`;
7781
}
7882

7983
const formatter = fmt.printf(formatMessage)
@@ -101,6 +105,8 @@ const filter = fmt((info) => {
101105
})
102106

103107
export interface LoggerOptions {
108+
level_prefix?: string;
109+
label_format?: string;
104110
domain?: string;
105111
level?: LogLevel;
106112
file?: string;
@@ -155,7 +161,11 @@ export function createDomainLogger(opts: LoggerOptions) {
155161
fmt.label({ label: opts.domain || 'System' }),
156162
filter(),
157163
),
158-
defaultMeta: { service: 'user-service' },
164+
defaultMeta: {
165+
service: 'user-service',
166+
level_prefix: opts.level_prefix,
167+
label_format: opts.label_format,
168+
},
159169
transports,
160170
}) as any as ExtendedLoger;
161171

@@ -204,33 +214,48 @@ export function createDomainLogger(opts: LoggerOptions) {
204214

205215
export type LogAMessage = typeof logMessage;
206216

217+
export function logClientMessage(level: LogLevel, ...rest: any[]) {
218+
const ctx = current.application;
219+
const logger = ctx?.userSpaceLogger || UNKNOWN_LOGGER
220+
logger.logMessage(level, rest);
221+
}
222+
223+
export function logPluginClientMessage(plugin: any, level: LogLevel, ...rest: any[]) {
224+
if (!(plugin instanceof PluginInstance)) plugin = plugin[HyperWrapper];
225+
226+
const ctx = current.application;
227+
const logger = ctx?.logger || UNKNOWN_LOGGER
228+
logger.logMessage(level, ["[" + chalk.blueBright`${plugin.id}` + "]", ...rest], {});
229+
}
230+
207231
export function logMessage(level: LogLevel, ...rest: any[]) {
208232
const ctx = current.application || current.hypervisor;
209-
const logger = ctx?.logger || UKNOWN_LOGGER
233+
const logger = ctx?.logger || UNKNOWN_LOGGER
210234
logger.logMessage(level, rest);
211235
}
212236

213-
export function logSystemMessage(level: LogLevel, ...rest: any[]) {
237+
export function logHVMessage(level: LogLevel, ...rest: any[]) {
214238
const ctx = current.hypervisor;
215-
const logger = ctx?.logger || UKNOWN_LOGGER
239+
const logger = ctx?.logger || UNKNOWN_LOGGER
216240
logger.logMessage(level, rest);
217241
}
218242

219-
let UKNOWN_LOGGER = createDomainLogger({ domain: chalk.yellow("???") });
243+
export let UNKNOWN_LOGGER = createDomainLogger({ domain: chalk.yellow("???") });
220244
export function setFallbackLogger(logger: ExtendedLoger) {
221-
UKNOWN_LOGGER = logger;
245+
UNKNOWN_LOGGER = logger;
222246
}
223247

224248
export function redirectConsole() {
225249
for (let cm of CONSOLE_METHODS) {
226250
console[cm] = (m, ...rest) => {
227251
const ctx = current.application || current.hypervisor;
228-
const logger = ctx?.logger || UKNOWN_LOGGER
252+
const logger = ctx?.logger || UNKNOWN_LOGGER
229253
try {
230254
logger.logMessage(cm, [m, ...rest]);
231255
} catch (ex) {
232256
ORIGINAL_CONSOLE.error(ex)
233257
}
234258
}
235259
}
260+
console.log = (...rest) => console.info(...rest);
236261
}

src/hypervisor/managed_apps.ts

+11-6
Original file line numberDiff line numberDiff line change
@@ -10,7 +10,7 @@ import { LifecycleHelper } from "../common/lifecycle_helper";
1010
import { timeoutPromise } from "../common/util";
1111
import { AppLifecycle } from "./application_instance";
1212
import { Hypervisor } from "./hypervisor";
13-
import { ExtendedLoger, LogLevel, createDomainLogger } from "./logging";
13+
import { ExtendedLoger, LogLevel, LoggerOptions, createDomainLogger } from "./logging";
1414

1515
interface LifecycleEvents {
1616
// started: () => void;
@@ -52,10 +52,15 @@ interface InstanceContext {
5252
namespace: AppNamespace;
5353
}
5454

55+
interface LoggerTypeOptions extends LoggerOptions {
56+
level: LogLevel;
57+
file: string;
58+
}
59+
5560
export interface InstanceLogConfig {
5661
tag: string;
57-
user?: { level: LogLevel, file: string };
58-
manager?: { level: LogLevel, file: string };
62+
user?: LoggerTypeOptions;
63+
manager?: LoggerTypeOptions;
5964
}
6065

6166
export abstract class BaseInstance<C, A extends BaseInstanceClient<any> = BaseInstanceClient<any>, const L extends ListenerSignature<L> = any> extends TypedEmitter<Merge<L, LifecycleEvents>> {
@@ -104,15 +109,15 @@ export abstract class BaseInstance<C, A extends BaseInstanceClient<any> = BaseIn
104109
this._logger = createDomainLogger({
105110
level: "warn",
106111
domain,
107-
...manager,
108112
...rest,
113+
...manager,
109114
})
110115

111116
this._userSpaceLogger = createDomainLogger({
112117
level: "debug",
113118
domain,
114-
...user,
115119
...rest,
120+
...user,
116121
})
117122
}
118123

@@ -142,7 +147,7 @@ export abstract class BaseInstance<C, A extends BaseInstanceClient<any> = BaseIn
142147
private _state: AppLifecycle = "initializing";
143148
protected transitionState(nstate: AppLifecycle) {
144149
this._state = nstate;
145-
this.logMessage("lifecycle", upcaseFirstChar(nstate))
150+
this.logClientMessage("lifecycle", upcaseFirstChar(nstate))
146151
// @ts-ignore
147152
this.emit("lifecycle", nstate);
148153
// @ts-ignore

src/hypervisor/packages.ts

+32-21
Original file line numberDiff line numberDiff line change
@@ -1,16 +1,16 @@
11
import fs = require("fs");
22
import execa = require("execa");
33
import path = require("path");
4-
import { __package_dir } from "../common/util";
4+
import { TD_MODULES_PATH } from "../common/util";
5+
import { LogLevel, logMessage } from "./logging";
56

67
export interface InstallOpts {
78
dir: string;
89
lockfile?: boolean;
910
devPackages?: boolean;
10-
logger: (...args: any[]) => void;
1111
}
1212

13-
export async function installDependencies({ dir, logger, ...opts }: InstallOpts, dependencies?) {
13+
export async function installDependencies({ dir, ...opts }: InstallOpts, dependencies?) {
1414
const flags: string[] = ["--non-interactive"];
1515

1616
if (opts.lockfile === false) {
@@ -44,33 +44,44 @@ export async function installDependencies({ dir, logger, ...opts }: InstallOpts,
4444
NODE_ENV: "development",
4545
}
4646
}),
47-
logger,
47+
{
48+
ignored_patterns: [
49+
"No license field",
50+
]
51+
}
4852
)
4953

50-
// logger("Patching Packages")
54+
logMessage("info", "Patching packages")
5155

52-
// await handle_subproc(
53-
// execa('patch-package', ['--patch-dir', path.join(__package_dir, 'patches')], {
54-
// cwd: dir,
55-
// }),
56-
// logger,
57-
// )
56+
await handle_subproc(
57+
execa(path.join(TD_MODULES_PATH, '.bin', `patch-package`), [], {
58+
cwd: dir,
59+
}),
60+
{
61+
ignored_patterns: [
62+
"No license field",
63+
"No patch files found",
64+
]
65+
}
66+
)
5867

5968
if (dependencies) {
6069
await fs.promises.unlink(pkgjsonFile);
6170
}
6271
}
6372

64-
async function handle_subproc(proc: execa.ExecaChildProcess, logger: InstallOpts['logger']) {
65-
proc.stdout.on('data', (data) => {
66-
logger(data.toString().trim())
67-
});
68-
proc.stderr.on('data', (data) => {
69-
logger(data.toString().trim())
70-
});
71-
// subprocess.stderr.on('data', (data) => {
72-
// host.logMessage("error", `yarn - ${data.toString().trim()}`)
73-
// });
73+
async function handle_subproc(proc: execa.ExecaChildProcess, { ignored_patterns }: { ignored_patterns?: (string | RegExp)[] } = { ignored_patterns: [] }) {
74+
const printer_factory = (level: LogLevel) => (data) => {
75+
const lines = (data.toString() as string).trim().split("\n");
76+
lineloop: for (let l of lines) {
77+
for (let p of ignored_patterns) {
78+
if (l.match(p)) continue lineloop;
79+
}
80+
logMessage(level, l);
81+
}
82+
}
83+
proc.stdout.on('data', printer_factory("debug"));
84+
proc.stderr.on('data', printer_factory("warn"));
7485
const { stdout, stderr, exitCode, failed } = await proc;
7586
if (failed || exitCode > 0) {
7687
throw new Error(`Failed to install dependencies with yarn`);

src/hypervisor/plugin_instance.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -2,8 +2,8 @@ import path = require("path");
22
import chalk = require("chalk");
33
import deepEqual = require("deep-eql");
44

5-
import { BaseInstance, InstanceLogConfig } from "../hypervisor/managed_apps";
65
import { PluginConfiguration } from "../hypervisor/config_plugin";
6+
import { BaseInstance, InstanceLogConfig } from "../hypervisor/managed_apps";
77
import { PLUGIN_TYPES } from "../plugins";
88
import { Plugin } from "../plugins/base";
99
import { configChangeHandler } from "./managed_config_events";

src/plugins/home_assistant/entity_api/auto_cleaning.ts

+5-6
Original file line numberDiff line numberDiff line change
@@ -3,11 +3,10 @@ import { AbstractConstructor } from "type-fest";
33
import { TDEntity } from ".";
44
import { HomeAssistantPlugin } from "..";
55
import { DestroyerStore } from "../../../hypervisor/destroyer";
6-
import { logMessage } from "../../../hypervisor/logging";
6+
import { logMessage, logPluginClientMessage } from "../../../hypervisor/logging";
77
import { HyperWrapper } from "../../../hypervisor/managed_apps";
8-
import { HomeAssistantApi, homeAssistantApi } from "../api";
9-
import { EntityStore } from "./store";
108
import { get_plugin } from "../../base";
9+
import { EntityStore } from "./store";
1110

1211
export interface AutoCleanEntry {
1312
uuid: string;
@@ -53,7 +52,7 @@ export const trackAutocleanEntity = (store: EntityStore, entity: TDEntity<any>)
5352
const cleaner: Autocleaner = entity.constructor[SymbolAutocleaner];
5453
if (!cleaner) return;
5554

56-
console.debug(`Adding '${entity.uuid}' to autocleans`);
55+
logPluginClientMessage(store.plugin, "debug", `Adding '${entity.uuid}' to autocleans`);
5756

5857
const { application, plugin } = store;
5958

@@ -87,12 +86,12 @@ export const autocleanEntities = async (store: EntityStore) => {
8786
keepEntriesByCUID[cuid] = ent;
8887
} else {
8988
try {
90-
console.debug(`Autocleaning '${ent.uuid}'`);
89+
logPluginClientMessage(plugin, "debug", `Autocleaning '${ent.uuid}'`);
9190
const cleaner = getAutocleaner(ent.cleaner_key);
9291
// TODO Should this hold up the thread, or occur totally asynchronously?
9392
await cleaner.destroy_entity(ent.cleaner_opts, store);
9493
} catch (ex) {
95-
application.logMessage("warn", `Failed to autoclean entity '${ent.uuid}':`, ex)
94+
logPluginClientMessage(plugin, "warn", `Failed to autoclean entity '${ent.uuid}':`, ex)
9695
}
9796
}
9897
}

src/plugins/home_assistant/entity_api/store.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
import { TDEntity } from ".";
22
import type { HomeAssistantPlugin } from "..";
33
import { ApplicationInstance } from "../../../hypervisor/application_instance";
4-
import { logMessage } from "../../../hypervisor/logging";
4+
import { logPluginClientMessage } from "../../../hypervisor/logging";
55
import { HyperWrapper } from "../../../hypervisor/managed_apps";
66
import { MqttPlugin } from "../../mqtt";
77
import { HAEntititesDestroyer, autocleanEntities } from "./auto_cleaning";
@@ -34,7 +34,7 @@ export class EntityStore {
3434
}
3535

3636
entity['_bound_store'] = this;
37-
logMessage("debug", `Registering entity '${entity.uuid}'`)
37+
logPluginClientMessage(this.plugin, "debug", `Registering entity '${entity.uuid}'`)
3838

3939
entity['_disposers'].prepend(() => {
4040
this._untrackEntity(entity)

0 commit comments

Comments
 (0)