suggest.nim 27 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739
  1. #
  2. #
  3. # The Nim Compiler
  4. # (c) Copyright 2015 Andreas Rumpf
  5. #
  6. # See the file "copying.txt", included in this
  7. # distribution, for details about the copyright.
  8. #
  9. ## This file implements features required for IDE support.
  10. ##
  11. ## Due to Nim's nature and the fact that ``system.nim`` is always imported,
  12. ## there are lots of potential symbols. Furthermore thanks to templates and
  13. ## macros even context based analysis does not help much: In a context like
  14. ## ``let x: |`` where a type has to follow, that type might be constructed from
  15. ## a template like ``extractField(MyObject, fieldName)``. We deal with this
  16. ## problem by smart sorting so that the likely symbols come first. This sorting
  17. ## is done this way:
  18. ##
  19. ## - If there is a prefix (foo|), symbols starting with this prefix come first.
  20. ## - If the prefix is part of the name (but the name doesn't start with it),
  21. ## these symbols come second.
  22. ## - If we have a prefix, only symbols matching this prefix are returned and
  23. ## nothing else.
  24. ## - If we have no prefix, consider the context. We currently distinguish
  25. ## between type and non-type contexts.
  26. ## - Finally, sort matches by relevance. The relevance is determined by the
  27. ## number of usages, so ``strutils.replace`` comes before
  28. ## ``strutils.wordWrap``.
  29. ## - In any case, sorting also considers scoping information. Local variables
  30. ## get high priority.
  31. # included from sigmatch.nim
  32. import algorithm, sets, prefixmatches, parseutils, tables
  33. from wordrecg import wDeprecated, wError, wAddr, wYield
  34. when defined(nimsuggest):
  35. import tables, pathutils # importer
  36. const
  37. sep = '\t'
  38. #template sectionSuggest(): expr = "##begin\n" & getStackTrace() & "##end\n"
  39. template origModuleName(m: PSym): string = m.name.s
  40. proc findDocComment(n: PNode): PNode =
  41. if n == nil: return nil
  42. if n.comment.len > 0: return n
  43. if n.kind in {nkStmtList, nkStmtListExpr, nkObjectTy, nkRecList} and n.len > 0:
  44. result = findDocComment(n[0])
  45. if result != nil: return
  46. if n.len > 1:
  47. result = findDocComment(n[1])
  48. elif n.kind in {nkAsgn, nkFastAsgn, nkSinkAsgn} and n.len == 2:
  49. result = findDocComment(n[1])
  50. else:
  51. result = nil
  52. proc extractDocComment(g: ModuleGraph; s: PSym): string =
  53. var n = findDocComment(s.ast)
  54. if n.isNil and s.kind in routineKinds and s.ast != nil:
  55. n = findDocComment(getBody(g, s))
  56. if not n.isNil:
  57. result = n.comment.replace("\n##", "\n").strip
  58. else:
  59. result = ""
  60. proc cmpSuggestions(a, b: Suggest): int =
  61. template cf(field) {.dirty.} =
  62. result = b.field.int - a.field.int
  63. if result != 0: return result
  64. cf prefix
  65. cf contextFits
  66. cf scope
  67. # when the first type matches, it's better when it's a generic match:
  68. cf quality
  69. cf localUsages
  70. cf globalUsages
  71. # if all is equal, sort alphabetically for deterministic output,
  72. # independent of hashing order:
  73. result = cmp(a.name[], b.name[])
  74. proc getTokenLenFromSource(conf: ConfigRef; ident: string; info: TLineInfo): int =
  75. let
  76. line = sourceLine(conf, info)
  77. column = toColumn(info)
  78. proc isOpeningBacktick(col: int): bool =
  79. if col >= 0 and col < line.len:
  80. if line[col] == '`':
  81. not isOpeningBacktick(col - 1)
  82. else:
  83. isOpeningBacktick(col - 1)
  84. else:
  85. false
  86. if column > line.len:
  87. result = 0
  88. elif column > 0 and line[column - 1] == '`' and isOpeningBacktick(column - 1):
  89. result = skipUntil(line, '`', column)
  90. if cmpIgnoreStyle(line[column..column + result - 1], ident) != 0:
  91. result = 0
  92. elif ident[0] in linter.Letters and ident[^1] != '=':
  93. result = identLen(line, column)
  94. if cmpIgnoreStyle(line[column..column + result - 1], ident) != 0:
  95. result = 0
  96. else:
  97. var sourceIdent: string = ""
  98. result = parseWhile(line, sourceIdent,
  99. OpChars + {'[', '(', '{', ']', ')', '}'}, column)
  100. if ident[^1] == '=' and ident[0] in linter.Letters:
  101. if sourceIdent != "=":
  102. result = 0
  103. elif sourceIdent.len > ident.len and sourceIdent[0..ident.high] == ident:
  104. result = ident.len
  105. elif sourceIdent != ident:
  106. result = 0
  107. proc symToSuggest*(g: ModuleGraph; s: PSym, isLocal: bool, section: IdeCmd, info: TLineInfo;
  108. quality: range[0..100]; prefix: PrefixMatch;
  109. inTypeContext: bool; scope: int;
  110. useSuppliedInfo = false,
  111. endLine: uint16 = 0,
  112. endCol = 0): Suggest =
  113. new(result)
  114. result.section = section
  115. result.quality = quality
  116. result.isGlobal = sfGlobal in s.flags
  117. result.prefix = prefix
  118. result.contextFits = inTypeContext == (s.kind in {skType, skGenericParam})
  119. result.scope = scope
  120. result.name = addr s.name.s
  121. when defined(nimsuggest):
  122. result.globalUsages = s.allUsages.len
  123. var c = 0
  124. for u in s.allUsages:
  125. if u.fileIndex == info.fileIndex: inc c
  126. result.localUsages = c
  127. result.symkind = byte s.kind
  128. if optIdeTerse notin g.config.globalOptions:
  129. result.qualifiedPath = @[]
  130. if not isLocal and s.kind != skModule:
  131. let ow = s.owner
  132. if ow != nil and ow.kind != skModule and ow.owner != nil:
  133. let ow2 = ow.owner
  134. result.qualifiedPath.add(ow2.origModuleName)
  135. if ow != nil:
  136. result.qualifiedPath.add(ow.origModuleName)
  137. if s.name.s[0] in OpChars + {'[', '{', '('} or
  138. s.name.id in ord(wAddr)..ord(wYield):
  139. result.qualifiedPath.add('`' & s.name.s & '`')
  140. else:
  141. result.qualifiedPath.add(s.name.s)
  142. if s.typ != nil:
  143. result.forth = typeToString(s.typ)
  144. else:
  145. result.forth = ""
  146. when defined(nimsuggest) and not defined(noDocgen) and not defined(leanCompiler):
  147. result.doc = extractDocComment(g, s)
  148. if s.kind == skModule and s.ast.len != 0 and section != ideHighlight:
  149. result.filePath = toFullPath(g.config, s.ast[0].info)
  150. result.line = 1
  151. result.column = 0
  152. result.tokenLen = 0
  153. else:
  154. let infox =
  155. if useSuppliedInfo or section in {ideUse, ideHighlight, ideOutline, ideDeclaration}:
  156. info
  157. else:
  158. s.info
  159. result.filePath = toFullPath(g.config, infox)
  160. result.line = toLinenumber(infox)
  161. result.column = toColumn(infox)
  162. result.tokenLen = if section != ideHighlight:
  163. s.name.s.len
  164. else:
  165. getTokenLenFromSource(g.config, s.name.s, infox)
  166. result.version = g.config.suggestVersion
  167. result.endLine = endLine
  168. result.endCol = endCol
  169. proc `$`*(suggest: Suggest): string =
  170. result = $suggest.section
  171. result.add(sep)
  172. if suggest.section == ideHighlight:
  173. if suggest.symkind.TSymKind == skVar and suggest.isGlobal:
  174. result.add("skGlobalVar")
  175. elif suggest.symkind.TSymKind == skLet and suggest.isGlobal:
  176. result.add("skGlobalLet")
  177. else:
  178. result.add($suggest.symkind.TSymKind)
  179. result.add(sep)
  180. result.add($suggest.line)
  181. result.add(sep)
  182. result.add($suggest.column)
  183. result.add(sep)
  184. result.add($suggest.tokenLen)
  185. else:
  186. result.add($suggest.symkind.TSymKind)
  187. result.add(sep)
  188. if suggest.qualifiedPath.len != 0:
  189. result.add(suggest.qualifiedPath.join("."))
  190. result.add(sep)
  191. result.add(suggest.forth)
  192. result.add(sep)
  193. result.add(suggest.filePath)
  194. result.add(sep)
  195. result.add($suggest.line)
  196. result.add(sep)
  197. result.add($suggest.column)
  198. result.add(sep)
  199. when defined(nimsuggest) and not defined(noDocgen) and not defined(leanCompiler):
  200. result.add(suggest.doc.escape)
  201. if suggest.version == 0 or suggest.version == 3:
  202. result.add(sep)
  203. result.add($suggest.quality)
  204. if suggest.section == ideSug:
  205. result.add(sep)
  206. result.add($suggest.prefix)
  207. if (suggest.version == 3 and suggest.section in {ideOutline, ideExpand}):
  208. result.add(sep)
  209. result.add($suggest.endLine)
  210. result.add(sep)
  211. result.add($suggest.endCol)
  212. proc suggestResult*(conf: ConfigRef; s: Suggest) =
  213. if not isNil(conf.suggestionResultHook):
  214. conf.suggestionResultHook(s)
  215. else:
  216. conf.suggestWriteln($s)
  217. proc produceOutput(a: var Suggestions; conf: ConfigRef) =
  218. if conf.ideCmd in {ideSug, ideCon}:
  219. a.sort cmpSuggestions
  220. when defined(debug):
  221. # debug code
  222. writeStackTrace()
  223. if a.len > conf.suggestMaxResults: a.setLen(conf.suggestMaxResults)
  224. if not isNil(conf.suggestionResultHook):
  225. for s in a:
  226. conf.suggestionResultHook(s)
  227. else:
  228. for s in a:
  229. conf.suggestWriteln($s)
  230. proc filterSym(s: PSym; prefix: PNode; res: var PrefixMatch): bool {.inline.} =
  231. proc prefixMatch(s: PSym; n: PNode): PrefixMatch =
  232. case n.kind
  233. of nkIdent: result = n.ident.s.prefixMatch(s.name.s)
  234. of nkSym: result = n.sym.name.s.prefixMatch(s.name.s)
  235. of nkOpenSymChoice, nkClosedSymChoice, nkAccQuoted:
  236. if n.len > 0:
  237. result = prefixMatch(s, n[0])
  238. else:
  239. result = default(PrefixMatch)
  240. else: result = default(PrefixMatch)
  241. if s.kind != skModule:
  242. if prefix != nil:
  243. res = prefixMatch(s, prefix)
  244. result = res != PrefixMatch.None
  245. else:
  246. result = true
  247. else:
  248. result = false
  249. proc filterSymNoOpr(s: PSym; prefix: PNode; res: var PrefixMatch): bool {.inline.} =
  250. result = filterSym(s, prefix, res) and s.name.s[0] in lexer.SymChars and
  251. not isKeyword(s.name)
  252. proc fieldVisible*(c: PContext, f: PSym): bool {.inline.} =
  253. let fmoduleId = getModule(f).id
  254. result = sfExported in f.flags or fmoduleId == c.module.id
  255. if not result:
  256. for module in c.friendModules:
  257. if fmoduleId == module.id: return true
  258. if f.kind == skField:
  259. var symObj = f.owner
  260. if symObj.typ.skipTypes({tyGenericBody, tyGenericInst, tyGenericInvocation, tyAlias}).kind in {tyRef, tyPtr}:
  261. symObj = symObj.typ.toObjectFromRefPtrGeneric.sym
  262. assert symObj != nil
  263. for scope in allScopes(c.currentScope):
  264. for sym in scope.allowPrivateAccess:
  265. if symObj.id == sym.id: return true
  266. proc getQuality(s: PSym): range[0..100] =
  267. result = 100
  268. if s.typ != nil and s.typ.len > 1:
  269. var exp = s.typ[1].skipTypes({tyGenericInst, tyVar, tyLent, tyAlias, tySink})
  270. if exp.kind == tyVarargs: exp = elemType(exp)
  271. if exp.kind in {tyUntyped, tyTyped, tyGenericParam, tyAnything}: result = 50
  272. # penalize deprecated symbols
  273. if sfDeprecated in s.flags:
  274. result = result - 5
  275. proc suggestField(c: PContext, s: PSym; f: PNode; info: TLineInfo; outputs: var Suggestions) =
  276. var pm: PrefixMatch = default(PrefixMatch)
  277. if filterSym(s, f, pm) and fieldVisible(c, s):
  278. outputs.add(symToSuggest(c.graph, s, isLocal=true, ideSug, info,
  279. s.getQuality, pm, c.inTypeContext > 0, 0))
  280. template wholeSymTab(cond, section: untyped) {.dirty.} =
  281. for (item, scopeN, isLocal) in uniqueSyms(c):
  282. let it = item
  283. var pm: PrefixMatch = default(PrefixMatch)
  284. if cond:
  285. outputs.add(symToSuggest(c.graph, it, isLocal = isLocal, section, info, getQuality(it),
  286. pm, c.inTypeContext > 0, scopeN))
  287. proc suggestSymList(c: PContext, list, f: PNode; info: TLineInfo, outputs: var Suggestions) =
  288. for i in 0..<list.len:
  289. if list[i].kind == nkSym:
  290. suggestField(c, list[i].sym, f, info, outputs)
  291. #else: InternalError(list.info, "getSymFromList")
  292. proc suggestObject(c: PContext, n, f: PNode; info: TLineInfo, outputs: var Suggestions) =
  293. case n.kind
  294. of nkRecList:
  295. for i in 0..<n.len: suggestObject(c, n[i], f, info, outputs)
  296. of nkRecCase:
  297. if n.len > 0:
  298. suggestObject(c, n[0], f, info, outputs)
  299. for i in 1..<n.len: suggestObject(c, lastSon(n[i]), f, info, outputs)
  300. of nkSym: suggestField(c, n.sym, f, info, outputs)
  301. else: discard
  302. proc nameFits(c: PContext, s: PSym, n: PNode): bool =
  303. var op = if n.kind in nkCallKinds: n[0] else: n
  304. if op.kind in {nkOpenSymChoice, nkClosedSymChoice}: op = op[0]
  305. if op.kind == nkDotExpr: op = op[1]
  306. var opr: PIdent
  307. case op.kind
  308. of nkSym: opr = op.sym.name
  309. of nkIdent: opr = op.ident
  310. else: return false
  311. result = opr.id == s.name.id
  312. proc argsFit(c: PContext, candidate: PSym, n, nOrig: PNode): bool =
  313. case candidate.kind
  314. of OverloadableSyms:
  315. var m = newCandidate(c, candidate, nil)
  316. sigmatch.partialMatch(c, n, nOrig, m)
  317. result = m.state != csNoMatch
  318. else:
  319. result = false
  320. proc suggestCall(c: PContext, n, nOrig: PNode, outputs: var Suggestions) =
  321. let info = n.info
  322. wholeSymTab(filterSym(it, nil, pm) and nameFits(c, it, n) and argsFit(c, it, n, nOrig),
  323. ideCon)
  324. proc suggestVar(c: PContext, n: PNode, outputs: var Suggestions) =
  325. let info = n.info
  326. wholeSymTab(nameFits(c, it, n), ideCon)
  327. proc typeFits(c: PContext, s: PSym, firstArg: PType): bool {.inline.} =
  328. if s.typ != nil and s.typ.len > 1 and s.typ[1] != nil:
  329. # special rule: if system and some weird generic match via 'tyUntyped'
  330. # or 'tyGenericParam' we won't list it either to reduce the noise (nobody
  331. # wants 'system.`-|` as suggestion
  332. let m = s.getModule()
  333. if m != nil and sfSystemModule in m.flags:
  334. if s.kind == skType: return
  335. var exp = s.typ[1].skipTypes({tyGenericInst, tyVar, tyLent, tyAlias, tySink})
  336. if exp.kind == tyVarargs: exp = elemType(exp)
  337. if exp.kind in {tyUntyped, tyTyped, tyGenericParam, tyAnything}: return
  338. result = sigmatch.argtypeMatches(c, s.typ[1], firstArg)
  339. else:
  340. result = false
  341. proc suggestOperations(c: PContext, n, f: PNode, typ: PType, outputs: var Suggestions) =
  342. assert typ != nil
  343. let info = n.info
  344. wholeSymTab(filterSymNoOpr(it, f, pm) and typeFits(c, it, typ), ideSug)
  345. proc suggestEverything(c: PContext, n, f: PNode, outputs: var Suggestions) =
  346. # do not produce too many symbols:
  347. for (it, scopeN, isLocal) in uniqueSyms(c):
  348. var pm: PrefixMatch = default(PrefixMatch)
  349. if filterSym(it, f, pm):
  350. outputs.add(symToSuggest(c.graph, it, isLocal = isLocal, ideSug, n.info,
  351. it.getQuality, pm, c.inTypeContext > 0, scopeN))
  352. proc suggestFieldAccess(c: PContext, n, field: PNode, outputs: var Suggestions) =
  353. # special code that deals with ``myObj.``. `n` is NOT the nkDotExpr-node, but
  354. # ``myObj``.
  355. var typ = n.typ
  356. var pm: PrefixMatch = default(PrefixMatch)
  357. when defined(nimsuggest):
  358. if n.kind == nkSym and n.sym.kind == skError and c.config.suggestVersion == 0:
  359. # consider 'foo.|' where 'foo' is some not imported module.
  360. let fullPath = findModule(c.config, n.sym.name.s, toFullPath(c.config, n.info))
  361. if fullPath.isEmpty:
  362. # error: no known module name:
  363. typ = nil
  364. else:
  365. let m = c.graph.importModuleCallback(c.graph, c.module, fileInfoIdx(c.config, fullPath))
  366. if m == nil: typ = nil
  367. else:
  368. for it in allSyms(c.graph, n.sym):
  369. if filterSym(it, field, pm):
  370. outputs.add(symToSuggest(c.graph, it, isLocal=false, ideSug,
  371. n.info, it.getQuality, pm,
  372. c.inTypeContext > 0, -100))
  373. outputs.add(symToSuggest(c.graph, m, isLocal=false, ideMod, n.info,
  374. 100, PrefixMatch.None, c.inTypeContext > 0,
  375. -99))
  376. if typ == nil:
  377. # a module symbol has no type for example:
  378. if n.kind == nkSym and n.sym.kind == skModule:
  379. if n.sym == c.module:
  380. # all symbols accessible, because we are in the current module:
  381. for it in items(c.topLevelScope.symbols):
  382. if filterSym(it, field, pm):
  383. outputs.add(symToSuggest(c.graph, it, isLocal=false, ideSug,
  384. n.info, it.getQuality, pm,
  385. c.inTypeContext > 0, -99))
  386. else:
  387. for it in allSyms(c.graph, n.sym):
  388. if filterSym(it, field, pm):
  389. outputs.add(symToSuggest(c.graph, it, isLocal=false, ideSug,
  390. n.info, it.getQuality, pm,
  391. c.inTypeContext > 0, -99))
  392. else:
  393. # fallback:
  394. suggestEverything(c, n, field, outputs)
  395. else:
  396. let orig = typ
  397. typ = skipTypes(orig, {tyTypeDesc, tyGenericInst, tyVar, tyLent, tyPtr, tyRef, tyAlias, tySink, tyOwned})
  398. if typ.kind == tyEnum and n.kind == nkSym and n.sym.kind == skType:
  399. # look up if the identifier belongs to the enum:
  400. var t = typ
  401. while t != nil:
  402. suggestSymList(c, t.n, field, n.info, outputs)
  403. t = t[0]
  404. elif typ.kind == tyObject:
  405. var t = typ
  406. while true:
  407. suggestObject(c, t.n, field, n.info, outputs)
  408. if t[0] == nil: break
  409. t = skipTypes(t[0], skipPtrs)
  410. elif typ.kind == tyTuple and typ.n != nil:
  411. # All tuple fields are in scope
  412. # So go through each field and add it to the suggestions (If it passes the filter)
  413. for node in typ.n:
  414. if node.kind == nkSym:
  415. let s = node.sym
  416. var pm: PrefixMatch = default(PrefixMatch)
  417. if filterSym(s, field, pm):
  418. outputs.add(symToSuggest(c.graph, s, isLocal=true, ideSug, n.info,
  419. s.getQuality, pm, c.inTypeContext > 0, 0))
  420. suggestOperations(c, n, field, orig, outputs)
  421. if typ != orig:
  422. suggestOperations(c, n, field, typ, outputs)
  423. type
  424. TCheckPointResult* = enum
  425. cpNone, cpFuzzy, cpExact
  426. proc inCheckpoint*(current, trackPos: TLineInfo): TCheckPointResult =
  427. if current.fileIndex == trackPos.fileIndex:
  428. result = cpNone
  429. if current.line == trackPos.line and
  430. abs(current.col-trackPos.col) < 4:
  431. return cpExact
  432. if current.line >= trackPos.line:
  433. return cpFuzzy
  434. else:
  435. result = cpNone
  436. proc isTracked*(current, trackPos: TLineInfo, tokenLen: int): bool =
  437. if current.fileIndex==trackPos.fileIndex and current.line==trackPos.line:
  438. let col = trackPos.col
  439. if col >= current.col and col <= current.col+tokenLen-1:
  440. result = true
  441. else:
  442. result = false
  443. else:
  444. result = false
  445. when defined(nimsuggest):
  446. # Since TLineInfo defined a == operator that doesn't include the column,
  447. # we map TLineInfo to a unique int here for this lookup table:
  448. proc infoToInt(info: TLineInfo): int64 =
  449. info.fileIndex.int64 + info.line.int64 shl 32 + info.col.int64 shl 48
  450. proc addNoDup(s: PSym; info: TLineInfo) =
  451. # ensure nothing gets too slow:
  452. if s.allUsages.len > 500: return
  453. let infoAsInt = info.infoToInt
  454. for infoB in s.allUsages:
  455. if infoB.infoToInt == infoAsInt: return
  456. s.allUsages.add(info)
  457. proc findUsages(g: ModuleGraph; info: TLineInfo; s: PSym; usageSym: var PSym) =
  458. if g.config.suggestVersion == 1:
  459. if usageSym == nil and isTracked(info, g.config.m.trackPos, s.name.s.len):
  460. usageSym = s
  461. suggestResult(g.config, symToSuggest(g, s, isLocal=false, ideUse, info, 100, PrefixMatch.None, false, 0))
  462. elif s == usageSym:
  463. if g.config.lastLineInfo != info:
  464. suggestResult(g.config, symToSuggest(g, s, isLocal=false, ideUse, info, 100, PrefixMatch.None, false, 0))
  465. g.config.lastLineInfo = info
  466. when defined(nimsuggest):
  467. proc listUsages*(g: ModuleGraph; s: PSym) =
  468. #echo "usages ", s.allUsages.len
  469. for info in s.allUsages:
  470. let x = if info == s.info and info.col == s.info.col: ideDef else: ideUse
  471. suggestResult(g.config, symToSuggest(g, s, isLocal=false, x, info, 100, PrefixMatch.None, false, 0))
  472. proc findDefinition(g: ModuleGraph; info: TLineInfo; s: PSym; usageSym: var PSym) =
  473. if s.isNil: return
  474. if isTracked(info, g.config.m.trackPos, s.name.s.len) or (s == usageSym and sfForward notin s.flags):
  475. suggestResult(g.config, symToSuggest(g, s, isLocal=false, ideDef, info, 100, PrefixMatch.None, false, 0, useSuppliedInfo = s == usageSym))
  476. if sfForward notin s.flags and g.config.suggestVersion != 3:
  477. suggestQuit()
  478. else:
  479. usageSym = s
  480. proc ensureIdx[T](x: var T, y: int) =
  481. if x.len <= y: x.setLen(y+1)
  482. proc ensureSeq[T](x: var seq[T]) =
  483. if x == nil: newSeq(x, 0)
  484. proc suggestSym*(g: ModuleGraph; info: TLineInfo; s: PSym; usageSym: var PSym; isDecl=true) {.inline.} =
  485. ## misnamed: should be 'symDeclared'
  486. let conf = g.config
  487. when defined(nimsuggest):
  488. g.suggestSymbols.mgetOrPut(info.fileIndex, @[]).add SymInfoPair(sym: s, info: info)
  489. if conf.suggestVersion == 0:
  490. if s.allUsages.len == 0:
  491. s.allUsages = @[info]
  492. else:
  493. s.addNoDup(info)
  494. if conf.ideCmd == ideUse:
  495. findUsages(g, info, s, usageSym)
  496. elif conf.ideCmd == ideDef:
  497. findDefinition(g, info, s, usageSym)
  498. elif conf.ideCmd == ideDus and s != nil:
  499. if isTracked(info, conf.m.trackPos, s.name.s.len):
  500. suggestResult(conf, symToSuggest(g, s, isLocal=false, ideDef, info, 100, PrefixMatch.None, false, 0))
  501. findUsages(g, info, s, usageSym)
  502. elif conf.ideCmd == ideHighlight and info.fileIndex == conf.m.trackPos.fileIndex:
  503. suggestResult(conf, symToSuggest(g, s, isLocal=false, ideHighlight, info, 100, PrefixMatch.None, false, 0))
  504. elif conf.ideCmd == ideOutline and isDecl:
  505. # if a module is included then the info we have is inside the include and
  506. # we need to walk up the owners until we find the outer most module,
  507. # which will be the last skModule prior to an skPackage.
  508. var
  509. parentFileIndex = info.fileIndex # assume we're in the correct module
  510. parentModule = s.owner
  511. while parentModule != nil and parentModule.kind == skModule:
  512. parentFileIndex = parentModule.info.fileIndex
  513. parentModule = parentModule.owner
  514. if parentFileIndex == conf.m.trackPos.fileIndex:
  515. suggestResult(conf, symToSuggest(g, s, isLocal=false, ideOutline, info, 100, PrefixMatch.None, false, 0))
  516. proc warnAboutDeprecated(conf: ConfigRef; info: TLineInfo; s: PSym) =
  517. var pragmaNode: PNode
  518. pragmaNode = if s.kind == skEnumField: extractPragma(s.owner) else: extractPragma(s)
  519. let name =
  520. if s.kind == skEnumField and sfDeprecated notin s.flags: "enum '" & s.owner.name.s & "' which contains field '" & s.name.s & "'"
  521. else: s.name.s
  522. if pragmaNode != nil:
  523. for it in pragmaNode:
  524. if whichPragma(it) == wDeprecated and it.safeLen == 2 and
  525. it[1].kind in {nkStrLit..nkTripleStrLit}:
  526. message(conf, info, warnDeprecated, it[1].strVal & "; " & name & " is deprecated")
  527. return
  528. message(conf, info, warnDeprecated, name & " is deprecated")
  529. proc userError(conf: ConfigRef; info: TLineInfo; s: PSym) =
  530. let pragmaNode = extractPragma(s)
  531. template bail(prefix: string) =
  532. localError(conf, info, "$1usage of '$2' is an {.error.} defined at $3" %
  533. [prefix, s.name.s, toFileLineCol(conf, s.ast.info)])
  534. if pragmaNode != nil:
  535. for it in pragmaNode:
  536. if whichPragma(it) == wError and it.safeLen == 2 and
  537. it[1].kind in {nkStrLit..nkTripleStrLit}:
  538. bail(it[1].strVal & "; ")
  539. return
  540. bail("")
  541. proc markOwnerModuleAsUsed(c: PContext; s: PSym) =
  542. var module = s
  543. while module != nil and module.kind != skModule:
  544. module = module.owner
  545. if module != nil and module != c.module:
  546. var i = 0
  547. while i <= high(c.unusedImports):
  548. let candidate = c.unusedImports[i][0]
  549. if candidate == module or c.importModuleMap.getOrDefault(candidate.id, int.low) == module.id or
  550. c.exportIndirections.contains((candidate.id, s.id)):
  551. # mark it as used:
  552. c.unusedImports.del(i)
  553. else:
  554. inc i
  555. proc markUsed(c: PContext; info: TLineInfo; s: PSym) =
  556. let conf = c.config
  557. incl(s.flags, sfUsed)
  558. if s.kind == skEnumField and s.owner != nil:
  559. incl(s.owner.flags, sfUsed)
  560. if sfDeprecated in s.owner.flags:
  561. warnAboutDeprecated(conf, info, s)
  562. if {sfDeprecated, sfError} * s.flags != {}:
  563. if sfDeprecated in s.flags:
  564. if not (c.lastTLineInfo.line == info.line and
  565. c.lastTLineInfo.col == info.col):
  566. warnAboutDeprecated(conf, info, s)
  567. c.lastTLineInfo = info
  568. if sfError in s.flags: userError(conf, info, s)
  569. when defined(nimsuggest):
  570. suggestSym(c.graph, info, s, c.graph.usageSym, false)
  571. styleCheckUse(c, info, s)
  572. markOwnerModuleAsUsed(c, s)
  573. proc safeSemExpr*(c: PContext, n: PNode): PNode =
  574. # use only for idetools support!
  575. try:
  576. result = c.semExpr(c, n)
  577. except ERecoverableError:
  578. result = c.graph.emptyNode
  579. proc sugExpr(c: PContext, n: PNode, outputs: var Suggestions) =
  580. if n.kind == nkDotExpr:
  581. var obj = safeSemExpr(c, n[0])
  582. # it can happen that errnously we have collected the fieldname
  583. # of the next line, so we check the 'field' is actually on the same
  584. # line as the object to prevent this from happening:
  585. let prefix = if n.len == 2 and n[1].info.line == n[0].info.line and
  586. not c.config.m.trackPosAttached: n[1] else: nil
  587. suggestFieldAccess(c, obj, prefix, outputs)
  588. #if optIdeDebug in gGlobalOptions:
  589. # echo "expression ", renderTree(obj), " has type ", typeToString(obj.typ)
  590. #writeStackTrace()
  591. elif n.kind == nkIdent:
  592. let
  593. prefix = if c.config.m.trackPosAttached: nil else: n
  594. info = n.info
  595. wholeSymTab(filterSym(it, prefix, pm), ideSug)
  596. else:
  597. let prefix = if c.config.m.trackPosAttached: nil else: n
  598. suggestEverything(c, n, prefix, outputs)
  599. proc suggestExprNoCheck*(c: PContext, n: PNode) =
  600. # This keeps semExpr() from coming here recursively:
  601. if c.compilesContextId > 0: return
  602. inc(c.compilesContextId)
  603. var outputs: Suggestions = @[]
  604. if c.config.ideCmd == ideSug:
  605. sugExpr(c, n, outputs)
  606. elif c.config.ideCmd == ideCon:
  607. if n.kind in nkCallKinds:
  608. var a = copyNode(n)
  609. var x = safeSemExpr(c, n[0])
  610. if x.kind == nkEmpty or x.typ == nil: x = n[0]
  611. a.add x
  612. for i in 1..<n.len:
  613. # use as many typed arguments as possible:
  614. var x = safeSemExpr(c, n[i])
  615. if x.kind == nkEmpty or x.typ == nil: break
  616. a.add x
  617. suggestCall(c, a, n, outputs)
  618. elif n.kind in nkIdentKinds:
  619. var x = safeSemExpr(c, n)
  620. if x.kind == nkEmpty or x.typ == nil: x = n
  621. suggestVar(c, x, outputs)
  622. dec(c.compilesContextId)
  623. if outputs.len > 0 and c.config.ideCmd in {ideSug, ideCon, ideDef}:
  624. produceOutput(outputs, c.config)
  625. suggestQuit()
  626. proc suggestExpr*(c: PContext, n: PNode) =
  627. if exactEquals(c.config.m.trackPos, n.info): suggestExprNoCheck(c, n)
  628. proc suggestDecl*(c: PContext, n: PNode; s: PSym) =
  629. let attached = c.config.m.trackPosAttached
  630. if attached: inc(c.inTypeContext)
  631. defer:
  632. if attached: dec(c.inTypeContext)
  633. suggestExpr(c, n)
  634. proc suggestStmt*(c: PContext, n: PNode) =
  635. suggestExpr(c, n)
  636. proc suggestEnum*(c: PContext; n: PNode; t: PType) =
  637. var outputs: Suggestions = @[]
  638. suggestSymList(c, t.n, nil, n.info, outputs)
  639. produceOutput(outputs, c.config)
  640. if outputs.len > 0: suggestQuit()
  641. proc suggestSentinel*(c: PContext) =
  642. if c.config.ideCmd != ideSug or c.module.position != c.config.m.trackPos.fileIndex.int32: return
  643. if c.compilesContextId > 0: return
  644. inc(c.compilesContextId)
  645. var outputs: Suggestions = @[]
  646. # suggest everything:
  647. for (it, scopeN, isLocal) in uniqueSyms(c):
  648. var pm: PrefixMatch = default(PrefixMatch)
  649. if filterSymNoOpr(it, nil, pm):
  650. outputs.add(symToSuggest(c.graph, it, isLocal = isLocal, ideSug,
  651. newLineInfo(c.config.m.trackPos.fileIndex, 0, -1), it.getQuality,
  652. PrefixMatch.None, false, scopeN))
  653. dec(c.compilesContextId)
  654. produceOutput(outputs, c.config)
  655. when defined(nimsuggest):
  656. proc onDef(graph: ModuleGraph, s: PSym, info: TLineInfo) =
  657. if graph.config.suggestVersion == 3 and info.exactEquals(s.info):
  658. suggestSym(graph, info, s, graph.usageSym)
  659. template getPContext(): untyped =
  660. when c is PContext: c
  661. else: c.c
  662. template onDef*(info: TLineInfo; s: PSym) =
  663. let c = getPContext()
  664. onDef(c.graph, s, info)