semcall.nim 29 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752
  1. #
  2. #
  3. # The Nim Compiler
  4. # (c) Copyright 2013 Andreas Rumpf
  5. #
  6. # See the file "copying.txt", included in this
  7. # distribution, for details about the copyright.
  8. #
  9. ## This module implements semantic checking for calls.
  10. # included from sem.nim
  11. from algorithm import sort
  12. proc sameMethodDispatcher(a, b: PSym): bool =
  13. result = false
  14. if a.kind == skMethod and b.kind == skMethod:
  15. var aa = lastSon(a.ast)
  16. var bb = lastSon(b.ast)
  17. if aa.kind == nkSym and bb.kind == nkSym:
  18. if aa.sym == bb.sym:
  19. result = true
  20. else:
  21. discard
  22. # generics have no dispatcher yet, so we need to compare the method
  23. # names; however, the names are equal anyway because otherwise we
  24. # wouldn't even consider them to be overloaded. But even this does
  25. # not work reliably! See tmultim6 for an example:
  26. # method collide[T](a: TThing, b: TUnit[T]) is instantiated and not
  27. # method collide[T](a: TUnit[T], b: TThing)! This means we need to
  28. # *instantiate* every candidate! However, we don't keep more than 2-3
  29. # candidates around so we cannot implement that for now. So in order
  30. # to avoid subtle problems, the call remains ambiguous and needs to
  31. # be disambiguated by the programmer; this way the right generic is
  32. # instantiated.
  33. proc determineType(c: PContext, s: PSym)
  34. proc initCandidateSymbols(c: PContext, headSymbol: PNode,
  35. initialBinding: PNode,
  36. filter: TSymKinds,
  37. best, alt: var TCandidate,
  38. o: var TOverloadIter,
  39. diagnostics: bool): seq[tuple[s: PSym, scope: int]] =
  40. result = @[]
  41. var symx = initOverloadIter(o, c, headSymbol)
  42. while symx != nil:
  43. if symx.kind in filter:
  44. result.add((symx, o.lastOverloadScope))
  45. symx = nextOverloadIter(o, c, headSymbol)
  46. if result.len > 0:
  47. initCandidate(c, best, result[0].s, initialBinding,
  48. result[0].scope, diagnostics)
  49. initCandidate(c, alt, result[0].s, initialBinding,
  50. result[0].scope, diagnostics)
  51. best.state = csNoMatch
  52. proc pickBestCandidate(c: PContext, headSymbol: PNode,
  53. n, orig: PNode,
  54. initialBinding: PNode,
  55. filter: TSymKinds,
  56. best, alt: var TCandidate,
  57. errors: var CandidateErrors,
  58. diagnosticsFlag: bool,
  59. errorsEnabled: bool, flags: TExprFlags) =
  60. var o: TOverloadIter
  61. var sym = initOverloadIter(o, c, headSymbol)
  62. var scope = o.lastOverloadScope
  63. # Thanks to the lazy semchecking for operands, we need to check whether
  64. # 'initCandidate' modifies the symbol table (via semExpr).
  65. # This can occur in cases like 'init(a, 1, (var b = new(Type2); b))'
  66. let counterInitial = c.currentScope.symbols.counter
  67. var syms: seq[tuple[s: PSym, scope: int]]
  68. var noSyms = true
  69. var nextSymIndex = 0
  70. while sym != nil:
  71. if sym.kind in filter:
  72. # Initialise 'best' and 'alt' with the first available symbol
  73. initCandidate(c, best, sym, initialBinding, scope, diagnosticsFlag)
  74. initCandidate(c, alt, sym, initialBinding, scope, diagnosticsFlag)
  75. best.state = csNoMatch
  76. break
  77. else:
  78. sym = nextOverloadIter(o, c, headSymbol)
  79. scope = o.lastOverloadScope
  80. var z: TCandidate
  81. while sym != nil:
  82. if sym.kind notin filter:
  83. sym = nextOverloadIter(o, c, headSymbol)
  84. scope = o.lastOverloadScope
  85. continue
  86. determineType(c, sym)
  87. initCandidate(c, z, sym, initialBinding, scope, diagnosticsFlag)
  88. if c.currentScope.symbols.counter == counterInitial or syms.len != 0:
  89. matches(c, n, orig, z)
  90. if z.state == csMatch:
  91. # little hack so that iterators are preferred over everything else:
  92. if sym.kind == skIterator:
  93. if not (efWantIterator notin flags and efWantIterable in flags):
  94. inc(z.exactMatches, 200)
  95. else:
  96. dec(z.exactMatches, 200)
  97. case best.state
  98. of csEmpty, csNoMatch: best = z
  99. of csMatch:
  100. var cmp = cmpCandidates(best, z)
  101. if cmp < 0: best = z # x is better than the best so far
  102. elif cmp == 0: alt = z # x is as good as the best so far
  103. elif errorsEnabled or z.diagnosticsEnabled:
  104. errors.add(CandidateError(
  105. sym: sym,
  106. firstMismatch: z.firstMismatch,
  107. diagnostics: z.diagnostics))
  108. else:
  109. # Symbol table has been modified. Restart and pre-calculate all syms
  110. # before any further candidate init and compare. SLOW, but rare case.
  111. syms = initCandidateSymbols(c, headSymbol, initialBinding, filter,
  112. best, alt, o, diagnosticsFlag)
  113. noSyms = false
  114. if noSyms:
  115. sym = nextOverloadIter(o, c, headSymbol)
  116. scope = o.lastOverloadScope
  117. elif nextSymIndex < syms.len:
  118. # rare case: retrieve the next pre-calculated symbol
  119. sym = syms[nextSymIndex].s
  120. scope = syms[nextSymIndex].scope
  121. nextSymIndex += 1
  122. else:
  123. break
  124. proc effectProblem(f, a: PType; result: var string; c: PContext) =
  125. if f.kind == tyProc and a.kind == tyProc:
  126. if tfThread in f.flags and tfThread notin a.flags:
  127. result.add "\n This expression is not GC-safe. Annotate the " &
  128. "proc with {.gcsafe.} to get extended error information."
  129. elif tfNoSideEffect in f.flags and tfNoSideEffect notin a.flags:
  130. result.add "\n This expression can have side effects. Annotate the " &
  131. "proc with {.noSideEffect.} to get extended error information."
  132. else:
  133. case compatibleEffects(f, a)
  134. of efCompat: discard
  135. of efRaisesDiffer:
  136. result.add "\n The `.raises` requirements differ."
  137. of efRaisesUnknown:
  138. result.add "\n The `.raises` requirements differ. Annotate the " &
  139. "proc with {.raises: [].} to get extended error information."
  140. of efTagsDiffer:
  141. result.add "\n The `.tags` requirements differ."
  142. of efTagsUnknown:
  143. result.add "\n The `.tags` requirements differ. Annotate the " &
  144. "proc with {.tags: [].} to get extended error information."
  145. of efLockLevelsDiffer:
  146. result.add "\n The `.locks` requirements differ. Annotate the " &
  147. "proc with {.locks: 0.} to get extended error information."
  148. of efEffectsDelayed:
  149. result.add "\n The `.effectsOf` annotations differ."
  150. when defined(drnim):
  151. if not c.graph.compatibleProps(c.graph, f, a):
  152. result.add "\n The `.requires` or `.ensures` properties are incompatible."
  153. proc renderNotLValue(n: PNode): string =
  154. result = $n
  155. let n = if n.kind == nkHiddenDeref: n[0] else: n
  156. if n.kind == nkHiddenCallConv and n.len > 1:
  157. result = $n[0] & "(" & result & ")"
  158. elif n.kind in {nkHiddenStdConv, nkHiddenSubConv} and n.len == 2:
  159. result = typeToString(n.typ.skipTypes(abstractVar)) & "(" & result & ")"
  160. proc presentFailedCandidates(c: PContext, n: PNode, errors: CandidateErrors):
  161. (TPreferedDesc, string) =
  162. var prefer = preferName
  163. # to avoid confusing errors like:
  164. # got (SslPtr, SocketHandle)
  165. # but expected one of:
  166. # openssl.SSL_set_fd(ssl: SslPtr, fd: SocketHandle): cint
  167. # we do a pre-analysis. If all types produce the same string, we will add
  168. # module information.
  169. let proto = describeArgs(c, n, 1, preferName)
  170. for err in errors:
  171. var errProto = ""
  172. let n = err.sym.typ.n
  173. for i in 1..<n.len:
  174. var p = n[i]
  175. if p.kind == nkSym:
  176. errProto.add(typeToString(p.sym.typ, preferName))
  177. if i != n.len-1: errProto.add(", ")
  178. # else: ignore internal error as we're already in error handling mode
  179. if errProto == proto:
  180. prefer = preferModuleInfo
  181. break
  182. # we pretend procs are attached to the type of the first
  183. # argument in order to remove plenty of candidates. This is
  184. # comparable to what C# does and C# is doing fine.
  185. var filterOnlyFirst = false
  186. if optShowAllMismatches notin c.config.globalOptions:
  187. for err in errors:
  188. if err.firstMismatch.arg > 1:
  189. filterOnlyFirst = true
  190. break
  191. var maybeWrongSpace = false
  192. var candidatesAll: seq[string]
  193. var candidates = ""
  194. var skipped = 0
  195. for err in errors:
  196. candidates.setLen 0
  197. if filterOnlyFirst and err.firstMismatch.arg == 1:
  198. inc skipped
  199. continue
  200. if err.sym.kind in routineKinds and err.sym.ast != nil:
  201. candidates.add(renderTree(err.sym.ast,
  202. {renderNoBody, renderNoComments, renderNoPragmas}))
  203. else:
  204. candidates.add(getProcHeader(c.config, err.sym, prefer))
  205. candidates.addDeclaredLocMaybe(c.config, err.sym)
  206. candidates.add("\n")
  207. let nArg = if err.firstMismatch.arg < n.len: n[err.firstMismatch.arg] else: nil
  208. let nameParam = if err.firstMismatch.formal != nil: err.firstMismatch.formal.name.s else: ""
  209. if n.len > 1:
  210. candidates.add(" first type mismatch at position: " & $err.firstMismatch.arg)
  211. # candidates.add "\n reason: " & $err.firstMismatch.kind # for debugging
  212. case err.firstMismatch.kind
  213. of kUnknownNamedParam:
  214. if nArg == nil:
  215. candidates.add("\n unknown named parameter")
  216. else:
  217. candidates.add("\n unknown named parameter: " & $nArg[0])
  218. of kAlreadyGiven: candidates.add("\n named param already provided: " & $nArg[0])
  219. of kPositionalAlreadyGiven: candidates.add("\n positional param was already given as named param")
  220. of kExtraArg: candidates.add("\n extra argument given")
  221. of kMissingParam: candidates.add("\n missing parameter: " & nameParam)
  222. of kTypeMismatch, kVarNeeded:
  223. doAssert nArg != nil
  224. let wanted = err.firstMismatch.formal.typ
  225. doAssert err.firstMismatch.formal != nil
  226. candidates.add("\n required type for " & nameParam & ": ")
  227. candidates.addTypeDeclVerboseMaybe(c.config, wanted)
  228. candidates.add "\n but expression '"
  229. if err.firstMismatch.kind == kVarNeeded:
  230. candidates.add renderNotLValue(nArg)
  231. candidates.add "' is immutable, not 'var'"
  232. else:
  233. candidates.add renderTree(nArg)
  234. candidates.add "' is of type: "
  235. let got = nArg.typ
  236. candidates.addTypeDeclVerboseMaybe(c.config, got)
  237. doAssert wanted != nil
  238. if got != nil:
  239. if got.kind == tyProc and wanted.kind == tyProc:
  240. # These are proc mismatches so,
  241. # add the extra explict detail of the mismatch
  242. candidates.addPragmaAndCallConvMismatch(wanted, got, c.config)
  243. effectProblem(wanted, got, candidates, c)
  244. of kUnknown: discard "do not break 'nim check'"
  245. candidates.add "\n"
  246. if err.firstMismatch.arg == 1 and nArg.kind == nkTupleConstr and
  247. n.kind == nkCommand:
  248. maybeWrongSpace = true
  249. for diag in err.diagnostics:
  250. candidates.add(diag & "\n")
  251. candidatesAll.add candidates
  252. candidatesAll.sort # fix #13538
  253. candidates = join(candidatesAll)
  254. if skipped > 0:
  255. candidates.add($skipped & " other mismatching symbols have been " &
  256. "suppressed; compile with --showAllMismatches:on to see them\n")
  257. if maybeWrongSpace:
  258. candidates.add("maybe misplaced space between " & renderTree(n[0]) & " and '(' \n")
  259. result = (prefer, candidates)
  260. const
  261. errTypeMismatch = "type mismatch: got <"
  262. errButExpected = "but expected one of:"
  263. errUndeclaredField = "undeclared field: '$1'"
  264. errUndeclaredRoutine = "attempting to call undeclared routine: '$1'"
  265. errBadRoutine = "attempting to call routine: '$1'$2"
  266. errAmbiguousCallXYZ = "ambiguous call; both $1 and $2 match for: $3"
  267. proc notFoundError*(c: PContext, n: PNode, errors: CandidateErrors) =
  268. # Gives a detailed error message; this is separated from semOverloadedCall,
  269. # as semOverloadedCall is already pretty slow (and we need this information
  270. # only in case of an error).
  271. if c.config.m.errorOutputs == {}:
  272. # fail fast:
  273. globalError(c.config, n.info, "type mismatch")
  274. return
  275. # see getMsgDiagnostic:
  276. if nfExplicitCall notin n.flags and {nfDotField, nfDotSetter} * n.flags != {}:
  277. let ident = considerQuotedIdent(c, n[0], n).s
  278. let sym = n[1].typ.typSym
  279. var typeHint = ""
  280. if sym == nil:
  281. discard
  282. else:
  283. typeHint = " for type " & getProcHeader(c.config, sym)
  284. localError(c.config, n.info, errUndeclaredField % ident & typeHint)
  285. return
  286. if errors.len == 0:
  287. if n[0].kind in nkIdentKinds:
  288. let ident = considerQuotedIdent(c, n[0], n).s
  289. localError(c.config, n.info, errUndeclaredRoutine % ident)
  290. else:
  291. localError(c.config, n.info, "expression '$1' cannot be called" % n[0].renderTree)
  292. return
  293. let (prefer, candidates) = presentFailedCandidates(c, n, errors)
  294. var result = errTypeMismatch
  295. result.add(describeArgs(c, n, 1, prefer))
  296. result.add('>')
  297. if candidates != "":
  298. result.add("\n" & errButExpected & "\n" & candidates)
  299. localError(c.config, n.info, result & "\nexpression: " & $n)
  300. proc bracketNotFoundError(c: PContext; n: PNode) =
  301. var errors: CandidateErrors = @[]
  302. var o: TOverloadIter
  303. let headSymbol = n[0]
  304. var symx = initOverloadIter(o, c, headSymbol)
  305. while symx != nil:
  306. if symx.kind in routineKinds:
  307. errors.add(CandidateError(sym: symx,
  308. firstMismatch: MismatchInfo(),
  309. diagnostics: @[],
  310. enabled: false))
  311. symx = nextOverloadIter(o, c, headSymbol)
  312. if errors.len == 0:
  313. localError(c.config, n.info, "could not resolve: " & $n)
  314. else:
  315. notFoundError(c, n, errors)
  316. proc getMsgDiagnostic(c: PContext, flags: TExprFlags, n, f: PNode): string =
  317. if c.compilesContextId > 0:
  318. # we avoid running more diagnostic when inside a `compiles(expr)`, to
  319. # errors while running diagnostic (see test D20180828T234921), and
  320. # also avoid slowdowns in evaluating `compiles(expr)`.
  321. discard
  322. else:
  323. var o: TOverloadIter
  324. var sym = initOverloadIter(o, c, f)
  325. while sym != nil:
  326. result &= "\n found $1" % [getSymRepr(c.config, sym)]
  327. sym = nextOverloadIter(o, c, f)
  328. let ident = considerQuotedIdent(c, f, n).s
  329. if nfExplicitCall notin n.flags and {nfDotField, nfDotSetter} * n.flags != {}:
  330. let sym = n[1].typ.typSym
  331. var typeHint = ""
  332. if sym == nil:
  333. # Perhaps we're in a `compiles(foo.bar)` expression, or
  334. # in a concept, e.g.:
  335. # ExplainedConcept {.explain.} = concept x
  336. # x.foo is int
  337. # We could use: `(c.config $ n[1].info)` to get more context.
  338. discard
  339. else:
  340. typeHint = " for type " & getProcHeader(c.config, sym)
  341. let suffix = if result.len > 0: " " & result else: ""
  342. result = errUndeclaredField % ident & typeHint & suffix
  343. else:
  344. if result.len == 0: result = errUndeclaredRoutine % ident
  345. else: result = errBadRoutine % [ident, result]
  346. proc resolveOverloads(c: PContext, n, orig: PNode,
  347. filter: TSymKinds, flags: TExprFlags,
  348. errors: var CandidateErrors,
  349. errorsEnabled: bool): TCandidate =
  350. var initialBinding: PNode
  351. var alt: TCandidate
  352. var f = n[0]
  353. if f.kind == nkBracketExpr:
  354. # fill in the bindings:
  355. semOpAux(c, f)
  356. initialBinding = f
  357. f = f[0]
  358. else:
  359. initialBinding = nil
  360. pickBestCandidate(c, f, n, orig, initialBinding,
  361. filter, result, alt, errors, efExplain in flags,
  362. errorsEnabled, flags)
  363. var dummyErrors: CandidateErrors
  364. template pickSpecialOp(headSymbol) =
  365. pickBestCandidate(c, headSymbol, n, orig, initialBinding,
  366. filter, result, alt, dummyErrors, efExplain in flags,
  367. false, flags)
  368. let overloadsState = result.state
  369. if overloadsState != csMatch:
  370. if c.p != nil and c.p.selfSym != nil:
  371. # we need to enforce semchecking of selfSym again because it
  372. # might need auto-deref:
  373. var hiddenArg = newSymNode(c.p.selfSym)
  374. hiddenArg.typ = nil
  375. n.sons.insert(hiddenArg, 1)
  376. orig.sons.insert(hiddenArg, 1)
  377. pickSpecialOp(f)
  378. if result.state != csMatch:
  379. n.sons.delete(1)
  380. orig.sons.delete(1)
  381. excl n.flags, nfExprCall
  382. else: return
  383. if nfDotField in n.flags:
  384. internalAssert c.config, f.kind == nkIdent and n.len >= 2
  385. # leave the op head symbol empty,
  386. # we are going to try multiple variants
  387. n.sons[0..1] = [nil, n[1], f]
  388. orig.sons[0..1] = [nil, orig[1], f]
  389. template tryOp(x) =
  390. let op = newIdentNode(getIdent(c.cache, x), n.info)
  391. n[0] = op
  392. orig[0] = op
  393. pickSpecialOp(op)
  394. if nfExplicitCall in n.flags:
  395. tryOp ".()"
  396. if result.state in {csEmpty, csNoMatch}:
  397. tryOp "."
  398. elif nfDotSetter in n.flags and f.kind == nkIdent and n.len == 3:
  399. # we need to strip away the trailing '=' here:
  400. let calleeName = newIdentNode(getIdent(c.cache, f.ident.s[0..^2]), n.info)
  401. let callOp = newIdentNode(getIdent(c.cache, ".="), n.info)
  402. n.sons[0..1] = [callOp, n[1], calleeName]
  403. orig.sons[0..1] = [callOp, orig[1], calleeName]
  404. pickSpecialOp(callOp)
  405. if overloadsState == csEmpty and result.state == csEmpty:
  406. if efNoUndeclared notin flags: # for tests/pragmas/tcustom_pragma.nim
  407. result.state = csNoMatch
  408. # xxx adapt/use errorUndeclaredIdentifierHint(c, n, f.ident)
  409. localError(c.config, n.info, getMsgDiagnostic(c, flags, n, f))
  410. return
  411. elif result.state != csMatch:
  412. if nfExprCall in n.flags:
  413. localError(c.config, n.info, "expression '$1' cannot be called" %
  414. renderTree(n, {renderNoComments}))
  415. else:
  416. if {nfDotField, nfDotSetter} * n.flags != {}:
  417. # clean up the inserted ops
  418. n.sons.delete(2)
  419. n[0] = f
  420. return
  421. if alt.state == csMatch and cmpCandidates(result, alt) == 0 and
  422. not sameMethodDispatcher(result.calleeSym, alt.calleeSym):
  423. internalAssert c.config, result.state == csMatch
  424. #writeMatches(result)
  425. #writeMatches(alt)
  426. if c.config.m.errorOutputs == {}:
  427. # quick error message for performance of 'compiles' built-in:
  428. globalError(c.config, n.info, errGenerated, "ambiguous call")
  429. elif c.config.errorCounter == 0:
  430. # don't cascade errors
  431. var args = "("
  432. for i in 1..<n.len:
  433. if i > 1: args.add(", ")
  434. args.add(typeToString(n[i].typ))
  435. args.add(")")
  436. localError(c.config, n.info, errAmbiguousCallXYZ % [
  437. getProcHeader(c.config, result.calleeSym),
  438. getProcHeader(c.config, alt.calleeSym),
  439. args])
  440. proc instGenericConvertersArg*(c: PContext, a: PNode, x: TCandidate) =
  441. let a = if a.kind == nkHiddenDeref: a[0] else: a
  442. if a.kind == nkHiddenCallConv and a[0].kind == nkSym:
  443. let s = a[0].sym
  444. if s.isGenericRoutineStrict:
  445. let finalCallee = generateInstance(c, s, x.bindings, a.info)
  446. a[0].sym = finalCallee
  447. a[0].typ = finalCallee.typ
  448. #a.typ = finalCallee.typ[0]
  449. proc instGenericConvertersSons*(c: PContext, n: PNode, x: TCandidate) =
  450. assert n.kind in nkCallKinds
  451. if x.genericConverter:
  452. for i in 1..<n.len:
  453. instGenericConvertersArg(c, n[i], x)
  454. proc indexTypesMatch(c: PContext, f, a: PType, arg: PNode): PNode =
  455. var m = newCandidate(c, f)
  456. result = paramTypesMatch(m, f, a, arg, nil)
  457. if m.genericConverter and result != nil:
  458. instGenericConvertersArg(c, result, m)
  459. proc inferWithMetatype(c: PContext, formal: PType,
  460. arg: PNode, coerceDistincts = false): PNode =
  461. var m = newCandidate(c, formal)
  462. m.coerceDistincts = coerceDistincts
  463. result = paramTypesMatch(m, formal, arg.typ, arg, nil)
  464. if m.genericConverter and result != nil:
  465. instGenericConvertersArg(c, result, m)
  466. if result != nil:
  467. # This almost exactly replicates the steps taken by the compiler during
  468. # param matching. It performs an embarrassing amount of back-and-forth
  469. # type jugling, but it's the price to pay for consistency and correctness
  470. result.typ = generateTypeInstance(c, m.bindings, arg.info,
  471. formal.skipTypes({tyCompositeTypeClass}))
  472. else:
  473. typeMismatch(c.config, arg.info, formal, arg.typ, arg)
  474. # error correction:
  475. result = copyTree(arg)
  476. result.typ = formal
  477. proc updateDefaultParams(call: PNode) =
  478. # In generic procs, the default parameter may be unique for each
  479. # instantiation (see tlateboundgenericparams).
  480. # After a call is resolved, we need to re-assign any default value
  481. # that was used during sigmatch. sigmatch is responsible for marking
  482. # the default params with `nfDefaultParam` and `instantiateProcType`
  483. # computes correctly the default values for each instantiation.
  484. let calleeParams = call[0].sym.typ.n
  485. for i in 1..<call.len:
  486. if nfDefaultParam in call[i].flags:
  487. let def = calleeParams[i].sym.ast
  488. if nfDefaultRefsParam in def.flags: call.flags.incl nfDefaultRefsParam
  489. call[i] = def
  490. proc getCallLineInfo(n: PNode): TLineInfo =
  491. case n.kind
  492. of nkAccQuoted, nkBracketExpr, nkCall, nkCallStrLit, nkCommand:
  493. if len(n) > 0:
  494. return getCallLineInfo(n[0])
  495. of nkDotExpr:
  496. if len(n) > 1:
  497. return getCallLineInfo(n[1])
  498. else:
  499. discard
  500. result = n.info
  501. proc semResolvedCall(c: PContext, x: TCandidate,
  502. n: PNode, flags: TExprFlags): PNode =
  503. assert x.state == csMatch
  504. var finalCallee = x.calleeSym
  505. let info = getCallLineInfo(n)
  506. markUsed(c, info, finalCallee)
  507. onUse(info, finalCallee)
  508. assert finalCallee.ast != nil
  509. if x.hasFauxMatch:
  510. result = x.call
  511. result[0] = newSymNode(finalCallee, getCallLineInfo(result[0]))
  512. if containsGenericType(result.typ) or x.fauxMatch == tyUnknown:
  513. result.typ = newTypeS(x.fauxMatch, c)
  514. if result.typ.kind == tyError: incl result.typ.flags, tfCheckedForDestructor
  515. return
  516. let gp = finalCallee.ast[genericParamsPos]
  517. if gp.isGenericParams:
  518. if x.calleeSym.kind notin {skMacro, skTemplate}:
  519. if x.calleeSym.magic in {mArrGet, mArrPut}:
  520. finalCallee = x.calleeSym
  521. else:
  522. finalCallee = generateInstance(c, x.calleeSym, x.bindings, n.info)
  523. else:
  524. # For macros and templates, the resolved generic params
  525. # are added as normal params.
  526. for s in instantiateGenericParamList(c, gp, x.bindings):
  527. case s.kind
  528. of skConst:
  529. if not s.ast.isNil:
  530. x.call.add s.ast
  531. else:
  532. x.call.add c.graph.emptyNode
  533. of skType:
  534. var tn = newSymNode(s, n.info)
  535. # this node will be used in template substitution,
  536. # pretend this is an untyped node and let regular sem handle the type
  537. # to prevent problems where a generic parameter is treated as a value
  538. tn.typ = nil
  539. x.call.add tn
  540. else:
  541. internalAssert c.config, false
  542. result = x.call
  543. instGenericConvertersSons(c, result, x)
  544. result[0] = newSymNode(finalCallee, getCallLineInfo(result[0]))
  545. result.typ = finalCallee.typ[0]
  546. updateDefaultParams(result)
  547. proc canDeref(n: PNode): bool {.inline.} =
  548. result = n.len >= 2 and (let t = n[1].typ;
  549. t != nil and t.skipTypes({tyGenericInst, tyAlias, tySink}).kind in {tyPtr, tyRef})
  550. proc tryDeref(n: PNode): PNode =
  551. result = newNodeI(nkHiddenDeref, n.info)
  552. result.typ = n.typ.skipTypes(abstractInst)[0]
  553. result.add n
  554. proc semOverloadedCall(c: PContext, n, nOrig: PNode,
  555. filter: TSymKinds, flags: TExprFlags): PNode {.nosinks.} =
  556. var errors: CandidateErrors = @[] # if efExplain in flags: @[] else: nil
  557. var r = resolveOverloads(c, n, nOrig, filter, flags, errors, efExplain in flags)
  558. if r.state == csMatch:
  559. # this may be triggered, when the explain pragma is used
  560. if errors.len > 0:
  561. let (_, candidates) = presentFailedCandidates(c, n, errors)
  562. message(c.config, n.info, hintUserRaw,
  563. "Non-matching candidates for " & renderTree(n) & "\n" &
  564. candidates)
  565. result = semResolvedCall(c, r, n, flags)
  566. elif implicitDeref in c.features and canDeref(n):
  567. # try to deref the first argument and then try overloading resolution again:
  568. #
  569. # XXX: why is this here?
  570. # it could be added to the long list of alternatives tried
  571. # inside `resolveOverloads` or it could be moved all the way
  572. # into sigmatch with hidden conversion produced there
  573. #
  574. n[1] = n[1].tryDeref
  575. var r = resolveOverloads(c, n, nOrig, filter, flags, errors, efExplain in flags)
  576. if r.state == csMatch: result = semResolvedCall(c, r, n, flags)
  577. else:
  578. # get rid of the deref again for a better error message:
  579. n[1] = n[1][0]
  580. #notFoundError(c, n, errors)
  581. if efExplain notin flags:
  582. # repeat the overload resolution,
  583. # this time enabling all the diagnostic output (this should fail again)
  584. discard semOverloadedCall(c, n, nOrig, filter, flags + {efExplain})
  585. elif efNoUndeclared notin flags:
  586. notFoundError(c, n, errors)
  587. else:
  588. if efExplain notin flags:
  589. # repeat the overload resolution,
  590. # this time enabling all the diagnostic output (this should fail again)
  591. result = semOverloadedCall(c, n, nOrig, filter, flags + {efExplain})
  592. elif efNoUndeclared notin flags:
  593. notFoundError(c, n, errors)
  594. proc explicitGenericInstError(c: PContext; n: PNode): PNode =
  595. localError(c.config, getCallLineInfo(n), errCannotInstantiateX % renderTree(n))
  596. result = n
  597. proc explicitGenericSym(c: PContext, n: PNode, s: PSym): PNode =
  598. # binding has to stay 'nil' for this to work!
  599. var m = newCandidate(c, s, nil)
  600. for i in 1..<n.len:
  601. let formal = s.ast[genericParamsPos][i-1].typ
  602. var arg = n[i].typ
  603. # try transforming the argument into a static one before feeding it into
  604. # typeRel
  605. if formal.kind == tyStatic and arg.kind != tyStatic:
  606. let evaluated = c.semTryConstExpr(c, n[i])
  607. if evaluated != nil:
  608. arg = newTypeS(tyStatic, c)
  609. arg.sons = @[evaluated.typ]
  610. arg.n = evaluated
  611. let tm = typeRel(m, formal, arg)
  612. if tm in {isNone, isConvertible}: return nil
  613. var newInst = generateInstance(c, s, m.bindings, n.info)
  614. newInst.typ.flags.excl tfUnresolved
  615. let info = getCallLineInfo(n)
  616. markUsed(c, info, s)
  617. onUse(info, s)
  618. result = newSymNode(newInst, info)
  619. proc setGenericParams(c: PContext, n: PNode) =
  620. ## sems generic params in subscript expression
  621. for i in 1..<n.len:
  622. let e = semExprWithType(c, n[i])
  623. if e.typ == nil:
  624. n[i].typ = errorType(c)
  625. else:
  626. n[i].typ = e.typ.skipTypes({tyTypeDesc})
  627. proc explicitGenericInstantiation(c: PContext, n: PNode, s: PSym): PNode =
  628. assert n.kind == nkBracketExpr
  629. setGenericParams(c, n)
  630. var s = s
  631. var a = n[0]
  632. if a.kind == nkSym:
  633. # common case; check the only candidate has the right
  634. # number of generic type parameters:
  635. if s.ast[genericParamsPos].safeLen != n.len-1:
  636. let expected = s.ast[genericParamsPos].safeLen
  637. localError(c.config, getCallLineInfo(n), errGenerated, "cannot instantiate: '" & renderTree(n) &
  638. "'; got " & $(n.len-1) & " typeof(s) but expected " & $expected)
  639. return n
  640. result = explicitGenericSym(c, n, s)
  641. if result == nil: result = explicitGenericInstError(c, n)
  642. elif a.kind in {nkClosedSymChoice, nkOpenSymChoice}:
  643. # choose the generic proc with the proper number of type parameters.
  644. # XXX I think this could be improved by reusing sigmatch.paramTypesMatch.
  645. # It's good enough for now.
  646. result = newNodeI(a.kind, getCallLineInfo(n))
  647. for i in 0..<a.len:
  648. var candidate = a[i].sym
  649. if candidate.kind in {skProc, skMethod, skConverter,
  650. skFunc, skIterator}:
  651. # it suffices that the candidate has the proper number of generic
  652. # type parameters:
  653. if candidate.ast[genericParamsPos].safeLen == n.len-1:
  654. let x = explicitGenericSym(c, n, candidate)
  655. if x != nil: result.add(x)
  656. # get rid of nkClosedSymChoice if not ambiguous:
  657. if result.len == 1 and a.kind == nkClosedSymChoice:
  658. result = result[0]
  659. elif result.len == 0: result = explicitGenericInstError(c, n)
  660. # candidateCount != 1: return explicitGenericInstError(c, n)
  661. else:
  662. result = explicitGenericInstError(c, n)
  663. proc searchForBorrowProc(c: PContext, startScope: PScope, fn: PSym): PSym =
  664. # Searches for the fn in the symbol table. If the parameter lists are suitable
  665. # for borrowing the sym in the symbol table is returned, else nil.
  666. # New approach: generate fn(x, y, z) where x, y, z have the proper types
  667. # and use the overloading resolution mechanism:
  668. var call = newNodeI(nkCall, fn.info)
  669. var hasDistinct = false
  670. call.add(newIdentNode(fn.name, fn.info))
  671. for i in 1..<fn.typ.n.len:
  672. let param = fn.typ.n[i]
  673. const desiredTypes = abstractVar + {tyCompositeTypeClass} - {tyTypeDesc, tyDistinct}
  674. #[.
  675. # We only want the type not any modifiers such as `ptr`, `var`, `ref` ...
  676. # tyCompositeTypeClass is here for
  677. # when using something like:
  678. type Foo[T] = distinct int
  679. proc `$`(f: Foo): string {.borrow.}
  680. # We want to skip the `Foo` to get `int`
  681. ]#
  682. let t = skipTypes(param.typ, desiredTypes)
  683. if t.kind == tyDistinct or param.typ.kind == tyDistinct: hasDistinct = true
  684. var x: PType
  685. if param.typ.kind == tyVar:
  686. x = newTypeS(param.typ.kind, c)
  687. x.addSonSkipIntLit(t.baseOfDistinct(c.graph, c.idgen), c.idgen)
  688. else:
  689. x = t.baseOfDistinct(c.graph, c.idgen)
  690. call.add(newNodeIT(nkEmpty, fn.info, x))
  691. if hasDistinct:
  692. let filter = if fn.kind in {skProc, skFunc}: {skProc, skFunc} else: {fn.kind}
  693. var resolved = semOverloadedCall(c, call, call, filter, {})
  694. if resolved != nil:
  695. result = resolved[0].sym
  696. if not compareTypes(result.typ[0], fn.typ[0], dcEqIgnoreDistinct):
  697. result = nil
  698. elif result.magic in {mArrPut, mArrGet}:
  699. # cannot borrow these magics for now
  700. result = nil