Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Check trailing blank line at EOF for OUTDENT #22855

Open
wants to merge 3 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
6 changes: 4 additions & 2 deletions compiler/src/dotty/tools/dotc/parsing/Parsers.scala
Original file line number Diff line number Diff line change
Expand Up @@ -1365,8 +1365,10 @@ object Parsers {
def literal(negOffset: Int = in.offset, inPattern: Boolean = false, inTypeOrSingleton: Boolean = false, inStringInterpolation: Boolean = false): Tree = {
def literalOf(token: Token): Tree = {
val isNegated = negOffset < in.offset
def digits0 = in.removeNumberSeparators(in.strVal)
def digits = if (isNegated) "-" + digits0 else digits0
def digits =
val s = in.strVal
val digits0 = if s.indexOf('_') == -1 then s else s.replace("_", "")
if isNegated then "-" + digits0 else digits0
if !inTypeOrSingleton then
token match {
case INTLIT => return Number(digits, NumberKind.Whole(in.base))
Expand Down
46 changes: 29 additions & 17 deletions compiler/src/dotty/tools/dotc/parsing/Scanners.scala
Original file line number Diff line number Diff line change
Expand Up @@ -163,9 +163,7 @@ object Scanners {
strVal = litBuf.toString
litBuf.clear()

@inline def isNumberSeparator(c: Char): Boolean = c == '_'

@inline def removeNumberSeparators(s: String): String = if (s.indexOf('_') == -1) s else s.replace("_", "")
inline def isNumberSeparator(c: Char): Boolean = c == '_'

// disallow trailing numeric separator char, but continue lexing
def checkNoTrailingSeparator(): Unit =
Expand Down Expand Up @@ -307,7 +305,7 @@ object Scanners {
println(s"\nSTART SKIP AT ${sourcePos().line + 1}, $this in $currentRegion")
var noProgress = 0
// Defensive measure to ensure we always get out of the following while loop
// even if source file is weirly formatted (i.e. we never reach EOF)
// even if source file is weirdly formatted (i.e. we never reach EOF)
var prevOffset = offset
while !atStop && noProgress < 3 do
nextToken()
Expand Down Expand Up @@ -603,6 +601,20 @@ object Scanners {
lastWidth = r.knownWidth
newlineIsSeparating = r.isInstanceOf[InBraces]

// can emit OUTDENT if line is not non-empty blank line at EOF
inline def isTrailingBlankLine: Boolean =
token == EOF && {
val end = buf.length - 1 // take terminal NL as empty last line
val prev = buf.lastIndexWhere(!isWhitespace(_), end = end)
prev < 0 || end - prev > 0 && isLineBreakChar(buf(prev))
}

inline def canDedent: Boolean =
lastToken != INDENT
&& !isLeadingInfixOperator(nextWidth)
&& !statCtdTokens.contains(lastToken)
&& !isTrailingBlankLine

if newlineIsSeparating
&& canEndStatTokens.contains(lastToken)
&& canStartStatTokens.contains(token)
Expand All @@ -615,9 +627,8 @@ object Scanners {
|| nextWidth == lastWidth && (indentPrefix == MATCH || indentPrefix == CATCH) && token != CASE then
if currentRegion.isOutermost then
if nextWidth < lastWidth then currentRegion = topLevelRegion(nextWidth)
else if !isLeadingInfixOperator(nextWidth) && !statCtdTokens.contains(lastToken) && lastToken != INDENT then
else if canDedent then
currentRegion match
case _ if token == EOF => // no OUTDENT at EOF
case r: Indented =>
insert(OUTDENT, offset)
handleNewIndentWidth(r.enclosing, ir =>
Expand Down Expand Up @@ -671,13 +682,16 @@ object Scanners {
reset()
if atEOL then token = COLONeol

// consume => and insert <indent> if applicable
// consume => and insert <indent> if applicable. Used to detect colon arrow: x =>
def observeArrowIndented(): Unit =
if isArrow && indentSyntax then
peekAhead()
val atEOL = isAfterLineEnd || token == EOF
val atEOL = isAfterLineEnd
val atEOF = token == EOF
reset()
if atEOL then
if atEOF then
token = EOF
else if atEOL then
val nextWidth = indentWidth(next.offset)
val lastWidth = currentRegion.indentWidth
if lastWidth < nextWidth then
Expand Down Expand Up @@ -789,20 +803,18 @@ object Scanners {
then return true
false

/** Is there a blank line between the current token and the last one?
* A blank line consists only of characters <= ' '.
* @pre afterLineEnd().
/** Is there a blank line between the last token and the current one?
* A blank line is a sequence of only characters <= ' ', between two LFs (or FFs).
*/
private def pastBlankLine: Boolean = {
private def pastBlankLine: Boolean =
val end = offset
def recur(idx: Offset, isBlank: Boolean): Boolean =
idx < end && {
val ch = buf(idx)
if (ch == LF || ch == FF) isBlank || recur(idx + 1, true)
else recur(idx + 1, isBlank && ch <= ' ')
if ch == LF || ch == FF then isBlank || recur(idx + 1, isBlank = true)
else recur(idx + 1, isBlank = isBlank && ch <= ' ')
}
recur(lastOffset, false)
}
recur(lastOffset, isBlank = false)

import Character.{isHighSurrogate, isLowSurrogate, isUnicodeIdentifierPart, isUnicodeIdentifierStart, isValidCodePoint, toCodePoint}

Expand Down
2 changes: 1 addition & 1 deletion compiler/src/dotty/tools/dotc/util/Chars.scala
Original file line number Diff line number Diff line change
Expand Up @@ -50,7 +50,7 @@ object Chars:
}

/** Is character a whitespace character (but not a new line)? */
def isWhitespace(c: Char): Boolean =
inline def isWhitespace(c: Char): Boolean =
c == ' ' || c == '\t' || c == CR

/** Can character form part of a doc comment variable $xxx? */
Expand Down
24 changes: 11 additions & 13 deletions compiler/src/dotty/tools/repl/JLineTerminal.scala
Original file line number Diff line number Diff line change
Expand Up @@ -109,26 +109,26 @@ class JLineTerminal extends java.io.Closeable {
def words = java.util.Collections.emptyList[String]
}

def parse(input: String, cursor: Int, context: ParseContext): reader.ParsedLine = {
def parsedLine(word: String, wordCursor: Int) =
new ParsedLine(cursor, input, word, wordCursor)
def parse(input: String, cursor: Int, context: ParseContext): reader.ParsedLine =
def parsedLine(word: String, wordCursor: Int) = ParsedLine(cursor, input, word, wordCursor)
// Used when no word is being completed
def defaultParsedLine = parsedLine("", 0)

def incomplete(): Nothing = throw new EOFError(
def incomplete(): Nothing = throw EOFError(
// Using dummy values, not sure what they are used for
/* line = */ -1,
/* column = */ -1,
/* message = */ "",
/* missing = */ newLinePrompt)

case class TokenData(token: Token, start: Int, end: Int)
def currentToken: TokenData /* | Null */ = {

def currentToken: TokenData /* | Null */ =
val source = SourceFile.virtual("<completions>", input)
val scanner = new Scanner(source)(using ctx.fresh.setReporter(Reporter.NoReporter))
var lastBacktickErrorStart: Option[Int] = None

while (scanner.token != EOF) {
while scanner.token != EOF do
val start = scanner.offset
val token = scanner.token
scanner.nextToken()
Expand All @@ -138,15 +138,13 @@ class JLineTerminal extends java.io.Closeable {
if (isCurrentToken)
return TokenData(token, lastBacktickErrorStart.getOrElse(start), end)


// we need to enclose the last backtick, which unclosed produces ERROR token
if (token == ERROR && input(start) == '`') then
lastBacktickErrorStart = Some(start)
else
lastBacktickErrorStart = None
}
null
}
end currentToken

def acceptLine = {
val onLastLine = !input.substring(cursor).contains(System.lineSeparator)
Expand All @@ -162,9 +160,9 @@ class JLineTerminal extends java.io.Closeable {
// complete we need to ensure that the :<partial-word> isn't split into
// 2 tokens, but rather the entire thing is treated as the "word", in
// order to insure the : is replaced in the completion.
case ParseContext.COMPLETE if
ParseResult.commands.exists(command => command._1.startsWith(input)) =>
parsedLine(input, cursor)
case ParseContext.COMPLETE
if ParseResult.commands.exists(command => command._1.startsWith(input)) =>
parsedLine(input, cursor)

case ParseContext.COMPLETE =>
// Parse to find completions (typically after a Tab).
Expand All @@ -181,6 +179,6 @@ class JLineTerminal extends java.io.Closeable {
case _ =>
incomplete()
}
}
end parse
}
}
32 changes: 15 additions & 17 deletions compiler/src/dotty/tools/repl/ParseResult.scala
Original file line number Diff line number Diff line change
Expand Up @@ -211,28 +211,26 @@ object ParseResult {
maybeIncomplete(sourceCode, maybeIncomplete = false)

private def maybeIncomplete(sourceCode: String, maybeIncomplete: Boolean)(using state: State): ParseResult =
apply(SourceFile.virtual(str.REPL_SESSION_LINE + (state.objectIndex + 1), sourceCode, maybeIncomplete = maybeIncomplete))
apply:
SourceFile.virtual(str.REPL_SESSION_LINE + (state.objectIndex + 1), sourceCode, maybeIncomplete)

/** Check if the input is incomplete.
*
* This can be used in order to check if a newline can be inserted without
* having to evaluate the expression.
*/
def isIncomplete(sourceCode: String)(using Context): Boolean =
sourceCode match {
case CommandExtract(_) | "" => false
case _ => {
val reporter = newStoreReporter
val source = SourceFile.virtual("<incomplete-handler>", sourceCode, maybeIncomplete = true)
val unit = CompilationUnit(source, mustExist = false)
val localCtx = ctx.fresh
.setCompilationUnit(unit)
.setReporter(reporter)
var needsMore = false
reporter.withIncompleteHandler((_, _) => needsMore = true) {
parseStats(using localCtx)
}
!reporter.hasErrors && needsMore
}
}
sourceCode match
case CommandExtract(_) | "" => false
case _ =>
val reporter = newStoreReporter
val source = SourceFile.virtual("<incomplete-handler>", sourceCode, maybeIncomplete = true)
val unit = CompilationUnit(source, mustExist = false)
val localCtx = ctx.fresh
.setCompilationUnit(unit)
.setReporter(reporter)
var needsMore = false
reporter.withIncompleteHandler((_, _) => needsMore = true):
parseStats(using localCtx)
!reporter.hasErrors && needsMore
}
10 changes: 10 additions & 0 deletions compiler/test/dotty/tools/repl/ReplCompilerTests.scala
Original file line number Diff line number Diff line change
Expand Up @@ -511,6 +511,16 @@ class ReplCompilerTests extends ReplTest:
val all = lines()
assertTrue(hints.forall(hint => all.exists(_.contains(hint))))

@Test def `i22844 regression colon eol`: Unit = initially:
run:
"""|println:
| "hello, world"
|""".stripMargin // outdent, but this test does not exercise the bug
assertEquals(List("hello, world"), lines())

@Test def `i22844b regression colon arrow eol`: Unit = contextually:
assertTrue(ParseResult.isIncomplete("List(42).map: x =>"))

object ReplCompilerTests:

private val pattern = Pattern.compile("\\r[\\n]?|\\n");
Expand Down
Loading