1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
|
// SPDX-License-Identifier: Apache-2.0
package chisel3.internal
import scala.annotation.tailrec
import scala.collection.mutable.{ArrayBuffer, LinkedHashMap}
import scala.util.control.NoStackTrace
import _root_.logger.Logger
object ExceptionHelpers {
/** Root packages that are not typically relevant to Chisel user code. */
final val packageTrimlist: Set[String] = Set("chisel3", "scala", "java", "jdk", "sun", "sbt")
/** The object name of Chisel's internal `Builder`. */
final val builderName: String = chisel3.internal.Builder.getClass.getName
/** Return a stack trace element that looks like `... (someMessage)`.
* @param message an optional message to include
*/
def ellipsis(message: Option[String] = None): StackTraceElement =
new StackTraceElement("..", " ", message.getOrElse(""), -1)
/** Utility methods that can be added to exceptions.
*/
implicit class ThrowableHelpers(throwable: Throwable) {
/** For an exception, mutably trim a stack trace to user code only.
*
* This does the following actions to the stack trace:
*
* 1. From the top, remove elements while the (root) package matches the packageTrimlist
* 2. Optionally, from the bottom, remove elements until the class matches an anchor
* 3. From the anchor (or the bottom), remove elements while the (root) package matches the packageTrimlist
*
* @param packageTrimlist packages that should be removed from the stack trace
* @param anchor an optional class name at which user execution might begin, e.g., a main object
* @return nothing as this mutates the exception directly
*/
def trimStackTraceToUserCode(
packageTrimlist: Set[String] = packageTrimlist,
anchor: Option[String] = Some(builderName)
): Unit = {
def inTrimlist(ste: StackTraceElement) = {
val packageName = ste.getClassName().takeWhile(_ != '.')
packageTrimlist.contains(packageName)
}
// Step 1: Remove elements from the top in the package trimlist
val trimStackTrace =
((a: Array[StackTraceElement]) => a.dropWhile(inTrimlist))
// Step 2: Optionally remove elements from the bottom until the anchor
.andThen(_.reverse)
.andThen(a =>
anchor match {
case Some(b) => a.dropWhile(ste => !ste.getClassName.startsWith(b))
case None => a
}
)
// Step 3: Remove elements from the bottom in the package trimlist
.andThen(_.dropWhile(inTrimlist))
// Step 4: Reverse back to the original order
.andThen(_.reverse.toArray)
// Step 5: Add ellipsis stack trace elements and "--full-stacktrace" info
.andThen(a =>
ellipsis() +:
a :+
ellipsis() :+
ellipsis(
Some("Stack trace trimmed to user code only. Rerun with --full-stacktrace to see the full stack trace")
)
)
// Step 5: Mutate the stack trace in this exception
.andThen(throwable.setStackTrace(_))
val stackTrace = throwable.getStackTrace
if (stackTrace.nonEmpty) {
trimStackTrace(stackTrace)
}
}
}
}
class ChiselException(message: String, cause: Throwable = null) extends Exception(message, cause, true, true) {
/** Package names whose stack trace elements should be trimmed when generating a trimmed stack trace */
@deprecated("Use ExceptionHelpers.packageTrimlist. This will be removed in Chisel 3.6", "Chisel 3.5")
val blacklistPackages: Set[String] = Set("chisel3", "scala", "java", "sun", "sbt")
/** The object name of Chisel's internal `Builder`. Everything stack trace element after this will be trimmed. */
@deprecated("Use ExceptionHelpers.builderName. This will be removed in Chisel 3.6", "Chisel 3.5")
val builderName: String = chisel3.internal.Builder.getClass.getName
/** Examine a [[Throwable]], to extract all its causes. Innermost cause is first.
* @param throwable an exception to examine
* @return a sequence of all the causes with innermost cause first
*/
@tailrec
private def getCauses(throwable: Throwable, acc: Seq[Throwable] = Seq.empty): Seq[Throwable] =
throwable.getCause() match {
case null => throwable +: acc
case a => getCauses(a, throwable +: acc)
}
/** Returns true if an exception contains */
private def containsBuilder(throwable: Throwable): Boolean =
throwable
.getStackTrace()
.collectFirst {
case ste if ste.getClassName().startsWith(ExceptionHelpers.builderName) => throwable
}
.isDefined
/** Examine this [[ChiselException]] and it's causes for the first [[Throwable]] that contains a stack trace including
* a stack trace element whose declaring class is the [[builderName]]. If no such element exists, return this
* [[ChiselException]].
*/
private lazy val likelyCause: Throwable =
getCauses(this).collectFirst { case a if containsBuilder(a) => a }.getOrElse(this)
/** For an exception, return a stack trace trimmed to user code only
*
* This does the following actions:
*
* 1. Trims the top of the stack trace while elements match [[blacklistPackages]]
* 2. Trims the bottom of the stack trace until an element matches [[builderName]]
* 3. Trims from the [[builderName]] all [[blacklistPackages]]
*
* @param throwable the exception whose stack trace should be trimmed
* @return an array of stack trace elements
*/
private def trimmedStackTrace(throwable: Throwable): Array[StackTraceElement] = {
def isBlacklisted(ste: StackTraceElement) = {
val packageName = ste.getClassName().takeWhile(_ != '.')
blacklistPackages.contains(packageName)
}
val trimmedLeft = throwable.getStackTrace().view.dropWhile(isBlacklisted)
val trimmedReverse = trimmedLeft.toIndexedSeq.reverse.view
.dropWhile(ste => !ste.getClassName.startsWith(builderName))
.dropWhile(isBlacklisted)
trimmedReverse.toIndexedSeq.reverse.toArray
}
@deprecated(
"Use extension method trimStackTraceToUserCode defined in ExceptionHelpers.ThrowableHelpers. " +
"This will be removed in Chisel 3.6",
"Chisel 3.5.0"
)
def chiselStackTrace: String = {
val trimmed = trimmedStackTrace(likelyCause)
val sw = new java.io.StringWriter
sw.write(likelyCause.toString + "\n")
sw.write("\t...\n")
trimmed.foreach(ste => sw.write(s"\tat $ste\n"))
sw.write(
"\t... (Stack trace trimmed to user code only, rerun with --full-stacktrace if you wish to see the full stack trace)\n"
)
sw.toString
}
}
private[chisel3] class Errors(message: String) extends ChiselException(message) with NoStackTrace
private[chisel3] object throwException {
def apply(s: String, t: Throwable = null): Nothing =
throw new ChiselException(s, t)
}
/** Records and reports runtime errors and warnings. */
private[chisel3] object ErrorLog {
val depTag = s"[${Console.BLUE}deprecated${Console.RESET}]"
val warnTag = s"[${Console.YELLOW}warn${Console.RESET}]"
val errTag = s"[${Console.RED}error${Console.RESET}]"
}
private[chisel3] class ErrorLog(warningsAsErrors: Boolean) {
def getLoc(loc: Option[StackTraceElement]): String = {
loc match {
case Some(elt: StackTraceElement) => s"${elt.getFileName}:${elt.getLineNumber}"
case None => "(unknown)"
}
}
/** Log an error message */
def error(m: => String): Unit = {
val loc = getUserLineNumber
errors += (((m, getLoc(loc)), new Error(m, loc)))
}
private def warn(m: => String, loc: Option[StackTraceElement]): LogEntry =
if (warningsAsErrors) new Error(m, loc) else new Warning(m, loc)
/** Log a warning message */
def warning(m: => String): Unit = {
val loc = getUserLineNumber
errors += (((m, getLoc(loc)), warn(m, loc)))
}
/** Log a warning message without a source locator. This is used when the
* locator wouldn't be helpful (e.g., due to lazy values).
*/
def warningNoLoc(m: => String): Unit =
errors += (((m, ""), warn(m, None)))
/** Emit an informational message */
@deprecated("This method will be removed in 3.5", "3.4")
def info(m: String): Unit =
println(new Info("[%2.3f] %s".format(elapsedTime / 1e3, m), None))
/** Log a deprecation warning message */
def deprecated(m: => String, location: Option[String]): Unit = {
val sourceLoc = location match {
case Some(loc) => loc
case None => getLoc(getUserLineNumber)
}
val thisEntry = (m, sourceLoc)
deprecations += ((thisEntry, deprecations.getOrElse(thisEntry, 0) + 1))
}
/** Throw an exception if any errors have yet occurred. */
def checkpoint(logger: Logger): Unit = {
deprecations.foreach {
case ((message, sourceLoc), count) =>
logger.warn(s"${ErrorLog.depTag} $sourceLoc ($count calls): $message")
}
errors.foreach(e => logger.error(e._2.toString))
if (!deprecations.isEmpty) {
logger.warn(
s"${ErrorLog.warnTag} ${Console.YELLOW}There were ${deprecations.size} deprecated function(s) used." +
s" These may stop compiling in a future release - you are encouraged to fix these issues.${Console.RESET}"
)
logger.warn(
s"${ErrorLog.warnTag} Line numbers for deprecations reported by Chisel may be inaccurate; enable scalac compiler deprecation warnings via either of the following methods:"
)
logger.warn(s"${ErrorLog.warnTag} In the sbt interactive console, enter:")
logger.warn(s"""${ErrorLog.warnTag} set scalacOptions in ThisBuild ++= Seq("-unchecked", "-deprecation")""")
logger.warn(s"${ErrorLog.warnTag} or, in your build.sbt, add the line:")
logger.warn(s"""${ErrorLog.warnTag} scalacOptions := Seq("-unchecked", "-deprecation")""")
}
val allErrors = errors.filter(_._2.isFatal)
val allWarnings = errors.filter(!_._2.isFatal)
if (!allWarnings.isEmpty && !allErrors.isEmpty) {
logger.warn(
s"${ErrorLog.errTag} There were ${Console.RED}${allErrors.size} error(s)${Console.RESET} and ${Console.YELLOW}${allWarnings.size} warning(s)${Console.RESET} during hardware elaboration."
)
} else if (!allWarnings.isEmpty) {
logger.warn(
s"${ErrorLog.warnTag} There were ${Console.YELLOW}${allWarnings.size} warning(s)${Console.RESET} during hardware elaboration."
)
} else if (!allErrors.isEmpty) {
logger.warn(
s"${ErrorLog.errTag} There were ${Console.RED}${allErrors.size} error(s)${Console.RESET} during hardware elaboration."
)
}
if (!allErrors.isEmpty) {
throw new Errors(
"Fatal errors during hardware elaboration. Look above for error list. " +
"Rerun with --throw-on-first-error if you wish to see a stack trace."
)
} else {
// No fatal errors, clear accumulated warnings since they've been reported
errors.clear()
}
}
/** Returns the best guess at the first stack frame that belongs to user code.
*/
private def getUserLineNumber = {
def isChiselClassname(className: String): Boolean = {
// List of classpath prefixes that are Chisel internals and should be ignored when looking for user code
// utils are not part of internals and errors there can be reported
val chiselPrefixes = Set(
"java.",
"scala.",
"chisel3.",
"chisel3.internal.",
"chisel3.experimental.",
"chisel3.package$" // for some compatibility / deprecated types
)
!chiselPrefixes.filter(className.startsWith(_)).isEmpty
}
Thread
.currentThread()
.getStackTrace
.toList
.dropWhile(
// Get rid of everything in Chisel core
ste => isChiselClassname(ste.getClassName)
)
.headOption
}
private val errors = LinkedHashMap[(String, String), LogEntry]()
private val deprecations = LinkedHashMap[(String, String), Int]()
private val startTime = System.currentTimeMillis
private def elapsedTime: Long = System.currentTimeMillis - startTime
}
private abstract class LogEntry(msg: => String, line: Option[StackTraceElement]) {
def isFatal: Boolean = false
def format: String
override def toString: String = line match {
case Some(l) => s"${format} ${l.getFileName}:${l.getLineNumber}: ${msg} in class ${l.getClassName}"
case None => s"${format} ${msg}"
}
protected def tag(name: String, color: String): String =
s"[${color}${name}${Console.RESET}]"
}
private class Error(msg: => String, line: Option[StackTraceElement]) extends LogEntry(msg, line) {
override def isFatal: Boolean = true
def format: String = tag("error", Console.RED)
}
private class Warning(msg: => String, line: Option[StackTraceElement]) extends LogEntry(msg, line) {
def format: String = tag("warn", Console.YELLOW)
}
private class Info(msg: => String, line: Option[StackTraceElement]) extends LogEntry(msg, line) {
def format: String = tag("info", Console.MAGENTA)
}
|