clang 19.0.0git
IdentifierTable.h
Go to the documentation of this file.
1//===- IdentifierTable.h - Hash table for identifier lookup -----*- C++ -*-===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9/// \file
10/// Defines the clang::IdentifierInfo, clang::IdentifierTable, and
11/// clang::Selector interfaces.
12//
13//===----------------------------------------------------------------------===//
14
15#ifndef LLVM_CLANG_BASIC_IDENTIFIERTABLE_H
16#define LLVM_CLANG_BASIC_IDENTIFIERTABLE_H
17
20#include "clang/Basic/LLVM.h"
22#include "llvm/ADT/DenseMapInfo.h"
23#include "llvm/ADT/FoldingSet.h"
24#include "llvm/ADT/PointerIntPair.h"
25#include "llvm/ADT/PointerUnion.h"
26#include "llvm/ADT/SmallString.h"
27#include "llvm/ADT/StringMap.h"
28#include "llvm/ADT/StringRef.h"
29#include "llvm/Support/Allocator.h"
30#include "llvm/Support/PointerLikeTypeTraits.h"
31#include "llvm/Support/type_traits.h"
32#include <cassert>
33#include <cstddef>
34#include <cstdint>
35#include <cstring>
36#include <string>
37#include <utility>
38
39namespace clang {
40
41class DeclarationName;
42class DeclarationNameTable;
43class IdentifierInfo;
44class LangOptions;
45class MultiKeywordSelector;
46class SourceLocation;
47
49 NotReserved = 0,
55};
56
58 NotReserved = 0,
61};
62
63/// Determine whether an identifier is reserved for use as a name at global
64/// scope. Such identifiers might be implementation-specific global functions
65/// or variables.
68}
69
70/// Determine whether an identifier is reserved in all contexts. Such
71/// identifiers might be implementation-specific keywords or macros, for
72/// example.
77}
78
79/// A simple pair of identifier info and location.
80using IdentifierLocPair = std::pair<IdentifierInfo *, SourceLocation>;
81
82/// IdentifierInfo and other related classes are aligned to
83/// 8 bytes so that DeclarationName can use the lower 3 bits
84/// of a pointer to one of these classes.
86
87static constexpr int InterestingIdentifierBits = 16;
88
89/// The "layout" of InterestingIdentifier is:
90/// - ObjCKeywordKind enumerators
91/// - NotableIdentifierKind enumerators
92/// - Builtin::ID enumerators
93/// - NotInterestingIdentifier
95#define OBJC_AT_KEYWORD(X) objc_##X,
96#include "clang/Basic/TokenKinds.def"
98
99#define NOTABLE_IDENTIFIER(X) X,
100#include "clang/Basic/TokenKinds.def"
102
104#define BUILTIN(ID, TYPE, ATTRS) BI##ID,
105#include "clang/Basic/Builtins.inc"
107
109};
110
111/// One of these records is kept for each identifier that
112/// is lexed. This contains information about whether the token was \#define'd,
113/// is a language keyword, or if it is a front-end token of some sort (e.g. a
114/// variable or function name). The preprocessor keeps this information in a
115/// set, and all tok::identifier tokens have a pointer to one of these.
116/// It is aligned to 8 bytes because DeclarationName needs the lower 3 bits.
117class alignas(IdentifierInfoAlignment) IdentifierInfo {
118 friend class IdentifierTable;
119
120 // Front-end token ID or tok::identifier.
121 LLVM_PREFERRED_TYPE(tok::TokenKind)
122 unsigned TokenID : 9;
123
124 LLVM_PREFERRED_TYPE(InterestingIdentifier)
125 unsigned InterestingIdentifierID : InterestingIdentifierBits;
126
127 // True if there is a #define for this.
128 LLVM_PREFERRED_TYPE(bool)
129 unsigned HasMacro : 1;
130
131 // True if there was a #define for this.
132 LLVM_PREFERRED_TYPE(bool)
133 unsigned HadMacro : 1;
134
135 // True if the identifier is a language extension.
136 LLVM_PREFERRED_TYPE(bool)
137 unsigned IsExtension : 1;
138
139 // True if the identifier is a keyword in a newer or proposed Standard.
140 LLVM_PREFERRED_TYPE(bool)
141 unsigned IsFutureCompatKeyword : 1;
142
143 // True if the identifier is poisoned.
144 LLVM_PREFERRED_TYPE(bool)
145 unsigned IsPoisoned : 1;
146
147 // True if the identifier is a C++ operator keyword.
148 LLVM_PREFERRED_TYPE(bool)
149 unsigned IsCPPOperatorKeyword : 1;
150
151 // Internal bit set by the member function RecomputeNeedsHandleIdentifier.
152 // See comment about RecomputeNeedsHandleIdentifier for more info.
153 LLVM_PREFERRED_TYPE(bool)
154 unsigned NeedsHandleIdentifier : 1;
155
156 // True if the identifier was loaded (at least partially) from an AST file.
157 LLVM_PREFERRED_TYPE(bool)
158 unsigned IsFromAST : 1;
159
160 // True if the identifier has changed from the definition
161 // loaded from an AST file.
162 LLVM_PREFERRED_TYPE(bool)
163 unsigned ChangedAfterLoad : 1;
164
165 // True if the identifier's frontend information has changed from the
166 // definition loaded from an AST file.
167 LLVM_PREFERRED_TYPE(bool)
168 unsigned FEChangedAfterLoad : 1;
169
170 // True if revertTokenIDToIdentifier was called.
171 LLVM_PREFERRED_TYPE(bool)
172 unsigned RevertedTokenID : 1;
173
174 // True if there may be additional information about
175 // this identifier stored externally.
176 LLVM_PREFERRED_TYPE(bool)
177 unsigned OutOfDate : 1;
178
179 // True if this is the 'import' contextual keyword.
180 LLVM_PREFERRED_TYPE(bool)
181 unsigned IsModulesImport : 1;
182
183 // True if this is a mangled OpenMP variant name.
184 LLVM_PREFERRED_TYPE(bool)
185 unsigned IsMangledOpenMPVariantName : 1;
186
187 // True if this is a deprecated macro.
188 LLVM_PREFERRED_TYPE(bool)
189 unsigned IsDeprecatedMacro : 1;
190
191 // True if this macro is unsafe in headers.
192 LLVM_PREFERRED_TYPE(bool)
193 unsigned IsRestrictExpansion : 1;
194
195 // True if this macro is final.
196 LLVM_PREFERRED_TYPE(bool)
197 unsigned IsFinal : 1;
198
199 // 22 bits left in a 64-bit word.
200
201 // Managed by the language front-end.
202 void *FETokenInfo = nullptr;
203
204 llvm::StringMapEntry<IdentifierInfo *> *Entry = nullptr;
205
207 : TokenID(tok::identifier),
208 InterestingIdentifierID(llvm::to_underlying(
210 HasMacro(false), HadMacro(false), IsExtension(false),
211 IsFutureCompatKeyword(false), IsPoisoned(false),
212 IsCPPOperatorKeyword(false), NeedsHandleIdentifier(false),
213 IsFromAST(false), ChangedAfterLoad(false), FEChangedAfterLoad(false),
214 RevertedTokenID(false), OutOfDate(false), IsModulesImport(false),
215 IsMangledOpenMPVariantName(false), IsDeprecatedMacro(false),
216 IsRestrictExpansion(false), IsFinal(false) {}
217
218public:
223
224 /// Return true if this is the identifier for the specified string.
225 ///
226 /// This is intended to be used for string literals only: II->isStr("foo").
227 template <std::size_t StrLen>
228 bool isStr(const char (&Str)[StrLen]) const {
229 return getLength() == StrLen-1 &&
230 memcmp(getNameStart(), Str, StrLen-1) == 0;
231 }
232
233 /// Return true if this is the identifier for the specified StringRef.
234 bool isStr(llvm::StringRef Str) const {
235 llvm::StringRef ThisStr(getNameStart(), getLength());
236 return ThisStr == Str;
237 }
238
239 /// Return the beginning of the actual null-terminated string for this
240 /// identifier.
241 const char *getNameStart() const { return Entry->getKeyData(); }
242
243 /// Efficiently return the length of this identifier info.
244 unsigned getLength() const { return Entry->getKeyLength(); }
245
246 /// Return the actual identifier string.
247 StringRef getName() const {
248 return StringRef(getNameStart(), getLength());
249 }
250
251 /// Return true if this identifier is \#defined to some other value.
252 /// \note The current definition may be in a module and not currently visible.
253 bool hasMacroDefinition() const {
254 return HasMacro;
255 }
256 void setHasMacroDefinition(bool Val) {
257 if (HasMacro == Val) return;
258
259 HasMacro = Val;
260 if (Val) {
261 NeedsHandleIdentifier = true;
262 HadMacro = true;
263 } else {
264 // If this is a final macro, make the deprecation and header unsafe bits
265 // stick around after the undefinition so they apply to any redefinitions.
266 if (!IsFinal) {
267 // Because calling the setters of these calls recomputes, just set them
268 // manually to avoid recomputing a bunch of times.
269 IsDeprecatedMacro = false;
270 IsRestrictExpansion = false;
271 }
272 RecomputeNeedsHandleIdentifier();
273 }
274 }
275 /// Returns true if this identifier was \#defined to some value at any
276 /// moment. In this case there should be an entry for the identifier in the
277 /// macro history table in Preprocessor.
278 bool hadMacroDefinition() const {
279 return HadMacro;
280 }
281
282 bool isDeprecatedMacro() const { return IsDeprecatedMacro; }
283
284 void setIsDeprecatedMacro(bool Val) {
285 if (IsDeprecatedMacro == Val)
286 return;
287 IsDeprecatedMacro = Val;
288 if (Val)
289 NeedsHandleIdentifier = true;
290 else
291 RecomputeNeedsHandleIdentifier();
292 }
293
294 bool isRestrictExpansion() const { return IsRestrictExpansion; }
295
296 void setIsRestrictExpansion(bool Val) {
297 if (IsRestrictExpansion == Val)
298 return;
299 IsRestrictExpansion = Val;
300 if (Val)
301 NeedsHandleIdentifier = true;
302 else
303 RecomputeNeedsHandleIdentifier();
304 }
305
306 bool isFinal() const { return IsFinal; }
307
308 void setIsFinal(bool Val) { IsFinal = Val; }
309
310 /// If this is a source-language token (e.g. 'for'), this API
311 /// can be used to cause the lexer to map identifiers to source-language
312 /// tokens.
313 tok::TokenKind getTokenID() const { return (tok::TokenKind)TokenID; }
314
315 /// True if revertTokenIDToIdentifier() was called.
316 bool hasRevertedTokenIDToIdentifier() const { return RevertedTokenID; }
317
318 /// Revert TokenID to tok::identifier; used for GNU libstdc++ 4.2
319 /// compatibility.
320 ///
321 /// TokenID is normally read-only but there are 2 instances where we revert it
322 /// to tok::identifier for libstdc++ 4.2. Keep track of when this happens
323 /// using this method so we can inform serialization about it.
325 assert(TokenID != tok::identifier && "Already at tok::identifier");
326 TokenID = tok::identifier;
327 RevertedTokenID = true;
328 }
330 assert(TokenID == tok::identifier && "Should be at tok::identifier");
331 TokenID = TK;
332 RevertedTokenID = false;
333 }
334
335 /// Return the preprocessor keyword ID for this identifier.
336 ///
337 /// For example, "define" will return tok::pp_define.
338 tok::PPKeywordKind getPPKeywordID() const;
339
340 /// Return the Objective-C keyword ID for the this identifier.
341 ///
342 /// For example, 'class' will return tok::objc_class if ObjC is enabled.
344 assert(0 == llvm::to_underlying(InterestingIdentifier::objc_not_keyword));
345 auto Value = static_cast<InterestingIdentifier>(InterestingIdentifierID);
346 if (Value < InterestingIdentifier::NUM_OBJC_KEYWORDS)
347 return static_cast<tok::ObjCKeywordKind>(InterestingIdentifierID);
348 return tok::objc_not_keyword;
349 }
351 assert(0 == llvm::to_underlying(InterestingIdentifier::objc_not_keyword));
352 InterestingIdentifierID = ID;
353 assert(getObjCKeywordID() == ID && "ID too large for field!");
354 }
355
356 /// Return a value indicating whether this is a builtin function.
357 unsigned getBuiltinID() const {
358 auto Value = static_cast<InterestingIdentifier>(InterestingIdentifierID);
359 if (Value >
360 InterestingIdentifier::NUM_OBJC_KEYWORDS_AND_NOTABLE_IDENTIFIERS &&
361 Value != InterestingIdentifier::NotInterestingIdentifier) {
362 auto FirstBuiltin =
363 llvm::to_underlying(InterestingIdentifier::NotBuiltin);
364 return static_cast<Builtin::ID>(InterestingIdentifierID - FirstBuiltin);
365 }
366 return Builtin::ID::NotBuiltin;
367 }
368 void setBuiltinID(unsigned ID) {
369 assert(ID != Builtin::ID::NotBuiltin);
370 auto FirstBuiltin = llvm::to_underlying(InterestingIdentifier::NotBuiltin);
371 InterestingIdentifierID = ID + FirstBuiltin;
372 assert(getBuiltinID() == ID && "ID too large for field!");
373 }
375 InterestingIdentifierID =
376 llvm::to_underlying(InterestingIdentifier::NotInterestingIdentifier);
377 }
378
380 auto Value = static_cast<InterestingIdentifier>(InterestingIdentifierID);
381 if (Value > InterestingIdentifier::NUM_OBJC_KEYWORDS &&
382 Value <
383 InterestingIdentifier::NUM_OBJC_KEYWORDS_AND_NOTABLE_IDENTIFIERS) {
384 auto FirstNotableIdentifier =
385 1 + llvm::to_underlying(InterestingIdentifier::NUM_OBJC_KEYWORDS);
386 return static_cast<tok::NotableIdentifierKind>(InterestingIdentifierID -
387 FirstNotableIdentifier);
388 }
389 return tok::not_notable;
390 }
391 void setNotableIdentifierID(unsigned ID) {
392 assert(ID != tok::not_notable);
393 auto FirstNotableIdentifier =
394 1 + llvm::to_underlying(InterestingIdentifier::NUM_OBJC_KEYWORDS);
395 InterestingIdentifierID = ID + FirstNotableIdentifier;
396 assert(getNotableIdentifierID() == ID && "ID too large for field!");
397 }
398
399 unsigned getObjCOrBuiltinID() const { return InterestingIdentifierID; }
400 void setObjCOrBuiltinID(unsigned ID) { InterestingIdentifierID = ID; }
401
402 /// get/setExtension - Initialize information about whether or not this
403 /// language token is an extension. This controls extension warnings, and is
404 /// only valid if a custom token ID is set.
405 bool isExtensionToken() const { return IsExtension; }
406 void setIsExtensionToken(bool Val) {
407 IsExtension = Val;
408 if (Val)
409 NeedsHandleIdentifier = true;
410 else
411 RecomputeNeedsHandleIdentifier();
412 }
413
414 /// is/setIsFutureCompatKeyword - Initialize information about whether or not
415 /// this language token is a keyword in a newer or proposed Standard. This
416 /// controls compatibility warnings, and is only true when not parsing the
417 /// corresponding Standard. Once a compatibility problem has been diagnosed
418 /// with this keyword, the flag will be cleared.
419 bool isFutureCompatKeyword() const { return IsFutureCompatKeyword; }
421 IsFutureCompatKeyword = Val;
422 if (Val)
423 NeedsHandleIdentifier = true;
424 else
425 RecomputeNeedsHandleIdentifier();
426 }
427
428 /// setIsPoisoned - Mark this identifier as poisoned. After poisoning, the
429 /// Preprocessor will emit an error every time this token is used.
430 void setIsPoisoned(bool Value = true) {
431 IsPoisoned = Value;
432 if (Value)
433 NeedsHandleIdentifier = true;
434 else
435 RecomputeNeedsHandleIdentifier();
436 }
437
438 /// Return true if this token has been poisoned.
439 bool isPoisoned() const { return IsPoisoned; }
440
441 /// isCPlusPlusOperatorKeyword/setIsCPlusPlusOperatorKeyword controls whether
442 /// this identifier is a C++ alternate representation of an operator.
443 void setIsCPlusPlusOperatorKeyword(bool Val = true) {
444 IsCPPOperatorKeyword = Val;
445 }
446 bool isCPlusPlusOperatorKeyword() const { return IsCPPOperatorKeyword; }
447
448 /// Return true if this token is a keyword in the specified language.
449 bool isKeyword(const LangOptions &LangOpts) const;
450
451 /// Return true if this token is a C++ keyword in the specified
452 /// language.
453 bool isCPlusPlusKeyword(const LangOptions &LangOpts) const;
454
455 /// Get and set FETokenInfo. The language front-end is allowed to associate
456 /// arbitrary metadata with this token.
457 void *getFETokenInfo() const { return FETokenInfo; }
458 void setFETokenInfo(void *T) { FETokenInfo = T; }
459
460 /// Return true if the Preprocessor::HandleIdentifier must be called
461 /// on a token of this identifier.
462 ///
463 /// If this returns false, we know that HandleIdentifier will not affect
464 /// the token.
465 bool isHandleIdentifierCase() const { return NeedsHandleIdentifier; }
466
467 /// Return true if the identifier in its current state was loaded
468 /// from an AST file.
469 bool isFromAST() const { return IsFromAST; }
470
471 void setIsFromAST() { IsFromAST = true; }
472
473 /// Determine whether this identifier has changed since it was loaded
474 /// from an AST file.
476 return ChangedAfterLoad;
477 }
478
479 /// Note that this identifier has changed since it was loaded from
480 /// an AST file.
482 ChangedAfterLoad = true;
483 }
484
485 /// Determine whether the frontend token information for this
486 /// identifier has changed since it was loaded from an AST file.
488 return FEChangedAfterLoad;
489 }
490
491 /// Note that the frontend token information for this identifier has
492 /// changed since it was loaded from an AST file.
494 FEChangedAfterLoad = true;
495 }
496
497 /// Determine whether the information for this identifier is out of
498 /// date with respect to the external source.
499 bool isOutOfDate() const { return OutOfDate; }
500
501 /// Set whether the information for this identifier is out of
502 /// date with respect to the external source.
503 void setOutOfDate(bool OOD) {
504 OutOfDate = OOD;
505 if (OOD)
506 NeedsHandleIdentifier = true;
507 else
508 RecomputeNeedsHandleIdentifier();
509 }
510
511 /// Determine whether this is the contextual keyword \c import.
512 bool isModulesImport() const { return IsModulesImport; }
513
514 /// Set whether this identifier is the contextual keyword \c import.
515 void setModulesImport(bool I) {
516 IsModulesImport = I;
517 if (I)
518 NeedsHandleIdentifier = true;
519 else
520 RecomputeNeedsHandleIdentifier();
521 }
522
523 /// Determine whether this is the mangled name of an OpenMP variant.
524 bool isMangledOpenMPVariantName() const { return IsMangledOpenMPVariantName; }
525
526 /// Set whether this is the mangled name of an OpenMP variant.
527 void setMangledOpenMPVariantName(bool I) { IsMangledOpenMPVariantName = I; }
528
529 /// Return true if this identifier is an editor placeholder.
530 ///
531 /// Editor placeholders are produced by the code-completion engine and are
532 /// represented as characters between '<#' and '#>' in the source code. An
533 /// example of auto-completed call with a placeholder parameter is shown
534 /// below:
535 /// \code
536 /// function(<#int x#>);
537 /// \endcode
538 bool isEditorPlaceholder() const {
539 return getName().starts_with("<#") && getName().ends_with("#>");
540 }
541
542 /// Determine whether \p this is a name reserved for the implementation (C99
543 /// 7.1.3, C++ [lib.global.names]).
544 ReservedIdentifierStatus isReserved(const LangOptions &LangOpts) const;
545
546 /// Determine whether \p this is a name reserved for future standardization or
547 /// the implementation (C++ [usrlit.suffix]).
548 ReservedLiteralSuffixIdStatus isReservedLiteralSuffixId() const;
549
550 /// If the identifier is an "uglified" reserved name, return a cleaned form.
551 /// e.g. _Foo => Foo. Otherwise, just returns the name.
552 StringRef deuglifiedName() const;
553 bool isPlaceholder() const {
554 return getLength() == 1 && getNameStart()[0] == '_';
555 }
556
557 /// Provide less than operator for lexicographical sorting.
558 bool operator<(const IdentifierInfo &RHS) const {
559 return getName() < RHS.getName();
560 }
561
562private:
563 /// The Preprocessor::HandleIdentifier does several special (but rare)
564 /// things to identifiers of various sorts. For example, it changes the
565 /// \c for keyword token from tok::identifier to tok::for.
566 ///
567 /// This method is very tied to the definition of HandleIdentifier. Any
568 /// change to it should be reflected here.
569 void RecomputeNeedsHandleIdentifier() {
570 NeedsHandleIdentifier = isPoisoned() || hasMacroDefinition() ||
571 isExtensionToken() || isFutureCompatKeyword() ||
572 isOutOfDate() || isModulesImport();
573 }
574};
575
576/// An RAII object for [un]poisoning an identifier within a scope.
577///
578/// \p II is allowed to be null, in which case objects of this type have
579/// no effect.
581 IdentifierInfo *const II;
582 const bool OldValue;
583
584public:
586 : II(II), OldValue(II ? II->isPoisoned() : false) {
587 if(II)
588 II->setIsPoisoned(NewValue);
589 }
590
592 if(II)
593 II->setIsPoisoned(OldValue);
594 }
595};
596
597/// An iterator that walks over all of the known identifiers
598/// in the lookup table.
599///
600/// Since this iterator uses an abstract interface via virtual
601/// functions, it uses an object-oriented interface rather than the
602/// more standard C++ STL iterator interface. In this OO-style
603/// iteration, the single function \c Next() provides dereference,
604/// advance, and end-of-sequence checking in a single
605/// operation. Subclasses of this iterator type will provide the
606/// actual functionality.
608protected:
610
611public:
614
616
617 /// Retrieve the next string in the identifier table and
618 /// advances the iterator for the following string.
619 ///
620 /// \returns The next string in the identifier table. If there is
621 /// no such string, returns an empty \c StringRef.
622 virtual StringRef Next() = 0;
623};
624
625/// Provides lookups to, and iteration over, IdentiferInfo objects.
627public:
629
630 /// Return the IdentifierInfo for the specified named identifier.
631 ///
632 /// Unlike the version in IdentifierTable, this returns a pointer instead
633 /// of a reference. If the pointer is null then the IdentifierInfo cannot
634 /// be found.
635 virtual IdentifierInfo* get(StringRef Name) = 0;
636
637 /// Retrieve an iterator into the set of all identifiers
638 /// known to this identifier lookup source.
639 ///
640 /// This routine provides access to all of the identifiers known to
641 /// the identifier lookup, allowing access to the contents of the
642 /// identifiers without introducing the overhead of constructing
643 /// IdentifierInfo objects for each.
644 ///
645 /// \returns A new iterator into the set of known identifiers. The
646 /// caller is responsible for deleting this iterator.
647 virtual IdentifierIterator *getIdentifiers();
648};
649
650/// Implements an efficient mapping from strings to IdentifierInfo nodes.
651///
652/// This has no other purpose, but this is an extremely performance-critical
653/// piece of the code, as each occurrence of every identifier goes through
654/// here when lexed.
656 // Shark shows that using MallocAllocator is *much* slower than using this
657 // BumpPtrAllocator!
658 using HashTableTy = llvm::StringMap<IdentifierInfo *, llvm::BumpPtrAllocator>;
659 HashTableTy HashTable;
660
661 IdentifierInfoLookup* ExternalLookup;
662
663public:
664 /// Create the identifier table.
665 explicit IdentifierTable(IdentifierInfoLookup *ExternalLookup = nullptr);
666
667 /// Create the identifier table, populating it with info about the
668 /// language keywords for the language specified by \p LangOpts.
669 explicit IdentifierTable(const LangOptions &LangOpts,
670 IdentifierInfoLookup *ExternalLookup = nullptr);
671
672 /// Set the external identifier lookup mechanism.
674 ExternalLookup = IILookup;
675 }
676
677 /// Retrieve the external identifier lookup object, if any.
679 return ExternalLookup;
680 }
681
682 llvm::BumpPtrAllocator& getAllocator() {
683 return HashTable.getAllocator();
684 }
685
686 /// Return the identifier token info for the specified named
687 /// identifier.
688 IdentifierInfo &get(StringRef Name) {
689 auto &Entry = *HashTable.try_emplace(Name, nullptr).first;
690
691 IdentifierInfo *&II = Entry.second;
692 if (II) return *II;
693
694 // No entry; if we have an external lookup, look there first.
695 if (ExternalLookup) {
696 II = ExternalLookup->get(Name);
697 if (II)
698 return *II;
699 }
700
701 // Lookups failed, make a new IdentifierInfo.
702 void *Mem = getAllocator().Allocate<IdentifierInfo>();
703 II = new (Mem) IdentifierInfo();
704
705 // Make sure getName() knows how to find the IdentifierInfo
706 // contents.
707 II->Entry = &Entry;
708
709 return *II;
710 }
711
712 IdentifierInfo &get(StringRef Name, tok::TokenKind TokenCode) {
713 IdentifierInfo &II = get(Name);
714 II.TokenID = TokenCode;
715 assert(II.TokenID == (unsigned) TokenCode && "TokenCode too large");
716 return II;
717 }
718
719 /// Gets an IdentifierInfo for the given name without consulting
720 /// external sources.
721 ///
722 /// This is a version of get() meant for external sources that want to
723 /// introduce or modify an identifier. If they called get(), they would
724 /// likely end up in a recursion.
725 IdentifierInfo &getOwn(StringRef Name) {
726 auto &Entry = *HashTable.insert(std::make_pair(Name, nullptr)).first;
727
728 IdentifierInfo *&II = Entry.second;
729 if (II)
730 return *II;
731
732 // Lookups failed, make a new IdentifierInfo.
733 void *Mem = getAllocator().Allocate<IdentifierInfo>();
734 II = new (Mem) IdentifierInfo();
735
736 // Make sure getName() knows how to find the IdentifierInfo
737 // contents.
738 II->Entry = &Entry;
739
740 // If this is the 'import' contextual keyword, mark it as such.
741 if (Name.equals("import"))
742 II->setModulesImport(true);
743
744 return *II;
745 }
746
747 using iterator = HashTableTy::const_iterator;
748 using const_iterator = HashTableTy::const_iterator;
749
750 iterator begin() const { return HashTable.begin(); }
751 iterator end() const { return HashTable.end(); }
752 unsigned size() const { return HashTable.size(); }
753
754 iterator find(StringRef Name) const { return HashTable.find(Name); }
755
756 /// Print some statistics to stderr that indicate how well the
757 /// hashing is doing.
758 void PrintStats() const;
759
760 /// Populate the identifier table with info about the language keywords
761 /// for the language specified by \p LangOpts.
762 void AddKeywords(const LangOptions &LangOpts);
763
764 /// Returns the correct diagnostic to issue for a future-compat diagnostic
765 /// warning. Note, this function assumes the identifier passed has already
766 /// been determined to be a future compatible keyword.
767 diag::kind getFutureCompatDiagKind(const IdentifierInfo &II,
768 const LangOptions &LangOpts);
769};
770
771/// A family of Objective-C methods.
772///
773/// These families have no inherent meaning in the language, but are
774/// nonetheless central enough in the existing implementations to
775/// merit direct AST support. While, in theory, arbitrary methods can
776/// be considered to form families, we focus here on the methods
777/// involving allocation and retain-count management, as these are the
778/// most "core" and the most likely to be useful to diverse clients
779/// without extra information.
780///
781/// Both selectors and actual method declarations may be classified
782/// into families. Method families may impose additional restrictions
783/// beyond their selector name; for example, a method called '_init'
784/// that returns void is not considered to be in the 'init' family
785/// (but would be if it returned 'id'). It is also possible to
786/// explicitly change or remove a method's family. Therefore the
787/// method's family should be considered the single source of truth.
789 /// No particular method family.
791
792 // Selectors in these families may have arbitrary arity, may be
793 // written with arbitrary leading underscores, and may have
794 // additional CamelCase "words" in their first selector chunk
795 // following the family name.
801
802 // These families are singletons consisting only of the nullary
803 // selector with the given name.
812
813 // performSelector families
816
817/// Enough bits to store any enumerator in ObjCMethodFamily or
818/// InvalidObjCMethodFamily.
820
821/// An invalid value of ObjCMethodFamily.
823
824/// A family of Objective-C methods.
825///
826/// These are family of methods whose result type is initially 'id', but
827/// but are candidate for the result type to be changed to 'instancetype'.
836
842
843namespace detail {
844
845/// DeclarationNameExtra is used as a base of various uncommon special names.
846/// This class is needed since DeclarationName has not enough space to store
847/// the kind of every possible names. Therefore the kind of common names is
848/// stored directly in DeclarationName, and the kind of uncommon names is
849/// stored in DeclarationNameExtra. It is aligned to 8 bytes because
850/// DeclarationName needs the lower 3 bits to store the kind of common names.
851/// DeclarationNameExtra is tightly coupled to DeclarationName and any change
852/// here is very likely to require changes in DeclarationName(Table).
853class alignas(IdentifierInfoAlignment) DeclarationNameExtra {
856
857protected:
858 /// The kind of "extra" information stored in the DeclarationName. See
859 /// @c ExtraKindOrNumArgs for an explanation of how these enumerator values
860 /// are used. Note that DeclarationName depends on the numerical values
861 /// of the enumerators in this enum. See DeclarationName::StoredNameKind
862 /// for more info.
867 ObjCMultiArgSelector
868 };
869
870 /// ExtraKindOrNumArgs has one of the following meaning:
871 /// * The kind of an uncommon C++ special name. This DeclarationNameExtra
872 /// is in this case in fact either a CXXDeductionGuideNameExtra or
873 /// a CXXLiteralOperatorIdName.
874 ///
875 /// * It may be also name common to C++ using-directives (CXXUsingDirective),
876 ///
877 /// * Otherwise it is ObjCMultiArgSelector+NumArgs, where NumArgs is
878 /// the number of arguments in the Objective-C selector, in which
879 /// case the DeclarationNameExtra is also a MultiKeywordSelector.
881
882 DeclarationNameExtra(ExtraKind Kind) : ExtraKindOrNumArgs(Kind) {}
883 DeclarationNameExtra(unsigned NumArgs)
884 : ExtraKindOrNumArgs(ObjCMultiArgSelector + NumArgs) {}
885
886 /// Return the corresponding ExtraKind.
888 return static_cast<ExtraKind>(ExtraKindOrNumArgs >
889 (unsigned)ObjCMultiArgSelector
890 ? (unsigned)ObjCMultiArgSelector
891 : ExtraKindOrNumArgs);
892 }
893
894 /// Return the number of arguments in an ObjC selector. Only valid when this
895 /// is indeed an ObjCMultiArgSelector.
896 unsigned getNumArgs() const {
897 assert(ExtraKindOrNumArgs >= (unsigned)ObjCMultiArgSelector &&
898 "getNumArgs called but this is not an ObjC selector!");
899 return ExtraKindOrNumArgs - (unsigned)ObjCMultiArgSelector;
900 }
901};
902
903} // namespace detail
904
905/// One of these variable length records is kept for each
906/// selector containing more than one keyword. We use a folding set
907/// to unique aggregate names (keyword selectors in ObjC parlance). Access to
908/// this class is provided strictly through Selector.
909class alignas(IdentifierInfoAlignment) MultiKeywordSelector
911 public llvm::FoldingSetNode {
912 MultiKeywordSelector(unsigned nKeys) : DeclarationNameExtra(nKeys) {}
913
914public:
915 // Constructor for keyword selectors.
917 : DeclarationNameExtra(nKeys) {
918 assert((nKeys > 1) && "not a multi-keyword selector");
919
920 // Fill in the trailing keyword array.
921 IdentifierInfo **KeyInfo = reinterpret_cast<IdentifierInfo **>(this + 1);
922 for (unsigned i = 0; i != nKeys; ++i)
923 KeyInfo[i] = IIV[i];
924 }
925
926 // getName - Derive the full selector name and return it.
927 std::string getName() const;
928
929 using DeclarationNameExtra::getNumArgs;
930
932
934 return reinterpret_cast<keyword_iterator>(this + 1);
935 }
936
938 return keyword_begin() + getNumArgs();
939 }
940
942 assert(i < getNumArgs() && "getIdentifierInfoForSlot(): illegal index");
943 return keyword_begin()[i];
944 }
945
946 static void Profile(llvm::FoldingSetNodeID &ID, keyword_iterator ArgTys,
947 unsigned NumArgs) {
948 ID.AddInteger(NumArgs);
949 for (unsigned i = 0; i != NumArgs; ++i)
950 ID.AddPointer(ArgTys[i]);
951 }
952
953 void Profile(llvm::FoldingSetNodeID &ID) {
954 Profile(ID, keyword_begin(), getNumArgs());
955 }
956};
957
958/// Smart pointer class that efficiently represents Objective-C method
959/// names.
960///
961/// This class will either point to an IdentifierInfo or a
962/// MultiKeywordSelector (which is private). This enables us to optimize
963/// selectors that take no arguments and selectors that take 1 argument, which
964/// accounts for 78% of all selectors in Cocoa.h.
965class Selector {
966 friend class Diagnostic;
967 friend class SelectorTable; // only the SelectorTable can create these
968 friend class DeclarationName; // and the AST's DeclarationName.
969
970 enum IdentifierInfoFlag {
971 // Empty selector = 0. Note that these enumeration values must
972 // correspond to the enumeration values of DeclarationName::StoredNameKind
973 ZeroArg = 0x01,
974 OneArg = 0x02,
975 // IMPORTANT NOTE: see comments in InfoPtr (below) about this enumerator
976 // value.
977 MultiArg = 0x07,
978 };
979
980 /// IMPORTANT NOTE: the order of the types in this PointerUnion are
981 /// important! The DeclarationName class has bidirectional conversion
982 /// to/from Selector through an opaque pointer (void *) which corresponds
983 /// to this PointerIntPair. The discriminator bit from the PointerUnion
984 /// corresponds to the high bit in the MultiArg enumerator. So while this
985 /// PointerIntPair only has two bits for the integer (and we mask off the
986 /// high bit in `MultiArg` when it is used), that discrimator bit is
987 /// still necessary for the opaque conversion. The discriminator bit
988 /// from the PointerUnion and the two integer bits from the
989 /// PointerIntPair are also exposed via the DeclarationName::StoredNameKind
990 /// enumeration; see the comments in DeclarationName.h for more details.
991 /// Do not reorder or add any arguments to this template
992 /// without thoroughly understanding how tightly coupled these classes are.
993 llvm::PointerIntPair<
994 llvm::PointerUnion<IdentifierInfo *, MultiKeywordSelector *>, 2>
995 InfoPtr;
996
997 Selector(IdentifierInfo *II, unsigned nArgs) {
998 assert(nArgs < 2 && "nArgs not equal to 0/1");
999 InfoPtr.setPointerAndInt(II, nArgs + 1);
1000 }
1001
1002 Selector(MultiKeywordSelector *SI) {
1003 // IMPORTANT NOTE: we mask off the upper bit of this value because we only
1004 // reserve two bits for the integer in the PointerIntPair. See the comments
1005 // in `InfoPtr` for more details.
1006 InfoPtr.setPointerAndInt(SI, MultiArg & 0b11);
1007 }
1008
1009 IdentifierInfo *getAsIdentifierInfo() const {
1010 return InfoPtr.getPointer().dyn_cast<IdentifierInfo *>();
1011 }
1012
1013 MultiKeywordSelector *getMultiKeywordSelector() const {
1014 return InfoPtr.getPointer().get<MultiKeywordSelector *>();
1015 }
1016
1017 unsigned getIdentifierInfoFlag() const {
1018 unsigned new_flags = InfoPtr.getInt();
1019 // IMPORTANT NOTE: We have to reconstitute this data rather than use the
1020 // value directly from the PointerIntPair. See the comments in `InfoPtr`
1021 // for more details.
1022 if (InfoPtr.getPointer().is<MultiKeywordSelector *>())
1023 new_flags |= MultiArg;
1024 return new_flags;
1025 }
1026
1027 static ObjCMethodFamily getMethodFamilyImpl(Selector sel);
1028
1029 static ObjCStringFormatFamily getStringFormatFamilyImpl(Selector sel);
1030
1031public:
1032 /// The default ctor should only be used when creating data structures that
1033 /// will contain selectors.
1034 Selector() = default;
1036 InfoPtr.setFromOpaqueValue(reinterpret_cast<void *>(V));
1037 }
1038
1039 /// operator==/!= - Indicate whether the specified selectors are identical.
1040 bool operator==(Selector RHS) const {
1041 return InfoPtr.getOpaqueValue() == RHS.InfoPtr.getOpaqueValue();
1042 }
1043 bool operator!=(Selector RHS) const {
1044 return InfoPtr.getOpaqueValue() != RHS.InfoPtr.getOpaqueValue();
1045 }
1046
1047 void *getAsOpaquePtr() const { return InfoPtr.getOpaqueValue(); }
1048
1049 /// Determine whether this is the empty selector.
1050 bool isNull() const { return InfoPtr.getOpaqueValue() == nullptr; }
1051
1052 // Predicates to identify the selector type.
1053 bool isKeywordSelector() const { return InfoPtr.getInt() != ZeroArg; }
1054
1055 bool isUnarySelector() const { return InfoPtr.getInt() == ZeroArg; }
1056
1057 /// If this selector is the specific keyword selector described by Names.
1058 bool isKeywordSelector(ArrayRef<StringRef> Names) const;
1059
1060 /// If this selector is the specific unary selector described by Name.
1061 bool isUnarySelector(StringRef Name) const;
1062
1063 unsigned getNumArgs() const;
1064
1065 /// Retrieve the identifier at a given position in the selector.
1066 ///
1067 /// Note that the identifier pointer returned may be NULL. Clients that only
1068 /// care about the text of the identifier string, and not the specific,
1069 /// uniqued identifier pointer, should use \c getNameForSlot(), which returns
1070 /// an empty string when the identifier pointer would be NULL.
1071 ///
1072 /// \param argIndex The index for which we want to retrieve the identifier.
1073 /// This index shall be less than \c getNumArgs() unless this is a keyword
1074 /// selector, in which case 0 is the only permissible value.
1075 ///
1076 /// \returns the uniqued identifier for this slot, or NULL if this slot has
1077 /// no corresponding identifier.
1078 IdentifierInfo *getIdentifierInfoForSlot(unsigned argIndex) const;
1079
1080 /// Retrieve the name at a given position in the selector.
1081 ///
1082 /// \param argIndex The index for which we want to retrieve the name.
1083 /// This index shall be less than \c getNumArgs() unless this is a keyword
1084 /// selector, in which case 0 is the only permissible value.
1085 ///
1086 /// \returns the name for this slot, which may be the empty string if no
1087 /// name was supplied.
1088 StringRef getNameForSlot(unsigned argIndex) const;
1089
1090 /// Derive the full selector name (e.g. "foo:bar:") and return
1091 /// it as an std::string.
1092 std::string getAsString() const;
1093
1094 /// Prints the full selector name (e.g. "foo:bar:").
1095 void print(llvm::raw_ostream &OS) const;
1096
1097 void dump() const;
1098
1099 /// Derive the conventional family of this method.
1101 return getMethodFamilyImpl(*this);
1102 }
1103
1105 return getStringFormatFamilyImpl(*this);
1106 }
1107
1109 return Selector(uintptr_t(-1));
1110 }
1111
1113 return Selector(uintptr_t(-2));
1114 }
1115
1116 static ObjCInstanceTypeFamily getInstTypeMethodFamily(Selector sel);
1117};
1118
1119/// This table allows us to fully hide how we implement
1120/// multi-keyword caching.
1122 // Actually a SelectorTableImpl
1123 void *Impl;
1124
1125public:
1126 SelectorTable();
1127 SelectorTable(const SelectorTable &) = delete;
1130
1131 /// Can create any sort of selector.
1132 ///
1133 /// \p NumArgs indicates whether this is a no argument selector "foo", a
1134 /// single argument selector "foo:" or multi-argument "foo:bar:".
1135 Selector getSelector(unsigned NumArgs, IdentifierInfo **IIV);
1136
1138 return Selector(ID, 1);
1139 }
1140
1142 return Selector(ID, 0);
1143 }
1144
1145 /// Return the total amount of memory allocated for managing selectors.
1146 size_t getTotalMemory() const;
1147
1148 /// Return the default setter name for the given identifier.
1149 ///
1150 /// This is "set" + \p Name where the initial character of \p Name
1151 /// has been capitalized.
1152 static SmallString<64> constructSetterName(StringRef Name);
1153
1154 /// Return the default setter selector for the given identifier.
1155 ///
1156 /// This is "set" + \p Name where the initial character of \p Name
1157 /// has been capitalized.
1158 static Selector constructSetterSelector(IdentifierTable &Idents,
1159 SelectorTable &SelTable,
1160 const IdentifierInfo *Name);
1161
1162 /// Return the property name for the given setter selector.
1163 static std::string getPropertyNameFromSetterSelector(Selector Sel);
1164};
1165
1166} // namespace clang
1167
1168namespace llvm {
1169
1170/// Define DenseMapInfo so that Selectors can be used as keys in DenseMap and
1171/// DenseSets.
1172template <>
1173struct DenseMapInfo<clang::Selector> {
1176 }
1177
1180 }
1181
1182 static unsigned getHashValue(clang::Selector S);
1183
1185 return LHS == RHS;
1186 }
1187};
1188
1189template<>
1190struct PointerLikeTypeTraits<clang::Selector> {
1191 static const void *getAsVoidPointer(clang::Selector P) {
1192 return P.getAsOpaquePtr();
1193 }
1194
1196 return clang::Selector(reinterpret_cast<uintptr_t>(P));
1197 }
1198
1199 static constexpr int NumLowBitsAvailable = 0;
1200};
1201
1202} // namespace llvm
1203
1204#endif // LLVM_CLANG_BASIC_IDENTIFIERTABLE_H
#define V(N, I)
Definition: ASTContext.h:3259
StringRef P
static char ID
Definition: Arena.cpp:183
Defines enum values for all the target-independent builtin functions.
static void dump(llvm::raw_ostream &OS, StringRef FunctionName, ArrayRef< CounterExpression > Expressions, ArrayRef< CounterMappingRegion > Regions)
Defines the Diagnostic IDs-related interfaces.
static void print(llvm::raw_ostream &OS, const T &V, ASTContext &, QualType)
Definition: InterpFrame.cpp:96
Forward-declares and imports various common LLVM datatypes that clang wants to use unqualified.
static std::string getName(const CallEvent &Call)
Defines the clang::TokenKind enum and support functions.
DeclarationNameTable is used to store and retrieve DeclarationName instances for the various kinds of...
The name of a declaration.
A little helper class (which is basically a smart pointer that forwards info from DiagnosticsEngine) ...
Definition: Diagnostic.h:1571
Provides lookups to, and iteration over, IdentiferInfo objects.
virtual IdentifierInfo * get(StringRef Name)=0
Return the IdentifierInfo for the specified named identifier.
One of these records is kept for each identifier that is lexed.
bool isHandleIdentifierCase() const
Return true if the Preprocessor::HandleIdentifier must be called on a token of this identifier.
IdentifierInfo(const IdentifierInfo &)=delete
IdentifierInfo(IdentifierInfo &&)=delete
bool isModulesImport() const
Determine whether this is the contextual keyword import.
void revertIdentifierToTokenID(tok::TokenKind TK)
unsigned getLength() const
Efficiently return the length of this identifier info.
unsigned getBuiltinID() const
Return a value indicating whether this is a builtin function.
void setModulesImport(bool I)
Set whether this identifier is the contextual keyword import.
void setNotableIdentifierID(unsigned ID)
void setIsExtensionToken(bool Val)
void setIsRestrictExpansion(bool Val)
void setFETokenInfo(void *T)
bool hasChangedSinceDeserialization() const
Determine whether this identifier has changed since it was loaded from an AST file.
bool isCPlusPlusOperatorKeyword() const
IdentifierInfo & operator=(const IdentifierInfo &)=delete
void setIsDeprecatedMacro(bool Val)
bool hasFETokenInfoChangedSinceDeserialization() const
Determine whether the frontend token information for this identifier has changed since it was loaded ...
void setMangledOpenMPVariantName(bool I)
Set whether this is the mangled name of an OpenMP variant.
tok::TokenKind getTokenID() const
If this is a source-language token (e.g.
bool hadMacroDefinition() const
Returns true if this identifier was #defined to some value at any moment.
void setIsPoisoned(bool Value=true)
setIsPoisoned - Mark this identifier as poisoned.
void setObjCKeywordID(tok::ObjCKeywordKind ID)
void setIsFinal(bool Val)
IdentifierInfo & operator=(IdentifierInfo &&)=delete
bool hasMacroDefinition() const
Return true if this identifier is #defined to some other value.
bool isFromAST() const
Return true if the identifier in its current state was loaded from an AST file.
bool isPoisoned() const
Return true if this token has been poisoned.
bool hasRevertedTokenIDToIdentifier() const
True if revertTokenIDToIdentifier() was called.
const char * getNameStart() const
Return the beginning of the actual null-terminated string for this identifier.
tok::NotableIdentifierKind getNotableIdentifierID() const
bool isMangledOpenMPVariantName() const
Determine whether this is the mangled name of an OpenMP variant.
void setOutOfDate(bool OOD)
Set whether the information for this identifier is out of date with respect to the external source.
void setHasMacroDefinition(bool Val)
bool isStr(llvm::StringRef Str) const
Return true if this is the identifier for the specified StringRef.
unsigned getObjCOrBuiltinID() const
tok::ObjCKeywordKind getObjCKeywordID() const
Return the Objective-C keyword ID for the this identifier.
void setObjCOrBuiltinID(unsigned ID)
bool isStr(const char(&Str)[StrLen]) const
Return true if this is the identifier for the specified string.
bool isEditorPlaceholder() const
Return true if this identifier is an editor placeholder.
void setIsCPlusPlusOperatorKeyword(bool Val=true)
isCPlusPlusOperatorKeyword/setIsCPlusPlusOperatorKeyword controls whether this identifier is a C++ al...
void setBuiltinID(unsigned ID)
void setFETokenInfoChangedSinceDeserialization()
Note that the frontend token information for this identifier has changed since it was loaded from an ...
bool operator<(const IdentifierInfo &RHS) const
Provide less than operator for lexicographical sorting.
void revertTokenIDToIdentifier()
Revert TokenID to tok::identifier; used for GNU libstdc++ 4.2 compatibility.
bool isDeprecatedMacro() const
bool isOutOfDate() const
Determine whether the information for this identifier is out of date with respect to the external sou...
void setIsFutureCompatKeyword(bool Val)
void setChangedSinceDeserialization()
Note that this identifier has changed since it was loaded from an AST file.
void * getFETokenInfo() const
Get and set FETokenInfo.
bool isPlaceholder() const
StringRef getName() const
Return the actual identifier string.
bool isFutureCompatKeyword() const
is/setIsFutureCompatKeyword - Initialize information about whether or not this language token is a ke...
bool isExtensionToken() const
get/setExtension - Initialize information about whether or not this language token is an extension.
bool isRestrictExpansion() const
An iterator that walks over all of the known identifiers in the lookup table.
virtual StringRef Next()=0
Retrieve the next string in the identifier table and advances the iterator for the following string.
IdentifierIterator & operator=(const IdentifierIterator &)=delete
IdentifierIterator(const IdentifierIterator &)=delete
Implements an efficient mapping from strings to IdentifierInfo nodes.
unsigned size() const
IdentifierInfo & getOwn(StringRef Name)
Gets an IdentifierInfo for the given name without consulting external sources.
iterator find(StringRef Name) const
IdentifierInfo & get(StringRef Name)
Return the identifier token info for the specified named identifier.
IdentifierInfo & get(StringRef Name, tok::TokenKind TokenCode)
iterator begin() const
IdentifierInfoLookup * getExternalIdentifierLookup() const
Retrieve the external identifier lookup object, if any.
HashTableTy::const_iterator iterator
iterator end() const
HashTableTy::const_iterator const_iterator
llvm::BumpPtrAllocator & getAllocator()
void setExternalIdentifierLookup(IdentifierInfoLookup *IILookup)
Set the external identifier lookup mechanism.
Keeps track of the various options that can be enabled, which controls the dialect of C or C++ that i...
Definition: LangOptions.h:418
One of these variable length records is kept for each selector containing more than one keyword.
keyword_iterator keyword_end() const
IdentifierInfo *const * keyword_iterator
void Profile(llvm::FoldingSetNodeID &ID)
IdentifierInfo * getIdentifierInfoForSlot(unsigned i) const
static void Profile(llvm::FoldingSetNodeID &ID, keyword_iterator ArgTys, unsigned NumArgs)
keyword_iterator keyword_begin() const
MultiKeywordSelector(unsigned nKeys, IdentifierInfo **IIV)
An RAII object for [un]poisoning an identifier within a scope.
PoisonIdentifierRAIIObject(IdentifierInfo *II, bool NewValue)
This table allows us to fully hide how we implement multi-keyword caching.
SelectorTable(const SelectorTable &)=delete
SelectorTable & operator=(const SelectorTable &)=delete
Selector getNullarySelector(IdentifierInfo *ID)
Selector getUnarySelector(IdentifierInfo *ID)
Smart pointer class that efficiently represents Objective-C method names.
Selector()=default
The default ctor should only be used when creating data structures that will contain selectors.
static Selector getEmptyMarker()
static Selector getTombstoneMarker()
void * getAsOpaquePtr() const
bool isKeywordSelector() const
ObjCMethodFamily getMethodFamily() const
Derive the conventional family of this method.
bool operator==(Selector RHS) const
operator==/!= - Indicate whether the specified selectors are identical.
bool isUnarySelector() const
bool operator!=(Selector RHS) const
bool isNull() const
Determine whether this is the empty selector.
Selector(uintptr_t V)
ObjCStringFormatFamily getStringFormatFamily() const
DeclarationNameExtra is used as a base of various uncommon special names.
ExtraKind
The kind of "extra" information stored in the DeclarationName.
ExtraKind getKind() const
Return the corresponding ExtraKind.
unsigned ExtraKindOrNumArgs
ExtraKindOrNumArgs has one of the following meaning:
unsigned getNumArgs() const
Return the number of arguments in an ObjC selector.
NotableIdentifierKind
Provides a namespace for notable identifers such as float_t and double_t.
Definition: TokenKinds.h:49
ObjCKeywordKind
Provides a namespace for Objective-C keywords which start with an '@'.
Definition: TokenKinds.h:41
TokenKind
Provides a simple uniform namespace for tokens from all C languages.
Definition: TokenKinds.h:25
PPKeywordKind
Provides a namespace for preprocessor keywords which start with a '#' at the beginning of the line.
Definition: TokenKinds.h:33
The JSON file list parser is used to communicate input to InstallAPI.
ObjCStringFormatFamily
bool isReservedInAllContexts(ReservedIdentifierStatus Status)
Determine whether an identifier is reserved in all contexts.
InterestingIdentifier
The "layout" of InterestingIdentifier is:
ObjCMethodFamily
A family of Objective-C methods.
@ OMF_initialize
@ OMF_autorelease
@ OMF_mutableCopy
@ OMF_performSelector
@ OMF_None
No particular method family.
@ OMF_retainCount
@ IdentifierInfoAlignment
ObjCInstanceTypeFamily
A family of Objective-C methods.
@ OIT_Dictionary
@ OIT_ReturnsSelf
ReservedLiteralSuffixIdStatus
@ InvalidObjCMethodFamily
static constexpr int InterestingIdentifierBits
@ ObjCMethodFamilyBitWidth
bool isReservedAtGlobalScope(ReservedIdentifierStatus Status)
Determine whether an identifier is reserved for use as a name at global scope.
llvm::StringRef getAsString(SyncScope S)
Definition: SyncScope.h:60
std::pair< IdentifierInfo *, SourceLocation > IdentifierLocPair
A simple pair of identifier info and location.
ReservedIdentifierStatus
YAML serialization mapping.
Definition: Dominators.h:30
__UINTPTR_TYPE__ uintptr_t
An unsigned integer type with the property that any valid pointer to void can be converted to this ty...
#define false
Definition: stdbool.h:22
static clang::Selector getEmptyKey()
static bool isEqual(clang::Selector LHS, clang::Selector RHS)
static clang::Selector getTombstoneKey()
static clang::Selector getFromVoidPointer(const void *P)
static const void * getAsVoidPointer(clang::Selector P)