add `dscanner fix` command

This commit is contained in:
WebFreak001 2023-07-07 17:42:28 +02:00 committed by Jan Jurzitza
parent 48cec8a6f4
commit 4194e6af0c
8 changed files with 371 additions and 60 deletions

View File

@ -57,6 +57,32 @@ dscanner lint source/
to view a human readable list of issues. to view a human readable list of issues.
Diagnostic types can be enabled/disabled using a configuration file, check out
the `--config` argument / `dscanner.ini` file for more info. Tip: some IDEs that
integrate D-Scanner may have helpers to configure the diagnostics or help
generate the dscanner.ini file.
<!--
IDE list for overview:
code-d has an "insert default dscanner.ini content" command + proprietary
disabling per-line (we really need to bring that into standard D-Scanner)
-->
## Auto-Fixing issues
Use
```sh
dscanner fix source/
```
to interactively fix all fixable issues within the source directory. Call with
`--applySingle` to automatically apply fixes that don't have multiple automatic
solutions.
## Tooling integration
Many D editors already ship with D-Scanner.
For a CLI / tool parsable output use either For a CLI / tool parsable output use either
```sh ```sh
@ -75,16 +101,6 @@ dscanner -S -f github source/
dscanner -S -f '{filepath}({line}:{column})[{type}]: {message}' source/ dscanner -S -f '{filepath}({line}:{column})[{type}]: {message}' source/
``` ```
Diagnostic types can be enabled/disabled using a configuration file, check out
the `--config` argument / `dscanner.ini` file for more info. Tip: some IDEs that
integrate D-Scanner may have helpers to configure the diagnostics or help
generate the dscanner.ini file.
<!--
IDE list for overview:
code-d has an "insert default dscanner.ini content" command + proprietary
disabling per-line (we really need to bring that into standard D-Scanner)
-->
## Other features ## Other features
### Token Count ### Token Count

View File

@ -41,11 +41,11 @@ struct AutoFix
/// `CodeReplacement[]` should be applied to the code in reverse, otherwise /// `CodeReplacement[]` should be applied to the code in reverse, otherwise
/// an offset to the following start indices must be calculated and be kept /// an offset to the following start indices must be calculated and be kept
/// track of. /// track of.
SumType!(CodeReplacement[], ResolveContext) autofix; SumType!(CodeReplacement[], ResolveContext) replacements;
invariant invariant
{ {
autofix.match!( replacements.match!(
(const CodeReplacement[] replacement) (const CodeReplacement[] replacement)
{ {
import std.algorithm : all, isSorted; import std.algorithm : all, isSorted;
@ -61,7 +61,7 @@ struct AutoFix
{ {
AutoFix ret; AutoFix ret;
ret.name = name; ret.name = name;
ret.autofix = ResolveContext(params, extraInfo); ret.replacements = ResolveContext(params, extraInfo);
return ret; return ret;
} }
@ -94,7 +94,7 @@ struct AutoFix
{ {
AutoFix ret; AutoFix ret;
ret.name = name; ret.name = name;
ret.autofix = [ ret.replacements = [
AutoFix.CodeReplacement(range, newText) AutoFix.CodeReplacement(range, newText)
]; ];
return ret; return ret;
@ -120,7 +120,7 @@ struct AutoFix
: content.strip.length : content.strip.length
? "Insert `" ~ content.strip ~ "`" ? "Insert `" ~ content.strip ~ "`"
: "Insert whitespace"; : "Insert whitespace";
ret.autofix = [ ret.replacements = [
AutoFix.CodeReplacement([index, index], content) AutoFix.CodeReplacement([index, index], content)
]; ];
return ret; return ret;
@ -140,7 +140,7 @@ struct AutoFix
} }
AutoFix ret; AutoFix ret;
ret.name = name; ret.name = name;
ret.autofix = inserts; ret.replacements = inserts;
return ret; return ret;
} }
@ -155,7 +155,7 @@ struct AutoFix
CodeReplacement[] concatenated = expectReplacements(errorMsg).dup CodeReplacement[] concatenated = expectReplacements(errorMsg).dup
~ other.expectReplacements(errorMsg); ~ other.expectReplacements(errorMsg);
concatenated.sort!"a.range[0] < b.range[0]"; concatenated.sort!"a.range[0] < b.range[0]";
ret.autofix = concatenated; ret.replacements = concatenated;
return ret; return ret;
} }
@ -163,7 +163,7 @@ struct AutoFix
string errorMsg = "Expected available code replacements, not something to resolve later" string errorMsg = "Expected available code replacements, not something to resolve later"
) @safe pure nothrow @nogc ) @safe pure nothrow @nogc
{ {
return autofix.match!( return replacements.match!(
(replacement) (replacement)
{ {
if (false) return CodeReplacement[].init; if (false) return CodeReplacement[].init;
@ -179,7 +179,7 @@ struct AutoFix
string errorMsg = "Expected available code replacements, not something to resolve later" string errorMsg = "Expected available code replacements, not something to resolve later"
) const @safe pure nothrow @nogc ) const @safe pure nothrow @nogc
{ {
return autofix.match!( return replacements.match!(
(const replacement) (const replacement)
{ {
if (false) return CodeReplacement[].init; if (false) return CodeReplacement[].init;
@ -195,8 +195,12 @@ struct AutoFix
/// Formatting style for autofix generation (only available for resolve autofix) /// Formatting style for autofix generation (only available for resolve autofix)
struct AutoFixFormatting struct AutoFixFormatting
{ {
enum AutoFixFormatting invalid = AutoFixFormatting(BraceStyle.invalid, null, 0, null);
enum BraceStyle enum BraceStyle
{ {
/// invalid, shouldn't appear in usable configs
invalid,
/// $(LINK https://en.wikipedia.org/wiki/Indent_style#Allman_style) /// $(LINK https://en.wikipedia.org/wiki/Indent_style#Allman_style)
allman, allman,
/// $(LINK https://en.wikipedia.org/wiki/Indent_style#Variant:_1TBS) /// $(LINK https://en.wikipedia.org/wiki/Indent_style#Variant:_1TBS)
@ -207,14 +211,30 @@ struct AutoFixFormatting
knr, knr,
} }
BraceStyle braceStyle; /// Brace style config
BraceStyle braceStyle = BraceStyle.allman;
/// String to insert on indentations
string indentation = "\t"; string indentation = "\t";
/// For calculating indentation size
uint indentationWidth = 4;
/// String to insert on line endings
string eol = "\n"; string eol = "\n";
invariant
{
import std.algorithm : all;
assert(!indentation.length
|| indentation == "\t"
|| indentation.all!(c => c == ' '));
}
string getWhitespaceBeforeOpeningBrace(string lastLineIndent, bool isFuncDecl) pure nothrow @safe const string getWhitespaceBeforeOpeningBrace(string lastLineIndent, bool isFuncDecl) pure nothrow @safe const
{ {
final switch (braceStyle) final switch (braceStyle)
{ {
case BraceStyle.invalid:
assert(false, "invalid formatter config");
case BraceStyle.knr: case BraceStyle.knr:
if (isFuncDecl) if (isFuncDecl)
goto case BraceStyle.allman; goto case BraceStyle.allman;
@ -386,7 +406,6 @@ public:
AutoFix.CodeReplacement[] resolveAutoFix( AutoFix.CodeReplacement[] resolveAutoFix(
const Module mod, const Module mod,
scope const(char)[] rawCode,
scope const(Token)[] tokens, scope const(Token)[] tokens,
const Message message, const Message message,
const AutoFix.ResolveContext context, const AutoFix.ResolveContext context,
@ -394,7 +413,6 @@ public:
) )
{ {
cast(void) mod; cast(void) mod;
cast(void) rawCode;
cast(void) tokens; cast(void) tokens;
cast(void) message; cast(void) message;
cast(void) context; cast(void) context;

View File

@ -220,6 +220,69 @@ struct StaticAnalysisConfig
@INI("Module-specific filters") @INI("Module-specific filters")
ModuleFilters filters; ModuleFilters filters;
@INI("Formatting brace style for automatic fixes (allman, otbs, stroustrup, knr)")
string brace_style = "allman";
@INI("Formatting indentation style for automatic fixes (tab, space)")
string indentation_style = "tab";
@INI("Formatting indentation width for automatic fixes (space count, otherwise how wide a tab is)")
int indentation_width = 4;
@INI("Formatting line ending character (lf, cr, crlf)")
string eol_style = "lf";
auto getAutoFixFormattingConfig() const
{
import dscanner.analysis.base : AutoFixFormatting;
import std.array : array;
import std.conv : to;
import std.range : repeat;
if (indentation_width < 0)
throw new Exception("invalid negative indentation_width");
AutoFixFormatting ret;
ret.braceStyle = brace_style.to!(AutoFixFormatting.BraceStyle);
ret.indentationWidth = indentation_width;
switch (indentation_style)
{
case "tab":
ret.indentation = "\t";
break;
case "space":
static immutable string someSpaces = " ";
if (indentation_width < someSpaces.length)
ret.indentation = someSpaces[0 .. indentation_width];
else
ret.indentation = ' '.repeat(indentation_width).array;
break;
default:
throw new Exception("invalid indentation_style: '" ~ indentation_style ~ "' (expected tab or space)");
}
switch (eol_style)
{
case "lf":
case "LF":
ret.eol = "\n";
break;
case "cr":
case "CR":
ret.eol = "\r";
break;
case "crlf":
case "CRLF":
ret.eol = "\r\n";
break;
default:
throw new Exception("invalid eol_style: '" ~ eol_style ~ "' (expected lf, cr or crlf)");
}
return ret;
}
} }
private template ModuleFiltersMixin(A) private template ModuleFiltersMixin(A)

View File

@ -41,18 +41,22 @@ S after(S)(S value, S separator) if (isSomeString!S)
return value[i + separator.length .. $]; return value[i + separator.length .. $];
} }
string getLineIndentation(scope const(char)[] rawCode, scope const(Token)[] tokens, size_t line) string getLineIndentation(scope const(Token)[] tokens, size_t line, const AutoFixFormatting formatting)
{ {
import std.algorithm : countUntil; import std.algorithm : countUntil;
import std.array : array;
import std.range : repeat;
import std.string : lastIndexOfAny; import std.string : lastIndexOfAny;
auto idx = tokens.countUntil!(a => a.line == line); auto idx = tokens.countUntil!(a => a.line == line);
if (idx == -1) if (idx == -1 || tokens[idx].column <= 1 || !formatting.indentation.length)
return ""; return "";
auto indent = rawCode[0 .. tokens[idx].index]; auto indent = tokens[idx].column - 1;
auto nl = indent.lastIndexOfAny("\r\n"); if (formatting.indentation[0] == '\t')
return indent[nl + 1 .. $].idup; return (cast(immutable)'\t').repeat(indent).array;
else
return (cast(immutable)' ').repeat(indent).array;
} }
/** /**
@ -243,7 +247,7 @@ void assertAutoFix(string before, string after, const StaticAnalysisConfig confi
ModuleCache moduleCache; ModuleCache moduleCache;
// Run the code and get any warnings // Run the code and get any warnings
MessageSet rawWarnings = analyze("test", m, config, moduleCache, tokens); MessageSet rawWarnings = analyze("test", m, config, moduleCache, tokens, true, true, formattingConfig);
string[] codeLines = before.splitLines(); string[] codeLines = before.splitLines();
Tuple!(Message, int)[] toApply; Tuple!(Message, int)[] toApply;
@ -309,11 +313,7 @@ void assertAutoFix(string before, string after, const StaticAnalysisConfig confi
{ {
Message message = pair[0]; Message message = pair[0];
AutoFix fix = message.autofixes[pair[1]]; AutoFix fix = message.autofixes[pair[1]];
replacements ~= fix.autofix.match!( replacements ~= fix.expectReplacements;
(AutoFix.CodeReplacement[] r) => r,
(AutoFix.ResolveContext context) => resolveAutoFix(message, context,
"test", moduleCache, before, tokens, m, config, formattingConfig)
);
} }
replacements.sort!"a.range[0] < b.range[0]"; replacements.sort!"a.range[0] < b.range[0]";

View File

@ -7,19 +7,19 @@ module dscanner.analysis.run;
import core.memory : GC; import core.memory : GC;
import std.stdio; import dparse.ast;
import std.array;
import std.conv;
import std.algorithm;
import std.range;
import std.array;
import std.functional : toDelegate;
import std.file : mkdirRecurse;
import std.path : dirName;
import dparse.lexer; import dparse.lexer;
import dparse.parser; import dparse.parser;
import dparse.ast;
import dparse.rollback_allocator; import dparse.rollback_allocator;
import std.algorithm;
import std.array;
import std.array;
import std.conv;
import std.file : mkdirRecurse;
import std.functional : toDelegate;
import std.path : dirName;
import std.range;
import std.stdio;
import std.typecons : scoped; import std.typecons : scoped;
import std.experimental.allocator : CAllocatorImpl; import std.experimental.allocator : CAllocatorImpl;
@ -404,6 +404,140 @@ bool analyze(string[] fileNames, const StaticAnalysisConfig config, string error
return hasErrors; return hasErrors;
} }
/**
* Interactive automatic issue fixing for multiple files
*
* Returns: true if there were parse errors.
*/
bool autofix(string[] fileNames, const StaticAnalysisConfig config, string errorFormat,
ref StringCache cache, ref ModuleCache moduleCache, bool autoApplySingle,
const AutoFixFormatting overrideFormattingConfig = AutoFixFormatting.invalid)
{
import std.format : format;
bool hasErrors;
foreach (fileName; fileNames)
{
auto code = readFile(fileName);
// Skip files that could not be read and continue with the rest
if (code.length == 0)
continue;
RollbackAllocator r;
uint errorCount;
uint warningCount;
const(Token)[] tokens;
const Module m = parseModule(fileName, code, &r, errorFormat, cache, false, tokens,
null, &errorCount, &warningCount);
assert(m);
if (errorCount > 0)
hasErrors = true;
MessageSet results = analyze(fileName, m, config, moduleCache, tokens, true, true, overrideFormattingConfig);
if (results is null)
continue;
AutoFix.CodeReplacement[] changes;
size_t index;
auto numAutofixes = results[].filter!(a => a.autofixes.length > (autoApplySingle ? 1 : 0)).count;
foreach (result; results[])
{
if (autoApplySingle && result.autofixes.length == 1)
{
changes ~= result.autofixes[0].expectReplacements;
}
else if (result.autofixes.length)
{
index++;
string fileProgress = format!"[%d / %d] "(index, numAutofixes);
messageFunctionFormat(fileProgress ~ errorFormat, result, false, code);
UserSelect selector;
selector.addSpecial(-1, "Skip", "0", "n", "s");
auto item = selector.show(result.autofixes.map!"a.name");
switch (item)
{
case -1:
break; // skip
default:
changes ~= result.autofixes[item].expectReplacements;
break;
}
}
}
if (changes.length)
{
changes.sort!"a.range[0] < b.range[0]";
improveAutoFixWhitespace(cast(const(char)[]) code, changes);
foreach_reverse (change; changes)
code = code[0 .. change.range[0]]
~ cast(const(ubyte)[])change.newText
~ code[change.range[1] .. $];
writeln("Writing changes to ", fileName);
writeFileSafe(fileName, code);
}
}
return hasErrors;
}
private struct UserSelect
{
import std.string : strip;
struct SpecialAction
{
int id;
string title;
string[] shorthands;
}
SpecialAction[] specialActions;
void addSpecial(int id, string title, string[] shorthands...)
{
specialActions ~= SpecialAction(id, title, shorthands.dup);
}
/// Returns an integer in the range 0 - regularItems.length or a
/// SpecialAction id or -1 when EOF or empty.
int show(R)(R regularItems)
{
// TODO: implement interactive preview
// TODO: implement apply/skip all occurrences (per file or globally)
foreach (special; specialActions)
writefln("%s) %s", special.shorthands[0], special.title);
size_t i;
foreach (autofix; regularItems)
writefln("%d) %s", ++i, autofix);
while (true)
{
try
{
write(" > ");
stdout.flush();
string input = readln().strip;
if (!input.length)
{
writeln();
return -1;
}
foreach (special; specialActions)
if (special.shorthands.canFind(input))
return special.id;
int item = input.to!int;
if (item < 0 || item > regularItems.length)
throw new Exception("Selected option number out of range.");
return item;
}
catch (ConvException e)
{
writeln("Invalid selection, try again. ", e.message);
}
}
}
}
const(Module) parseModule(string fileName, ubyte[] code, RollbackAllocator* p, const(Module) parseModule(string fileName, ubyte[] code, RollbackAllocator* p,
ref StringCache cache, ref const(Token)[] tokens, ref StringCache cache, ref const(Token)[] tokens,
MessageDelegate dlgMessage, ulong* linesOfCode = null, MessageDelegate dlgMessage, ulong* linesOfCode = null,
@ -742,13 +876,20 @@ private BaseAnalyzer[] getAnalyzersForModuleAndConfig(string fileName,
} }
MessageSet analyze(string fileName, const Module m, const StaticAnalysisConfig analysisConfig, MessageSet analyze(string fileName, const Module m, const StaticAnalysisConfig analysisConfig,
ref ModuleCache moduleCache, const(Token)[] tokens, bool staticAnalyze = true) ref ModuleCache moduleCache, const(Token)[] tokens, bool staticAnalyze = true,
bool resolveAutoFixes = false,
const AutoFixFormatting overrideFormattingConfig = AutoFixFormatting.invalid)
{ {
import dsymbol.symbol : DSymbol; import dsymbol.symbol : DSymbol;
if (!staticAnalyze) if (!staticAnalyze)
return null; return null;
const(AutoFixFormatting) formattingConfig =
(resolveAutoFixes && overrideFormattingConfig is AutoFixFormatting.invalid)
? analysisConfig.getAutoFixFormattingConfig()
: overrideFormattingConfig;
scope first = new FirstPass(m, internString(fileName), &moduleCache, null); scope first = new FirstPass(m, internString(fileName), &moduleCache, null);
first.run(); first.run();
@ -763,25 +904,56 @@ MessageSet analyze(string fileName, const Module m, const StaticAnalysisConfig a
GC.enable; GC.enable;
MessageSet set = new MessageSet; MessageSet set = new MessageSet;
foreach (check; getAnalyzersForModuleAndConfig(fileName, tokens, m, analysisConfig, moduleScope)) foreach (BaseAnalyzer check; getAnalyzersForModuleAndConfig(fileName, tokens, m, analysisConfig, moduleScope))
{ {
check.visit(m); check.visit(m);
foreach (message; check.messages) foreach (message; check.messages)
{
if (resolveAutoFixes)
message.resolveMessageFromCheck(check, m, tokens, formattingConfig);
set.insert(message); set.insert(message);
} }
}
return set; return set;
} }
private void resolveMessageFromCheck(
ref Message message,
BaseAnalyzer check,
const Module m,
scope const(Token)[] tokens,
const AutoFixFormatting formattingConfig
)
{
import std.sumtype : match;
foreach (ref autofix; message.autofixes)
{
autofix.replacements.match!(
(AutoFix.ResolveContext context) {
autofix.replacements = check.resolveAutoFix(m, tokens,
message, context, formattingConfig);
},
(_) {}
);
}
}
AutoFix.CodeReplacement[] resolveAutoFix(const Message message, AutoFix.CodeReplacement[] resolveAutoFix(const Message message,
const AutoFix.ResolveContext resolve, string fileName, const AutoFix.ResolveContext resolve, string fileName,
ref ModuleCache moduleCache, scope const(char)[] rawCode, ref ModuleCache moduleCache, scope const(char)[] rawCode,
scope const(Token)[] tokens, const Module m, scope const(Token)[] tokens, const Module m,
const StaticAnalysisConfig analysisConfig, const StaticAnalysisConfig analysisConfig,
const AutoFixFormatting formattingConfig) const AutoFixFormatting overrideFormattingConfig = AutoFixFormatting.invalid)
{ {
import dsymbol.symbol : DSymbol; import dsymbol.symbol : DSymbol;
const(AutoFixFormatting) formattingConfig =
overrideFormattingConfig is AutoFixFormatting.invalid
? analysisConfig.getAutoFixFormattingConfig()
: overrideFormattingConfig;
scope first = new FirstPass(m, internString(fileName), &moduleCache, null); scope first = new FirstPass(m, internString(fileName), &moduleCache, null);
first.run(); first.run();
@ -799,7 +971,7 @@ AutoFix.CodeReplacement[] resolveAutoFix(const Message message,
{ {
if (check.getName() == message.checkName) if (check.getName() == message.checkName)
{ {
return check.resolveAutoFix(m, rawCode, tokens, message, resolve, formattingConfig); return check.resolveAutoFix(m, tokens, message, resolve, formattingConfig);
} }
} }

View File

@ -62,7 +62,6 @@ final class StaticIfElse : BaseAnalyzer
override AutoFix.CodeReplacement[] resolveAutoFix( override AutoFix.CodeReplacement[] resolveAutoFix(
const Module mod, const Module mod,
scope const(char)[] rawCode,
scope const(Token)[] tokens, scope const(Token)[] tokens,
const Message message, const Message message,
const AutoFix.ResolveContext context, const AutoFix.ResolveContext context,
@ -77,7 +76,7 @@ final class StaticIfElse : BaseAnalyzer
if (beforeElse == -1 || lastToken == -1) if (beforeElse == -1 || lastToken == -1)
throw new Exception("got different tokens than what was used to generate this autofix"); throw new Exception("got different tokens than what was used to generate this autofix");
auto indentation = getLineIndentation(rawCode, tokens, tokens[beforeElse].line); auto indentation = getLineIndentation(tokens, tokens[beforeElse].line, formatting);
string beforeIf = formatting.getWhitespaceBeforeOpeningBrace(indentation, false) string beforeIf = formatting.getWhitespaceBeforeOpeningBrace(indentation, false)
~ "{" ~ formatting.eol ~ indentation; ~ "{" ~ formatting.eol ~ indentation;

View File

@ -44,6 +44,7 @@ version (unittest)
else else
int main(string[] args) int main(string[] args)
{ {
bool autofix;
bool sloc; bool sloc;
bool highlight; bool highlight;
bool ctags; bool ctags;
@ -62,6 +63,7 @@ else
bool defaultConfig; bool defaultConfig;
bool report; bool report;
bool skipTests; bool skipTests;
bool applySingleFixes;
string reportFormat; string reportFormat;
string reportFile; string reportFile;
string symbolName; string symbolName;
@ -96,6 +98,7 @@ else
"report", &report, "report", &report,
"reportFormat", &reportFormat, "reportFormat", &reportFormat,
"reportFile", &reportFile, "reportFile", &reportFile,
"applySingle", &applySingleFixes,
"I", &importPaths, "I", &importPaths,
"version", &printVersion, "version", &printVersion,
"muffinButton", &muffin, "muffinButton", &muffin,
@ -165,12 +168,25 @@ else
return 0; return 0;
} }
if (args.length > 1 && args[1] == "lint") if (args.length > 1)
{ {
switch (args[1])
{
case "lint":
args = args[0] ~ args[2 .. $]; args = args[0] ~ args[2 .. $];
styleCheck = true; styleCheck = true;
if (!errorFormat.length) if (!errorFormat.length)
errorFormat = "pretty"; errorFormat = "pretty";
break;
case "fix":
args = args[0] ~ args[2 .. $];
autofix = true;
if (!errorFormat.length)
errorFormat = "pretty";
break;
default:
break;
}
} }
if (!errorFormat.length) if (!errorFormat.length)
@ -195,9 +211,11 @@ else
if (reportFormat.length || reportFile.length) if (reportFormat.length || reportFile.length)
report = true; report = true;
immutable optionCount = count!"a"([sloc, highlight, ctags, tokenCount, syntaxCheck, ast, imports, immutable optionCount = count!"a"([sloc, highlight, ctags, tokenCount,
outline, tokenDump, styleCheck, defaultConfig, report, syntaxCheck, ast, imports, outline, tokenDump, styleCheck,
symbolName !is null, etags, etagsAll, recursiveImports]); defaultConfig, report, autofix,
symbolName !is null, etags, etagsAll, recursiveImports,
]);
if (optionCount > 1) if (optionCount > 1)
{ {
stderr.writeln("Too many options specified"); stderr.writeln("Too many options specified");
@ -268,7 +286,7 @@ else
{ {
stdout.printEtags(etagsAll, expandArgs(args)); stdout.printEtags(etagsAll, expandArgs(args));
} }
else if (styleCheck) else if (styleCheck || autofix)
{ {
StaticAnalysisConfig config = defaultStaticAnalysisConfig(); StaticAnalysisConfig config = defaultStaticAnalysisConfig();
string s = configLocation is null ? getConfigurationLocation() : configLocation; string s = configLocation is null ? getConfigurationLocation() : configLocation;
@ -276,7 +294,12 @@ else
readINIFile(config, s); readINIFile(config, s);
if (skipTests) if (skipTests)
config.enabled2SkipTests; config.enabled2SkipTests;
if (report)
if (autofix)
{
return .autofix(expandArgs(args), config, errorFormat, cache, moduleCache, applySingleFixes) ? 1 : 0;
}
else if (report)
{ {
switch (reportFormat) switch (reportFormat)
{ {
@ -369,6 +392,9 @@ void printHelp(string programName)
Human-readable output: Human-readable output:
%1$s lint <options> <files...> %1$s lint <options> <files...>
Interactively fixing issues
%1$s fix [--applySingle] <files...>
Parsable outputs: Parsable outputs:
%1$s -S <options> <files...> %1$s -S <options> <files...>
%1$s --report <options> <files...> %1$s --report <options> <files...>
@ -494,7 +520,11 @@ Options:
--skipTests --skipTests
Does not analyze code in unittests. Only works if --styleCheck Does not analyze code in unittests. Only works if --styleCheck
is specified.`, is specified.
--applySingle
when running "dscanner fix", automatically apply all fixes that have
only one auto-fix.`,
programName, defaultErrorFormat, errorFormatMap); programName, defaultErrorFormat, errorFormatMap);
} }

View File

@ -80,6 +80,19 @@ ubyte[] readFile(string fileName)
return sourceCode; return sourceCode;
} }
void writeFileSafe(string filename, scope const(ubyte)[] content)
{
import std.file : copy, PreserveAttributes, remove, write;
import std.path : baseName, buildPath, dirName;
string tempName = buildPath(filename.dirName, "." ~ filename.baseName ~ "~");
// FIXME: we are removing the optional BOM here
copy(filename, tempName, PreserveAttributes.yes);
write(filename, content);
remove(tempName);
}
string[] expandArgs(string[] args) string[] expandArgs(string[] args)
{ {
import std.file : isFile, FileException, dirEntries, SpanMode; import std.file : isFile, FileException, dirEntries, SpanMode;