Skip to content

Commit

Permalink
Implement -Xlint:private-shadow, type-parameter-shadow
Browse files Browse the repository at this point in the history
Respectively warn about :
- a private field or a class parameter that shadows a superclass field
- a local type parameter that shadows a type already in the scope

Fixes : #17612 and #17613

[Cherry-picked e5fd477]
  • Loading branch information
schuetzcarl authored and WojciechMazur committed Jun 20, 2024
1 parent fc44d9c commit 057d8f3
Show file tree
Hide file tree
Showing 10 changed files with 547 additions and 2 deletions.
2 changes: 1 addition & 1 deletion compiler/src/dotty/tools/dotc/Compiler.scala
Original file line number Diff line number Diff line change
Expand Up @@ -35,7 +35,7 @@ class Compiler {
protected def frontendPhases: List[List[Phase]] =
List(new Parser) :: // Compiler frontend: scanner, parser
List(new TyperPhase) :: // Compiler frontend: namer, typer
List(new CheckUnused.PostTyper) :: // Check for unused elements
List(new CheckUnused.PostTyper, new CheckShadowing) :: // Check for unused and shadowing elements
List(new YCheckPositions) :: // YCheck positions
List(new sbt.ExtractDependencies) :: // Sends information on classes' dependencies to sbt via callbacks
List(new semanticdb.ExtractSemanticDB) :: // Extract info into .semanticdb files
Expand Down
26 changes: 25 additions & 1 deletion compiler/src/dotty/tools/dotc/config/ScalaSettings.scala
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,7 @@ import dotty.tools.dotc.config.SourceVersion
import dotty.tools.dotc.core.Contexts._
import dotty.tools.dotc.rewrites.Rewrites
import dotty.tools.io.{AbstractFile, Directory, JDK9Reflectors, PlainDirectory}
import Setting.ChoiceWithHelp

import scala.util.chaining._

Expand Down Expand Up @@ -156,7 +157,6 @@ private sealed trait VerboseSettings:
*/
private sealed trait WarningSettings:
self: SettingGroup =>
import Setting.ChoiceWithHelp

val Whelp: Setting[Boolean] = BooleanSetting("-W", "Print a synopsis of warning options.")
val XfatalWarnings: Setting[Boolean] = BooleanSetting("-Werror", "Fail the compilation if there are any warnings.", aliases = List("-Xfatal-warnings"))
Expand Down Expand Up @@ -307,6 +307,30 @@ private sealed trait XSettings:
}

val XmacroSettings: Setting[List[String]] = MultiStringSetting("-Xmacro-settings", "setting1,setting2,..settingN", "List of settings which exposed to the macros")

val Xlint: Setting[List[ChoiceWithHelp[String]]] = MultiChoiceHelpSetting(
name = "-Xlint",
helpArg = "advanced warning",
descr = "Enable or disable specific `lint` warnings",
choices = List(
ChoiceWithHelp("nowarn", ""),
ChoiceWithHelp("all", ""),
ChoiceWithHelp("private-shadow", "Warn if a private field or class parameter shadows a superclass field"),
ChoiceWithHelp("type-parameter-shadow", "Warn when a type parameter shadows a type already in the scope"),
),
default = Nil
)

object XlintHas:
def isChoiceSet(s: String)(using Context) = Xlint.value.pipe(us => us.contains(s))
def allOr(s: String)(using Context) = Xlint.value.pipe(us => us.contains("all") || us.contains(s))
def nowarn(using Context) = allOr("nowarn")

def privateShadow(using Context) =
allOr("private-shadow")
def typeParameterShadow(using Context) =
allOr("type-parameter-shadow")

end XSettings

/** -Y "Forking" as in forked tongue or "Private" settings */
Expand Down
314 changes: 314 additions & 0 deletions compiler/src/dotty/tools/dotc/transform/CheckShadowing.scala
Original file line number Diff line number Diff line change
@@ -0,0 +1,314 @@
package dotty.tools.dotc.transform

import dotty.tools.dotc.ast.tpd
import dotty.tools.dotc.ast.Trees.EmptyTree
import dotty.tools.dotc.transform.MegaPhase
import dotty.tools.dotc.transform.MegaPhase.MiniPhase
import dotty.tools.dotc.report
import dotty.tools.dotc.core.Contexts.*
import dotty.tools.dotc.core.Flags.*
import dotty.tools.dotc.util.{Property, SrcPos}
import dotty.tools.dotc.core.Symbols.ClassSymbol
import dotty.tools.dotc.core.Names.Name
import dotty.tools.dotc.core.Symbols.Symbol
import dotty.tools.dotc.core.Flags.EmptyFlags
import dotty.tools.dotc.ast.tpd.TreeTraverser
import dotty.tools.dotc.core.Types.watchList
import dotty.tools.dotc.core.Types.NoType
import dotty.tools.dotc.core.Types.Type
import dotty.tools.dotc.core.Types
import dotty.tools.dotc.semanticdb.TypeOps
import dotty.tools.dotc.cc.boxedCaptureSet
import dotty.tools.dotc.core.Symbols.NoSymbol
import dotty.tools.dotc.transform.SymUtils.isParamOrAccessor
import scala.collection.mutable
import dotty.tools.dotc.core.Scopes.Scope
import scala.collection.immutable.HashMap
import dotty.tools.dotc.core.Symbols
import dotty.tools.dotc.typer.ImportInfo
import dotty.tools.dotc.ast.untpd.ImportSelector
import dotty.tools.dotc.core.StdNames.nme
import dotty.tools.dotc.ast.untpd
import dotty.tools.dotc.core.Denotations.SingleDenotation
import dotty.tools.dotc.ast.Trees.Ident
import dotty.tools.dotc.core.Names.TypeName
import dotty.tools.dotc.core.Names.TermName
import dotty.tools.dotc.core.Mode.Type
import dotty.tools.dotc.core.Names.SimpleName

class CheckShadowing extends MiniPhase:
import CheckShadowing.*
import ShadowingData.*

private val _key = Property.Key[ShadowingData]

private def shadowingDataApply[U](f: ShadowingData => U)(using Context): Context =
ctx.property(_key).foreach(f)
ctx

override def phaseName: String = CheckShadowing.name

override def description: String = CheckShadowing.description

override def isRunnable(using Context): Boolean =
super.isRunnable &&
ctx.settings.Xlint.value.nonEmpty &&
!ctx.isJava

// Setup before the traversal
override def prepareForUnit(tree: tpd.Tree)(using Context): Context =
val data = ShadowingData()
val fresh = ctx.fresh.setProperty(_key, data)
shadowingDataApply(sd => sd.registerRootImports())(using fresh)

// Reporting on traversal's end
override def transformUnit(tree: tpd.Tree)(using Context): tpd.Tree =
shadowingDataApply(sd =>
reportShadowing(sd.getShadowingResult)
)
tree

// MiniPhase traversal :

override def prepareForPackageDef(tree: tpd.PackageDef)(using Context): Context =
shadowingDataApply(sd => sd.inNewScope())
ctx

override def prepareForTemplate(tree: tpd.Template)(using Context): Context =
shadowingDataApply(sd => sd.inNewScope())
ctx

override def prepareForBlock(tree: tpd.Block)(using Context): Context =
shadowingDataApply(sd => sd.inNewScope())
ctx

override def prepareForOther(tree: tpd.Tree)(using Context): Context =
importTraverser(tree.symbol).traverse(tree)
ctx

override def prepareForValDef(tree: tpd.ValDef)(using Context): Context =
shadowingDataApply(sd =>
sd.registerPrivateShadows(tree)
)

override def prepareForTypeDef(tree: tpd.TypeDef)(using Context): Context =
if tree.symbol.isAliasType then // if alias, the parent is the current symbol
nestedTypeTraverser(tree.symbol).traverse(tree.rhs)
if tree.symbol.is(Param) then // if param, the parent is up
val owner = tree.symbol.owner
val parent = if (owner.isConstructor) then owner.owner else owner
nestedTypeTraverser(parent).traverse(tree.rhs)(using ctx.outer)
shadowingDataApply(sd => sd.registerCandidate(parent, tree))
else
ctx


override def transformPackageDef(tree: tpd.PackageDef)(using Context): tpd.Tree =
shadowingDataApply(sd => sd.outOfScope())
tree

override def transformBlock(tree: tpd.Block)(using Context): tpd.Tree =
shadowingDataApply(sd => sd.outOfScope())
tree

override def transformTemplate(tree: tpd.Template)(using Context): tpd.Tree =
shadowingDataApply(sd => sd.outOfScope())
tree

override def transformTypeDef(tree: tpd.TypeDef)(using Context): tpd.Tree =
if tree.symbol.is(Param) && !tree.symbol.owner.isConstructor then // Do not register for constructors the work is done for the Class owned equivalent TypeDef
shadowingDataApply(sd => sd.computeTypeParamShadowsFor(tree.symbol.owner)(using ctx.outer))
if tree.symbol.isAliasType then // No need to start outer here, because the TypeDef reached here it's already the parent
shadowingDataApply(sd => sd.computeTypeParamShadowsFor(tree.symbol)(using ctx))
tree

// Helpers :

private def reportShadowing(res: ShadowingData.ShadowResult)(using Context): Unit =
res.warnings.sortBy(w => (w.pos.line, w.pos.startPos.column))(using Ordering[(Int, Int)]).foreach { s =>
s match
case PrivateShadowWarning(pos, shadow, shadowed) =>
report.warning(s"${shadow.showLocated} shadows field ${shadowed.name} inherited from ${shadowed.owner}", pos)
case TypeParamShadowWarning(pos, shadow, parent, shadowed) =>
if shadowed.exists then
report.warning(s"Type parameter ${shadow.name} for $parent shadows the type defined by ${shadowed.showLocated}", pos)
else
report.warning(s"Type parameter ${shadow.name} for $parent shadows an explicitly renamed type : ${shadow.name}", pos)
}

private def nestedTypeTraverser(parent: Symbol) = new TreeTraverser:
import tpd._

override def traverse(tree: tpd.Tree)(using Context): Unit =
tree match
case t:tpd.TypeDef =>
val newCtx = shadowingDataApply(sd =>
sd.registerCandidate(parent, t)
)
traverseChildren(tree)(using newCtx)
case _ =>
traverseChildren(tree)
end traverse
end nestedTypeTraverser

// To reach the imports during a miniphase traversal
private def importTraverser(parent: Symbol) = new TreeTraverser:
import tpd._

override def traverse(tree: tpd.Tree)(using Context): Unit =
tree match
case t:tpd.Import =>
shadowingDataApply(sd => sd.registerImport(t))
traverseChildren(tree)
case _ =>
traverseChildren(tree)

end CheckShadowing


object CheckShadowing:

val name = "checkShadowing"
val description = "check for elements shadowing other elements in scope"

private class ShadowingData:
import dotty.tools.dotc.transform.CheckShadowing.ShadowingData._
import collection.mutable.{Set => MutSet, Map => MutMap, Stack => MutStack}

private val rootImports = MutSet[SingleDenotation]()
private val explicitsImports = MutStack[MutSet[tpd.Import]]()
private val renamedImports = MutStack[MutMap[SimpleName, Name]]() // original name -> renamed name

private val typeParamCandidates = MutMap[Symbol, Seq[tpd.TypeDef]]().withDefaultValue(Seq())
private val shadowedTypeDefs = MutSet[TypeParamShadowWarning]()

private val shadowedPrivateDefs = MutSet[PrivateShadowWarning]()

def inNewScope()(using Context) =
explicitsImports.push(MutSet())
renamedImports.push(MutMap())

def outOfScope()(using Context) =
explicitsImports.pop()
renamedImports.pop()

/** Register the Root imports (at once per compilation unit)*/
def registerRootImports()(using Context) =
ctx.definitions.rootImportTypes.foreach(rimp => println())
val langPackageName = ctx.definitions.JavaLangPackageVal.name.toSimpleName // excludes lang package
rootImports.addAll(ctx.definitions.rootImportTypes.withFilter(_.name.toSimpleName != langPackageName).flatMap(_.typeMembers))

/* Register an import encountered in the current scope **/
def registerImport(imp: tpd.Import)(using Context) =
val renamedImps = imp.selectors.collect(sel => { sel.renamed match
case Ident(rename) =>
(sel.name.toSimpleName, rename)
}).toMap
explicitsImports.top += imp
renamedImports.top.addAll(renamedImps)

/** Register a potential type definition which could shadows a Type already defined */
def registerCandidate(parent: Symbol, typeDef: tpd.TypeDef) =
val actual = typeParamCandidates.getOrElseUpdate(parent, Seq())
typeParamCandidates.update(parent, actual.+:(typeDef))

/** Compute if there is some TypeParam shadowing and register if it is the case*/
def computeTypeParamShadowsFor(parent: Symbol)(using Context): Unit =
typeParamCandidates(parent).foreach(typeDef => {
val sym = typeDef.symbol
val shadowedType =
lookForRootShadowedType(sym)
.orElse(lookForImportedShadowedType(sym))
.orElse(lookForUnitShadowedType(sym))
shadowedType.foreach(shadowed =>
if !renamedImports.exists(_.contains(shadowed.name.toSimpleName)) then
shadowedTypeDefs += TypeParamShadowWarning(typeDef.srcPos, typeDef.symbol, parent, shadowed)
)
})

private def lookForRootShadowedType(symbol: Symbol)(using Context): Option[Symbol] =
rootImports.find(p => p.name.toSimpleName == symbol.name.toSimpleName).map(_.symbol)

private def lookForImportedShadowedType(symbol: Symbol)(using Context): Option[Symbol] =
explicitsImports
.flatMap(_.flatMap(imp => symbol.isInImport(imp)))
.headOption

private def lookForUnitShadowedType(symbol: Symbol)(using Context): Option[Symbol] =
if !ctx.owner.exists then
None
else
val declarationScope = ctx.effectiveScope
val res = declarationScope.lookup(symbol.name)
res match
case s: Symbol if s.isType => Some(s)
case _ => lookForUnitShadowedType(symbol)(using ctx.outer)

/** Register if the valDef is a private declaration that shadows an inherited field */
def registerPrivateShadows(valDef: tpd.ValDef)(using Context): Unit =
lookForShadowedField(valDef.symbol).foreach(shadowedField =>
shadowedPrivateDefs += PrivateShadowWarning(valDef.startPos, valDef.symbol, shadowedField)
)

private def lookForShadowedField(symDecl: Symbol)(using Context): Option[Symbol] =
if symDecl.isPrivate then
val symDeclType = symDecl.info
val bClasses = symDecl.owner.info.baseClasses
bClasses match
case _ :: inherited =>
inherited
.map(classSymbol => symDecl.denot.matchingDecl(classSymbol, symDeclType))
.find(sym => sym.name == symDecl.name)
case Nil =>
None
else
None

/** Get the shadowing analysis's result */
def getShadowingResult(using Context): ShadowResult =

val privateShadowWarnings: List[ShadowWarning] =
if ctx.settings.XlintHas.privateShadow then
shadowedPrivateDefs.toList
else
Nil
val typeParamShadowWarnings: List[ShadowWarning] =
if ctx.settings.XlintHas.typeParameterShadow then
shadowedTypeDefs.toList
else
Nil
ShadowResult(privateShadowWarnings ++ typeParamShadowWarnings)

extension (sym: Symbol)
/** Given an import and accessibility, return the import's symbol that matches import<->this symbol */
private def isInImport(imp: tpd.Import)(using Context): Option[Symbol] =
val tpd.Import(qual, sels) = imp
val simpleSelections = qual.tpe.member(sym.name).alternatives
val typeSelections = sels.flatMap(n => qual.tpe.member(n.name.toTypeName).alternatives)

sels.find(is => is.rename.toSimpleName == sym.name.toSimpleName).map(_.symbol)
.orElse(typeSelections.map(_.symbol).find(sd => sd.name == sym.name))
.orElse(simpleSelections.map(_.symbol).find(sd => sd.name == sym.name))

end ShadowingData

private object ShadowingData:
sealed abstract class ShadowWarning(val pos: SrcPos, val shadow: Symbol, val shadowed: Symbol)

case class PrivateShadowWarning(
override val pos: SrcPos,
override val shadow: Symbol,
override val shadowed: Symbol
) extends ShadowWarning(pos, shadow, shadowed)

case class TypeParamShadowWarning(
override val pos: SrcPos,
override val shadow: Symbol,
val shadowParent: Symbol,
override val shadowed: Symbol,
) extends ShadowWarning(pos, shadow, shadowed)

/** A container for the results of the shadow elements analysis */
case class ShadowResult(warnings: List[ShadowWarning])

end CheckShadowing
Loading

0 comments on commit 057d8f3

Please sign in to comment.