Skip to content

Commit 9dfec0b

Browse files
authored
NEW (SFGE) @W-17915919@ (1 of 2) Implemented SFGE config except java_command (#243)
1 parent 4ee2629 commit 9dfec0b

File tree

6 files changed

+374
-17
lines changed

6 files changed

+374
-17
lines changed

packages/code-analyzer-sfge-engine/src/config.ts

+109-5
Original file line numberDiff line numberDiff line change
@@ -4,21 +4,125 @@ import {
44
} from "@salesforce/code-analyzer-engine-api";
55
import {getMessage} from "./messages";
66

7-
// TODO: As soon as we start adding config properties, we can stop ignoring this rule.
8-
// eslint-disable-next-line @typescript-eslint/no-empty-object-type
97
export type SfgeEngineConfig = {
8+
disable_limit_reached_violations: boolean;
9+
java_max_heap_size?: string;
10+
java_thread_count: number;
11+
java_thread_timeout: number;
1012
}
1113

1214
export const DEFAULT_SFGE_ENGINE_CONFIG: SfgeEngineConfig = {
15+
disable_limit_reached_violations: false,
16+
java_max_heap_size: undefined,
17+
java_thread_count: 4,
18+
java_thread_timeout: 900000
1319
};
1420

1521
export const SFGE_ENGINE_CONFIG_DESCRIPTION: ConfigDescription = {
1622
overview: getMessage('ConfigOverview'),
1723
fieldDescriptions: {
24+
// Whether to prevent 'sfge' from throwing LimitReached violations for complex paths.
25+
// By default, Salesforce Graph Engine attempts to detect complex paths that might cause OutOfMemory errors,
26+
// and throws LimitReached violations for these paths to continue evaluating other paths safely. The allowed
27+
// complexity is dynamically calculated based on the max Java heap size available, but in some cases you may
28+
// desire to disable this check in addition to increasing java_max_heap_size.
29+
disable_limit_reached_violations: {
30+
descriptionText: getMessage('ConfigFieldDescription_disable_limit_reached_violations'),
31+
valueType: "boolean",
32+
defaultValue: DEFAULT_SFGE_ENGINE_CONFIG.disable_limit_reached_violations
33+
},
34+
// Specifies the maximum size (in bytes) of the Java heap. The specified value is appended to the '-Xmx' Java
35+
// command option. The value must be a multiple of 1024, and greater than 2MB. Append the letter 'k' or 'K' to
36+
// indicate kilobytes, m or M to indicate megabytes, and g or G to indicate gigabytes. If unspecified, or specified`
37+
// as null, then the JVM will dynamically choose a default value at runtime based on system configuration.
38+
java_max_heap_size: {
39+
descriptionText: getMessage('ConfigFieldDescription_java_max_heap_size'),
40+
valueType: "string",
41+
defaultValue: null
42+
},
43+
// Specifies the number of Java threads available for parallel execution. Increasing the thread count allows for
44+
// Salesforce Graph Engine to evaluate more paths at the same time.
45+
java_thread_count: {
46+
descriptionText: getMessage('ConfigFieldDescription_java_thread_count'),
47+
valueType: "number",
48+
defaultValue: DEFAULT_SFGE_ENGINE_CONFIG.java_thread_count
49+
},
50+
// Specifies the maximum time (in milliseconds) a specific Java thread may execute before Salesforce Graph Engine
51+
// issues a Timeout violation.
52+
java_thread_timeout: {
53+
descriptionText: getMessage('ConfigFieldDescription_java_thread_timeout'),
54+
valueType: "number",
55+
defaultValue: DEFAULT_SFGE_ENGINE_CONFIG.java_thread_timeout
56+
}
1857
}
1958
}
2059

60+
const JAVA_HEAP_SIZE_REGEX: RegExp = /^\d+[kmg]?$/i;
61+
2162
export async function validateAndNormalizeConfig(cve: ConfigValueExtractor): Promise<SfgeEngineConfig> {
22-
cve.validateContainsOnlySpecifiedKeys([]);
23-
return {};
24-
}
63+
cve.validateContainsOnlySpecifiedKeys(['disable_limit_reached_violations', 'java_max_heap_size', 'java_thread_count', 'java_thread_timeout']);
64+
const sfgeConfigValueExtractor: SfgeConfigValueExtractor = new SfgeConfigValueExtractor(cve);
65+
return {
66+
disable_limit_reached_violations: sfgeConfigValueExtractor.extractBooleanValue('disable_limit_reached_violations'),
67+
java_max_heap_size: sfgeConfigValueExtractor.extractJavaMaxHeapSize(),
68+
java_thread_count: sfgeConfigValueExtractor.extractNumericValue('java_thread_count'),
69+
java_thread_timeout: sfgeConfigValueExtractor.extractNumericValue('java_thread_timeout')
70+
};
71+
}
72+
73+
class SfgeConfigValueExtractor {
74+
private readonly delegateExtractor: ConfigValueExtractor;
75+
76+
public constructor(delegateExtractor: ConfigValueExtractor) {
77+
this.delegateExtractor = delegateExtractor;
78+
}
79+
80+
public extractJavaMaxHeapSize(): string | undefined {
81+
const javaMaxHeapSize: string | undefined = this.delegateExtractor.extractString('java_max_heap_size', undefined, JAVA_HEAP_SIZE_REGEX);
82+
83+
if (!javaMaxHeapSize) {
84+
return undefined;
85+
}
86+
87+
if (javaMaxHeapSize.toLowerCase().endsWith('g')) {
88+
// A value expressed in gigabytes is always fine.
89+
return javaMaxHeapSize;
90+
}
91+
const numericPortion: number = parseInt(javaMaxHeapSize);
92+
if (numericPortion < expressTwoMegabytesInRelevantUnit(javaMaxHeapSize)) {
93+
throw new Error(getMessage(
94+
'InvalidConfigValue',
95+
this.delegateExtractor.getFieldPath('java_max_heap_size'),
96+
getMessage('InsufficientMemorySpecified')
97+
));
98+
}
99+
100+
const isStrictlyNumeric: boolean = /^\d+$/.test(javaMaxHeapSize);
101+
if (isStrictlyNumeric && numericPortion % 1024 !== 0) {
102+
throw new Error(getMessage(
103+
'InvalidConfigValue',
104+
this.delegateExtractor.getFieldPath('java_max_heap_size'),
105+
getMessage('InvalidMemoryMultiple')
106+
));
107+
}
108+
return javaMaxHeapSize;
109+
}
110+
111+
public extractBooleanValue(fieldName: string): boolean {
112+
return this.delegateExtractor.extractBoolean(fieldName, DEFAULT_SFGE_ENGINE_CONFIG[fieldName as keyof SfgeEngineConfig] as boolean)!;
113+
}
114+
115+
public extractNumericValue(fieldName: string): number {
116+
return this.delegateExtractor.extractNumber(fieldName, DEFAULT_SFGE_ENGINE_CONFIG[fieldName as keyof SfgeEngineConfig] as number)!;
117+
}
118+
}
119+
120+
function expressTwoMegabytesInRelevantUnit(val: string): number {
121+
if (val.toLowerCase().endsWith('m')) {
122+
return 2;
123+
} else if (val.toLowerCase().endsWith('k')) {
124+
return 2048; // 2MB === 2048KB
125+
} else {
126+
return 2 ** 21; // 2MB === 2^21 bytes
127+
}
128+
}

packages/code-analyzer-sfge-engine/src/engine.ts

+10-2
Original file line numberDiff line numberDiff line change
@@ -15,7 +15,7 @@ import {
1515
import {JavaCommandExecutor} from '@salesforce/code-analyzer-engine-api/utils';
1616
import {Clock, RealClock} from './utils';
1717
import {getMessage} from './messages';
18-
import {RuntimeSfgeWrapper, SfgeRuleInfo, SfgeRunResult} from "./sfge-wrapper";
18+
import {RuntimeSfgeWrapper, SfgeRuleInfo, SfgeRunOptions, SfgeRunResult} from "./sfge-wrapper";
1919
import {SfgeEngineConfig} from "./config";
2020

2121
const SFGE_RELEVANT_FILE_EXTENSIONS = ['.cls'];
@@ -87,11 +87,19 @@ export class SfgeEngine extends Engine {
8787

8888
const relevantFiles: string[] = await this.getRelevantFilesInWorkspace(runOptions.workspace);
8989

90+
const sfgeRunOptions: SfgeRunOptions = {
91+
heapSizeArg: this.config.java_max_heap_size,
92+
logFolder: runOptions.logFolder,
93+
disableLimitReachedViolations: this.config.disable_limit_reached_violations,
94+
threadCount: this.config.java_thread_count,
95+
threadTimeout: this.config.java_thread_timeout
96+
};
97+
9098
const sfgeResults: SfgeRunResult[] = await this.sfgeWrapper.invokeRunCommand(
9199
selectedRuleInfoList,
92100
relevantFiles, // TODO: WHEN WE ADD PATH-START TARGETING, THIS NEEDS TO CHANGE.
93101
relevantFiles,
94-
runOptions.logFolder,
102+
sfgeRunOptions,
95103
(innerPerc: number, message?: string) => this.emitRunRulesProgressEvent(5 + 93*innerPerc/100, message) // 5%-98%
96104
);
97105

packages/code-analyzer-sfge-engine/src/messages.ts

+30
Original file line numberDiff line numberDiff line change
@@ -7,12 +7,42 @@ const MESSAGE_CATALOG : { [key: string]: string } = {
77
`To learn more about this configuration, visit:\n` +
88
` [PLACEHOLDER LINK]`,
99

10+
ConfigFieldDescription_disable_limit_reached_violations:
11+
`Whether to prevent 'sfge' from throwing LimitReached violations for complex paths.\n` +
12+
`By default, Salesforce Graph Engine attempts to detect complex paths that might cause OutOfMemory errors,\n` +
13+
`and throws LimitReached violations for these paths to continue evaluating other paths safely. The allowed\n` +
14+
`complexity is dynamically calculated based on the max Java heap size available, but in some cases you may\n` +
15+
`desire to disable this check in addition to increasing java_max_heap_size.`,
16+
17+
ConfigFieldDescription_java_max_heap_size:
18+
`Specifies the maximum size (in bytes) of the Java heap. The specified value is appended to the '-Xmx' Java\n` +
19+
`command option. The value must be a multiple of 1024, and greater than 2MB. Append the letter 'k' or 'K' to\n` +
20+
`indicate kilobytes, m or M to indicate megabytes, and g or G to indicate gigabytes. If unspecified, or specified\n` +
21+
`as null, then the JVM will dynamically choose a default value at runtime based on system configuration.`,
22+
23+
ConfigFieldDescription_java_thread_count:
24+
`Specifies the number of Java threads available for parallel execution. Increasing the thread count allows for\n` +
25+
`Salesforce Graph Engine to evaluate more paths at the same time.`,
26+
27+
ConfigFieldDescription_java_thread_timeout:
28+
`Specifies the maximum time (in milliseconds) a specific Java thread may execute before Salesforce Graph Engine\n` +
29+
`issues a Timeout violation.`,
30+
1031
DeveloperPreviewRuleNotification:
1132
`This rule is in "Developer Preview" and is subject to change. %s`,
1233

1334
UnsupportedEngineName:
1435
`The SfgeEnginePlugin does not support an engine with the name '%s'.`,
1536

37+
InvalidConfigValue:
38+
`The '%s' configuration value is invalid. %s`,
39+
40+
InsufficientMemorySpecified:
41+
`The amount of memory specified must be >=2MB`,
42+
43+
InvalidMemoryMultiple:
44+
`The amount of memory specified in bytes must be divisible by 1024`,
45+
1646
WorkspaceAppearsIncomplete:
1747
`Specified workspace is missing %d possibly-relevant file(s) from the folder %s. Salesforce Graph Engine may be unable to create a complete graph of your project without all apex files included in your workspace. This may result in incomplete or incorrect results.`,
1848

packages/code-analyzer-sfge-engine/src/sfge-wrapper.ts

+22-3
Original file line numberDiff line numberDiff line change
@@ -62,6 +62,14 @@ const SFCA_REALTIME_START: string = 'SFCA-REALTIME-START';
6262
const SFCA_REALTIME_END: string = 'SFCA-REALTIME-END';
6363
const SFGE_ERROR_START: string = 'SfgeErrorStart';
6464

65+
export type SfgeRunOptions = {
66+
logFolder: string;
67+
disableLimitReachedViolations: boolean;
68+
threadCount: number;
69+
threadTimeout: number;
70+
heapSizeArg?: string;
71+
};
72+
6573
export class RuntimeSfgeWrapper {
6674
private readonly javaCommandExecutor: JavaCommandExecutor;
6775
private readonly logFileName: string;
@@ -100,20 +108,31 @@ export class RuntimeSfgeWrapper {
100108
}
101109
}
102110

103-
public async invokeRunCommand(selectedRuleInfos: SfgeRuleInfo[], targetPaths: string[], projectFilePaths: string[], logFolder: string, emitProgress: (percComplete: number) => void): Promise<SfgeRunResult[]> {
111+
public async invokeRunCommand(selectedRuleInfos: SfgeRuleInfo[], targetPaths: string[], projectFilePaths: string[], sfgeRunOptions: SfgeRunOptions, emitProgress: (percComplete: number) => void): Promise<SfgeRunResult[]> {
104112
const tmpDir: string = await this.getTemporaryWorkingDir();
105113
emitProgress(2);
106114

107115
const inputFileName: string = path.join(tmpDir, 'sfgeInput.json');
108-
const logFilePath: string = path.join(logFolder, this.logFileName);
116+
const logFilePath: string = path.join(sfgeRunOptions.logFolder, this.logFileName);
109117
const ruleNames: string[] = selectedRuleInfos.map(sri => sri.name);
110118

111119
await this.createSfgeInputFile(inputFileName, ruleNames, targetPaths, projectFilePaths);
112120
const resultsOutputFile: string = path.join(tmpDir, 'resultsFile.json');
113121
this.emitLogEvent(LogLevel.Debug, getMessage('LoggingToFile', 'run', logFilePath));
114122
emitProgress(10);
115123

116-
const javaCmdArgs: string[] = [`-Dsfge_log_name=${logFilePath}`, SFGE_MAIN_JAVA_CLASS, 'execute', inputFileName, resultsOutputFile];
124+
const javaCmdArgs: string[] = [`-Dsfge_log_name=${logFilePath}`];
125+
if (sfgeRunOptions.disableLimitReachedViolations) {
126+
// If the path expansion limit is set to -1, then there is no limit, and path expansion will continue unabated
127+
// instead of throwing LimitReached violations.
128+
javaCmdArgs.push('-DSFGE_PATH_EXPANSION_LIMIT=-1');
129+
}
130+
if (sfgeRunOptions.heapSizeArg) {
131+
javaCmdArgs.push(`-Xmx${sfgeRunOptions.heapSizeArg}`);
132+
}
133+
javaCmdArgs.push(`-DSFGE_RULE_THREAD_COUNT=${sfgeRunOptions.threadCount}`);
134+
javaCmdArgs.push(`-DSFGE_RULE_THREAD_TIMEOUT=${sfgeRunOptions.threadTimeout}`);
135+
javaCmdArgs.push(SFGE_MAIN_JAVA_CLASS, 'execute', inputFileName, resultsOutputFile);
117136
const javaClassPaths: string[] = [path.join(SFGE_WRAPPER_LIB_FOLDER, '*')];
118137

119138
try {

packages/code-analyzer-sfge-engine/test/engine.test.ts

+30-1
Original file line numberDiff line numberDiff line change
@@ -13,7 +13,7 @@ import {
1313
RunRulesProgressEvent,
1414
Workspace
1515
} from "@salesforce/code-analyzer-engine-api";
16-
import {DEFAULT_SFGE_ENGINE_CONFIG} from "../src/config";
16+
import {DEFAULT_SFGE_ENGINE_CONFIG, SfgeEngineConfig} from "../src/config";
1717
import {SfgeEngine} from "../src/engine";
1818
import {changeWorkingDirectoryToPackageRoot, FixedClock} from "./test-helpers";
1919

@@ -238,6 +238,35 @@ describe('SfgeEngine', () => {
238238
expect(actualProgressDescriptors).toEqual(expectedProgressDescriptors);
239239
});
240240

241+
it.each([
242+
{prop: 'disable_limit_reached_violations', value: true, javaArg: '-DSFGE_PATH_EXPANSION_LIMIT=-1'},
243+
{prop: 'java_max_heap_size', value: '2g', javaArg: '-Xmx2g'},
244+
{prop: 'java_thread_count', value: 7, javaArg: '-DSFGE_RULE_THREAD_COUNT=7'},
245+
{prop: 'java_thread_timeout', value: 40000, javaArg: '-DSFGE_RULE_THREAD_TIMEOUT=40000'}
246+
])('Config property $prop is properly passed through to Java layer', async ({prop, value, javaArg}) => {
247+
// ====== SETUP ======
248+
const config: SfgeEngineConfig = {
249+
...DEFAULT_SFGE_ENGINE_CONFIG,
250+
[prop]: value
251+
};
252+
const engine: SfgeEngine = new SfgeEngine(config);
253+
const workspace: Workspace = new Workspace([path.join(TEST_DATA_FOLDER, 'sampleRelevantWorkspace')]);
254+
const logEvents: LogEvent[] = [];
255+
engine.onEvent(EventType.LogEvent, (e: LogEvent) => logEvents.push(e));
256+
// Use a static rule, because we don't actually care about the results and we're trying to keep runtimes
257+
// manageable.
258+
const ruleNames: string[] = ['UnimplementedTypeRule'];
259+
260+
// ====== TESTED BEHAVIOR ======
261+
const results: EngineRunResults = await engine.runRules(ruleNames, createRunOptions(workspace));
262+
263+
// ====== ASSERTIONS ======
264+
expect(results.violations).toHaveLength(0);
265+
const fineLogEvents: LogEvent[] = logEvents.filter(e => e.logLevel === LogLevel.Fine);
266+
expect(fineLogEvents.length).toBeGreaterThanOrEqual(2);
267+
expect(fineLogEvents[1].message).toContain(javaArg);
268+
});
269+
241270
it('When a file cannot be scanned, an appropriate error is thrown', async () => {
242271
// ====== SETUP ======
243272
const engine: SfgeEngine = new SfgeEngine(DEFAULT_SFGE_ENGINE_CONFIG, fixedClock);

0 commit comments

Comments
 (0)