Many resources are needed to download a project. Please understand that we have to compensate our server costs. Thank you in advance. Project price only 1 $
You can buy this project and download/modify it how often you want.
/*
* SonarQube JavaScript Plugin
* Copyright (C) 2011-2024 SonarSource SA
* mailto:info AT sonarsource DOT com
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the GNU Lesser General Public
* License as published by the Free Software Foundation; either
* version 3 of the License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public License
* along with this program; if not, write to the Free Software Foundation,
* Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
*/
package org.sonar.plugins.javascript.nodejs;
import static java.util.Arrays.asList;
import static java.util.Collections.emptyMap;
import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.attribute.PosixFilePermission;
import java.util.ArrayList;
import java.util.EnumSet;
import java.util.List;
import java.util.Map;
import java.util.concurrent.TimeUnit;
import java.util.function.Consumer;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.sonar.api.config.Configuration;
import org.sonar.api.utils.Version;
import org.sonar.plugins.javascript.bridge.EmbeddedNode;
public class NodeCommandBuilderImpl implements NodeCommandBuilder {
private static final Logger LOG = LoggerFactory.getLogger(NodeCommandBuilderImpl.class);
public static final String NODE_EXECUTABLE_DEFAULT = "node";
private static final String NODE_EXECUTABLE_DEFAULT_MACOS =
"package/node_modules/run-node/run-node";
public static final String NODE_EXECUTABLE_PROPERTY = "sonar.nodejs.executable";
private static final String NODE_FORCE_HOST_PROPERTY = "sonar.nodejs.forceHost";
private static final Pattern NODEJS_VERSION_PATTERN = Pattern.compile(
"v?(\\d+)\\.(\\d+)\\.(\\d+)"
);
private final ProcessWrapper processWrapper;
private EmbeddedNode embeddedNode;
private Version minNodeVersion;
private Configuration configuration;
private List args = new ArrayList<>();
private List nodeJsArgs = new ArrayList<>();
private Consumer outputConsumer = LOG::info;
private Consumer errorConsumer = LOG::error;
private String scriptFilename;
private BundlePathResolver pathResolver;
private Version actualNodeVersion;
private Map env = Map.of();
public NodeCommandBuilderImpl(ProcessWrapper processWrapper) {
this.processWrapper = processWrapper;
}
@Override
public NodeCommandBuilder minNodeVersion(Version minNodeVersion) {
this.minNodeVersion = minNodeVersion;
return this;
}
@Override
public NodeCommandBuilder configuration(Configuration configuration) {
this.configuration = configuration;
return this;
}
@Override
public NodeCommandBuilder maxOldSpaceSize(int maxOldSpaceSize) {
nodeJsArgs("--max-old-space-size=" + maxOldSpaceSize);
LOG.info("Configured Node.js --max-old-space-size={}.", maxOldSpaceSize);
return this;
}
@Override
public NodeCommandBuilder nodeJsArgs(String... nodeJsArgs) {
this.nodeJsArgs.addAll(asList(nodeJsArgs));
return this;
}
@Override
public NodeCommandBuilder script(String scriptFilename) {
this.scriptFilename = scriptFilename;
return this;
}
@Override
public NodeCommandBuilder scriptArgs(String... args) {
this.args = asList(args);
return this;
}
@Override
public NodeCommandBuilder outputConsumer(Consumer consumer) {
this.outputConsumer = consumer;
return this;
}
@Override
public NodeCommandBuilder errorConsumer(Consumer consumer) {
this.errorConsumer = consumer;
return this;
}
@Override
public NodeCommandBuilder pathResolver(BundlePathResolver pathResolver) {
this.pathResolver = pathResolver;
return this;
}
@Override
public NodeCommandBuilder env(Map env) {
this.env = Map.copyOf(env);
return this;
}
@Override
public NodeCommandBuilder embeddedNode(EmbeddedNode embeddedNode) {
this.embeddedNode = embeddedNode;
return this;
}
/**
* Retrieves node executable from sonar.node.executable property or using default if absent.
* Then will check Node.js version by running {@code node -v}, then
* returns {@link NodeCommand} instance.
*
* @throws NodeCommandException when actual Node.js version doesn't satisfy minimum version requested,
* or if failed to run {@code node -v}
*/
@Override
public NodeCommand build() throws NodeCommandException, IOException {
String nodeExecutable = retrieveNodeExecutable(configuration);
checkNodeCompatibility(nodeExecutable);
if (nodeJsArgs.isEmpty() && scriptFilename == null && args.isEmpty()) {
throw new IllegalArgumentException("Missing arguments for Node.js.");
}
if (scriptFilename == null && !args.isEmpty()) {
throw new IllegalArgumentException("No script provided, but script arguments found.");
}
return new NodeCommand(
processWrapper,
nodeExecutable,
actualNodeVersion,
nodeJsArgs,
scriptFilename,
args,
outputConsumer,
errorConsumer,
env
);
}
private void checkNodeCompatibility(String nodeExecutable) throws NodeCommandException {
if (minNodeVersion == null) {
return;
}
LOG.debug("Checking Node.js version");
String versionString = NodeVersion.getVersion(processWrapper, nodeExecutable);
actualNodeVersion = nodeVersion(versionString);
if (!actualNodeVersion.isGreaterThanOrEqual(minNodeVersion)) {
throw new NodeCommandException(
String.format(
"Unsupported Node.JS version detected %s. Please upgrade to the latest Node.JS LTS version.",
actualNodeVersion
)
);
}
LOG.debug("Using Node.js {}.", versionString);
}
// Visible for testing
static Version nodeVersion(String versionString) throws NodeCommandException {
Matcher versionMatcher = NODEJS_VERSION_PATTERN.matcher(versionString);
if (versionMatcher.lookingAt()) {
return Version.create(
Integer.parseInt(versionMatcher.group(1)),
Integer.parseInt(versionMatcher.group(2)),
Integer.parseInt(versionMatcher.group(3))
);
} else {
throw new NodeCommandException(
"Failed to parse Node.js version, got '" + versionString + "'"
);
}
}
/**
* Finds a node runtime by looking into:
* 1. sonar.nodejs.executable
* 2. an embedded runtime bundled with the analyzer
* 3. a runtime on the host
* If sonar.nodejs.forceHost is enabled, 2. is ignored
*
* @param configuration
* @return
* @throws NodeCommandException
* @throws IOException
*/
private String retrieveNodeExecutable(Configuration configuration)
throws NodeCommandException, IOException {
if (configuration.hasKey(NODE_EXECUTABLE_PROPERTY)) {
String nodeExecutable = configuration.get(NODE_EXECUTABLE_PROPERTY).get();
File file = new File(nodeExecutable);
if (file.exists()) {
LOG.info(
"Using Node.js executable {} from property {}.",
file.getAbsoluteFile(),
NODE_EXECUTABLE_PROPERTY
);
return nodeExecutable;
} else {
LOG.error(
"Provided Node.js executable file does not exist. Property '{}' was set to '{}'",
NODE_EXECUTABLE_PROPERTY,
nodeExecutable
);
throw new NodeCommandException("Provided Node.js executable file does not exist.");
}
}
return locateNode(isForceHost(configuration));
}
private String locateNode(boolean isForceHost) throws IOException {
var defaultNode = NODE_EXECUTABLE_DEFAULT;
if (embeddedNode.isAvailable() && !isForceHost) {
LOG.info("Using embedded Node.js runtime");
defaultNode = embeddedNode.binary().toString();
} else if (processWrapper.isMac()) {
defaultNode = locateNodeOnMac();
} else if (processWrapper.isWindows()) {
defaultNode = locateNodeOnWindows();
}
LOG.info("Using Node.js executable: '{}'.", defaultNode);
return defaultNode;
}
private static boolean isForceHost(Configuration configuration) {
return configuration.getBoolean(NODE_FORCE_HOST_PROPERTY).orElse(false);
}
private String locateNodeOnMac() throws IOException {
// on Mac when e.g. IntelliJ is launched from dock, node will often not be available via PATH, because PATH is configured
// in .bashrc or similar, thus we launch node via 'run-node', which should load required configuration
LOG.debug("Looking for Node.js in the PATH using run-node (macOS)");
String defaultNode = pathResolver.resolve(NODE_EXECUTABLE_DEFAULT_MACOS);
File file = new File(defaultNode);
if (!file.exists()) {
LOG.error(
"Default Node.js executable for MacOS does not exist. Value '{}'. Consider setting Node.js location through property '{}'",
defaultNode,
NODE_EXECUTABLE_PROPERTY
);
throw new NodeCommandException("Default Node.js executable for MacOS does not exist.");
} else {
Files.setPosixFilePermissions(
file.toPath(),
EnumSet.of(PosixFilePermission.OWNER_EXECUTE, PosixFilePermission.OWNER_READ)
);
}
return defaultNode;
}
private String locateNodeOnWindows() throws IOException {
// Windows will search current directory in addition to the PATH variable, which is unsecure.
// To avoid it we use where.exe to find node binary only in PATH. See SSF-181
LOG.debug("Looking for Node.js in the PATH using where.exe (Windows)");
List stdOut = new ArrayList<>();
Process whereTool = processWrapper.startProcess(
asList("C:\\Windows\\System32\\where.exe", "$PATH:node.exe"),
emptyMap(),
stdOut::add,
LOG::error
);
try {
processWrapper.waitFor(whereTool, 5, TimeUnit.SECONDS);
if (!stdOut.isEmpty()) {
String out = stdOut.get(0);
LOG.debug("Found node.exe at {}", out);
return out;
}
} catch (InterruptedException e) {
processWrapper.interrupt();
LOG.error("Interrupted while waiting for 'where.exe' to terminate.");
}
throw new NodeCommandException(
"Node.js not found in PATH. PATH value was: " + processWrapper.getenv("PATH")
);
}
}