1 //===-- SystemZAsmParser.cpp - Parse SystemZ assembly instructions --------===//
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 #include "MCTargetDesc/SystemZInstPrinter.h"
10 #include "MCTargetDesc/SystemZMCAsmInfo.h"
11 #include "MCTargetDesc/SystemZMCTargetDesc.h"
12 #include "SystemZTargetStreamer.h"
13 #include "TargetInfo/SystemZTargetInfo.h"
14 #include "llvm/ADT/STLExtras.h"
15 #include "llvm/ADT/SmallVector.h"
16 #include "llvm/ADT/StringExtras.h"
17 #include "llvm/ADT/StringRef.h"
18 #include "llvm/MC/MCAsmInfo.h"
19 #include "llvm/MC/MCContext.h"
20 #include "llvm/MC/MCExpr.h"
21 #include "llvm/MC/MCInst.h"
22 #include "llvm/MC/MCInstBuilder.h"
23 #include "llvm/MC/MCInstrInfo.h"
24 #include "llvm/MC/MCParser/MCAsmLexer.h"
25 #include "llvm/MC/MCParser/MCAsmParser.h"
26 #include "llvm/MC/MCParser/MCAsmParserExtension.h"
27 #include "llvm/MC/MCParser/MCParsedAsmOperand.h"
28 #include "llvm/MC/MCParser/MCTargetAsmParser.h"
29 #include "llvm/MC/MCStreamer.h"
30 #include "llvm/MC/MCSubtargetInfo.h"
31 #include "llvm/MC/TargetRegistry.h"
32 #include "llvm/Support/Casting.h"
33 #include "llvm/Support/ErrorHandling.h"
34 #include "llvm/Support/SMLoc.h"
35 #include <algorithm>
36 #include <cassert>
37 #include <cstddef>
38 #include <cstdint>
39 #include <iterator>
40 #include <memory>
41 #include <string>
42 
43 using namespace llvm;
44 
45 // Return true if Expr is in the range [MinValue, MaxValue]. If AllowSymbol
46 // is true any MCExpr is accepted (address displacement).
47 static bool inRange(const MCExpr *Expr, int64_t MinValue, int64_t MaxValue,
48                     bool AllowSymbol = false) {
49   if (auto *CE = dyn_cast<MCConstantExpr>(Expr)) {
50     int64_t Value = CE->getValue();
51     return Value >= MinValue && Value <= MaxValue;
52   }
53   return AllowSymbol;
54 }
55 
56 namespace {
57 
58 enum RegisterKind {
59   GR32Reg,
60   GRH32Reg,
61   GR64Reg,
62   GR128Reg,
63   FP32Reg,
64   FP64Reg,
65   FP128Reg,
66   VR32Reg,
67   VR64Reg,
68   VR128Reg,
69   AR32Reg,
70   CR64Reg,
71 };
72 
73 enum MemoryKind {
74   BDMem,
75   BDXMem,
76   BDLMem,
77   BDRMem,
78   BDVMem
79 };
80 
81 class SystemZOperand : public MCParsedAsmOperand {
82 private:
83   enum OperandKind {
84     KindInvalid,
85     KindToken,
86     KindReg,
87     KindImm,
88     KindImmTLS,
89     KindMem
90   };
91 
92   OperandKind Kind;
93   SMLoc StartLoc, EndLoc;
94 
95   // A string of length Length, starting at Data.
96   struct TokenOp {
97     const char *Data;
98     unsigned Length;
99   };
100 
101   // LLVM register Num, which has kind Kind.  In some ways it might be
102   // easier for this class to have a register bank (general, floating-point
103   // or access) and a raw register number (0-15).  This would postpone the
104   // interpretation of the operand to the add*() methods and avoid the need
105   // for context-dependent parsing.  However, we do things the current way
106   // because of the virtual getReg() method, which needs to distinguish
107   // between (say) %r0 used as a single register and %r0 used as a pair.
108   // Context-dependent parsing can also give us slightly better error
109   // messages when invalid pairs like %r1 are used.
110   struct RegOp {
111     RegisterKind Kind;
112     unsigned Num;
113   };
114 
115   // Base + Disp + Index, where Base and Index are LLVM registers or 0.
116   // MemKind says what type of memory this is and RegKind says what type
117   // the base register has (GR32Reg or GR64Reg).  Length is the operand
118   // length for D(L,B)-style operands, otherwise it is null.
119   struct MemOp {
120     unsigned Base : 12;
121     unsigned Index : 12;
122     unsigned MemKind : 4;
123     unsigned RegKind : 4;
124     const MCExpr *Disp;
125     union {
126       const MCExpr *Imm;
127       unsigned Reg;
128     } Length;
129   };
130 
131   // Imm is an immediate operand, and Sym is an optional TLS symbol
132   // for use with a __tls_get_offset marker relocation.
133   struct ImmTLSOp {
134     const MCExpr *Imm;
135     const MCExpr *Sym;
136   };
137 
138   union {
139     TokenOp Token;
140     RegOp Reg;
141     const MCExpr *Imm;
142     ImmTLSOp ImmTLS;
143     MemOp Mem;
144   };
145 
146   void addExpr(MCInst &Inst, const MCExpr *Expr) const {
147     // Add as immediates when possible.  Null MCExpr = 0.
148     if (!Expr)
149       Inst.addOperand(MCOperand::createImm(0));
150     else if (auto *CE = dyn_cast<MCConstantExpr>(Expr))
151       Inst.addOperand(MCOperand::createImm(CE->getValue()));
152     else
153       Inst.addOperand(MCOperand::createExpr(Expr));
154   }
155 
156 public:
157   SystemZOperand(OperandKind kind, SMLoc startLoc, SMLoc endLoc)
158       : Kind(kind), StartLoc(startLoc), EndLoc(endLoc) {}
159 
160   // Create particular kinds of operand.
161   static std::unique_ptr<SystemZOperand> createInvalid(SMLoc StartLoc,
162                                                        SMLoc EndLoc) {
163     return std::make_unique<SystemZOperand>(KindInvalid, StartLoc, EndLoc);
164   }
165 
166   static std::unique_ptr<SystemZOperand> createToken(StringRef Str, SMLoc Loc) {
167     auto Op = std::make_unique<SystemZOperand>(KindToken, Loc, Loc);
168     Op->Token.Data = Str.data();
169     Op->Token.Length = Str.size();
170     return Op;
171   }
172 
173   static std::unique_ptr<SystemZOperand>
174   createReg(RegisterKind Kind, unsigned Num, SMLoc StartLoc, SMLoc EndLoc) {
175     auto Op = std::make_unique<SystemZOperand>(KindReg, StartLoc, EndLoc);
176     Op->Reg.Kind = Kind;
177     Op->Reg.Num = Num;
178     return Op;
179   }
180 
181   static std::unique_ptr<SystemZOperand>
182   createImm(const MCExpr *Expr, SMLoc StartLoc, SMLoc EndLoc) {
183     auto Op = std::make_unique<SystemZOperand>(KindImm, StartLoc, EndLoc);
184     Op->Imm = Expr;
185     return Op;
186   }
187 
188   static std::unique_ptr<SystemZOperand>
189   createMem(MemoryKind MemKind, RegisterKind RegKind, unsigned Base,
190             const MCExpr *Disp, unsigned Index, const MCExpr *LengthImm,
191             unsigned LengthReg, SMLoc StartLoc, SMLoc EndLoc) {
192     auto Op = std::make_unique<SystemZOperand>(KindMem, StartLoc, EndLoc);
193     Op->Mem.MemKind = MemKind;
194     Op->Mem.RegKind = RegKind;
195     Op->Mem.Base = Base;
196     Op->Mem.Index = Index;
197     Op->Mem.Disp = Disp;
198     if (MemKind == BDLMem)
199       Op->Mem.Length.Imm = LengthImm;
200     if (MemKind == BDRMem)
201       Op->Mem.Length.Reg = LengthReg;
202     return Op;
203   }
204 
205   static std::unique_ptr<SystemZOperand>
206   createImmTLS(const MCExpr *Imm, const MCExpr *Sym,
207                SMLoc StartLoc, SMLoc EndLoc) {
208     auto Op = std::make_unique<SystemZOperand>(KindImmTLS, StartLoc, EndLoc);
209     Op->ImmTLS.Imm = Imm;
210     Op->ImmTLS.Sym = Sym;
211     return Op;
212   }
213 
214   // Token operands
215   bool isToken() const override {
216     return Kind == KindToken;
217   }
218   StringRef getToken() const {
219     assert(Kind == KindToken && "Not a token");
220     return StringRef(Token.Data, Token.Length);
221   }
222 
223   // Register operands.
224   bool isReg() const override {
225     return Kind == KindReg;
226   }
227   bool isReg(RegisterKind RegKind) const {
228     return Kind == KindReg && Reg.Kind == RegKind;
229   }
230   unsigned getReg() const override {
231     assert(Kind == KindReg && "Not a register");
232     return Reg.Num;
233   }
234 
235   // Immediate operands.
236   bool isImm() const override {
237     return Kind == KindImm;
238   }
239   bool isImm(int64_t MinValue, int64_t MaxValue) const {
240     return Kind == KindImm && inRange(Imm, MinValue, MaxValue, true);
241   }
242   const MCExpr *getImm() const {
243     assert(Kind == KindImm && "Not an immediate");
244     return Imm;
245   }
246 
247   // Immediate operands with optional TLS symbol.
248   bool isImmTLS() const {
249     return Kind == KindImmTLS;
250   }
251 
252   const ImmTLSOp getImmTLS() const {
253     assert(Kind == KindImmTLS && "Not a TLS immediate");
254     return ImmTLS;
255   }
256 
257   // Memory operands.
258   bool isMem() const override {
259     return Kind == KindMem;
260   }
261   bool isMem(MemoryKind MemKind) const {
262     return (Kind == KindMem &&
263             (Mem.MemKind == MemKind ||
264              // A BDMem can be treated as a BDXMem in which the index
265              // register field is 0.
266              (Mem.MemKind == BDMem && MemKind == BDXMem)));
267   }
268   bool isMem(MemoryKind MemKind, RegisterKind RegKind) const {
269     return isMem(MemKind) && Mem.RegKind == RegKind;
270   }
271   bool isMemDisp12(MemoryKind MemKind, RegisterKind RegKind) const {
272     return isMem(MemKind, RegKind) && inRange(Mem.Disp, 0, 0xfff, true);
273   }
274   bool isMemDisp20(MemoryKind MemKind, RegisterKind RegKind) const {
275     return isMem(MemKind, RegKind) && inRange(Mem.Disp, -524288, 524287, true);
276   }
277   bool isMemDisp12Len4(RegisterKind RegKind) const {
278     return isMemDisp12(BDLMem, RegKind) && inRange(Mem.Length.Imm, 1, 0x10);
279   }
280   bool isMemDisp12Len8(RegisterKind RegKind) const {
281     return isMemDisp12(BDLMem, RegKind) && inRange(Mem.Length.Imm, 1, 0x100);
282   }
283 
284   const MemOp& getMem() const {
285     assert(Kind == KindMem && "Not a Mem operand");
286     return Mem;
287   }
288 
289   // Override MCParsedAsmOperand.
290   SMLoc getStartLoc() const override { return StartLoc; }
291   SMLoc getEndLoc() const override { return EndLoc; }
292   void print(raw_ostream &OS) const override;
293 
294   /// getLocRange - Get the range between the first and last token of this
295   /// operand.
296   SMRange getLocRange() const { return SMRange(StartLoc, EndLoc); }
297 
298   // Used by the TableGen code to add particular types of operand
299   // to an instruction.
300   void addRegOperands(MCInst &Inst, unsigned N) const {
301     assert(N == 1 && "Invalid number of operands");
302     Inst.addOperand(MCOperand::createReg(getReg()));
303   }
304   void addImmOperands(MCInst &Inst, unsigned N) const {
305     assert(N == 1 && "Invalid number of operands");
306     addExpr(Inst, getImm());
307   }
308   void addBDAddrOperands(MCInst &Inst, unsigned N) const {
309     assert(N == 2 && "Invalid number of operands");
310     assert(isMem(BDMem) && "Invalid operand type");
311     Inst.addOperand(MCOperand::createReg(Mem.Base));
312     addExpr(Inst, Mem.Disp);
313   }
314   void addBDXAddrOperands(MCInst &Inst, unsigned N) const {
315     assert(N == 3 && "Invalid number of operands");
316     assert(isMem(BDXMem) && "Invalid operand type");
317     Inst.addOperand(MCOperand::createReg(Mem.Base));
318     addExpr(Inst, Mem.Disp);
319     Inst.addOperand(MCOperand::createReg(Mem.Index));
320   }
321   void addBDLAddrOperands(MCInst &Inst, unsigned N) const {
322     assert(N == 3 && "Invalid number of operands");
323     assert(isMem(BDLMem) && "Invalid operand type");
324     Inst.addOperand(MCOperand::createReg(Mem.Base));
325     addExpr(Inst, Mem.Disp);
326     addExpr(Inst, Mem.Length.Imm);
327   }
328   void addBDRAddrOperands(MCInst &Inst, unsigned N) const {
329     assert(N == 3 && "Invalid number of operands");
330     assert(isMem(BDRMem) && "Invalid operand type");
331     Inst.addOperand(MCOperand::createReg(Mem.Base));
332     addExpr(Inst, Mem.Disp);
333     Inst.addOperand(MCOperand::createReg(Mem.Length.Reg));
334   }
335   void addBDVAddrOperands(MCInst &Inst, unsigned N) const {
336     assert(N == 3 && "Invalid number of operands");
337     assert(isMem(BDVMem) && "Invalid operand type");
338     Inst.addOperand(MCOperand::createReg(Mem.Base));
339     addExpr(Inst, Mem.Disp);
340     Inst.addOperand(MCOperand::createReg(Mem.Index));
341   }
342   void addImmTLSOperands(MCInst &Inst, unsigned N) const {
343     assert(N == 2 && "Invalid number of operands");
344     assert(Kind == KindImmTLS && "Invalid operand type");
345     addExpr(Inst, ImmTLS.Imm);
346     if (ImmTLS.Sym)
347       addExpr(Inst, ImmTLS.Sym);
348   }
349 
350   // Used by the TableGen code to check for particular operand types.
351   bool isGR32() const { return isReg(GR32Reg); }
352   bool isGRH32() const { return isReg(GRH32Reg); }
353   bool isGRX32() const { return false; }
354   bool isGR64() const { return isReg(GR64Reg); }
355   bool isGR128() const { return isReg(GR128Reg); }
356   bool isADDR32() const { return isReg(GR32Reg); }
357   bool isADDR64() const { return isReg(GR64Reg); }
358   bool isADDR128() const { return false; }
359   bool isFP32() const { return isReg(FP32Reg); }
360   bool isFP64() const { return isReg(FP64Reg); }
361   bool isFP128() const { return isReg(FP128Reg); }
362   bool isVR32() const { return isReg(VR32Reg); }
363   bool isVR64() const { return isReg(VR64Reg); }
364   bool isVF128() const { return false; }
365   bool isVR128() const { return isReg(VR128Reg); }
366   bool isAR32() const { return isReg(AR32Reg); }
367   bool isCR64() const { return isReg(CR64Reg); }
368   bool isAnyReg() const { return (isReg() || isImm(0, 15)); }
369   bool isBDAddr32Disp12() const { return isMemDisp12(BDMem, GR32Reg); }
370   bool isBDAddr32Disp20() const { return isMemDisp20(BDMem, GR32Reg); }
371   bool isBDAddr64Disp12() const { return isMemDisp12(BDMem, GR64Reg); }
372   bool isBDAddr64Disp20() const { return isMemDisp20(BDMem, GR64Reg); }
373   bool isBDXAddr64Disp12() const { return isMemDisp12(BDXMem, GR64Reg); }
374   bool isBDXAddr64Disp20() const { return isMemDisp20(BDXMem, GR64Reg); }
375   bool isBDLAddr64Disp12Len4() const { return isMemDisp12Len4(GR64Reg); }
376   bool isBDLAddr64Disp12Len8() const { return isMemDisp12Len8(GR64Reg); }
377   bool isBDRAddr64Disp12() const { return isMemDisp12(BDRMem, GR64Reg); }
378   bool isBDVAddr64Disp12() const { return isMemDisp12(BDVMem, GR64Reg); }
379   bool isU1Imm() const { return isImm(0, 1); }
380   bool isU2Imm() const { return isImm(0, 3); }
381   bool isU3Imm() const { return isImm(0, 7); }
382   bool isU4Imm() const { return isImm(0, 15); }
383   bool isU8Imm() const { return isImm(0, 255); }
384   bool isS8Imm() const { return isImm(-128, 127); }
385   bool isU12Imm() const { return isImm(0, 4095); }
386   bool isU16Imm() const { return isImm(0, 65535); }
387   bool isS16Imm() const { return isImm(-32768, 32767); }
388   bool isU32Imm() const { return isImm(0, (1LL << 32) - 1); }
389   bool isS32Imm() const { return isImm(-(1LL << 31), (1LL << 31) - 1); }
390   bool isU48Imm() const { return isImm(0, (1LL << 48) - 1); }
391 };
392 
393 class SystemZAsmParser : public MCTargetAsmParser {
394 #define GET_ASSEMBLER_HEADER
395 #include "SystemZGenAsmMatcher.inc"
396 
397 private:
398   MCAsmParser &Parser;
399   enum RegisterGroup {
400     RegGR,
401     RegFP,
402     RegV,
403     RegAR,
404     RegCR
405   };
406   struct Register {
407     RegisterGroup Group;
408     unsigned Num;
409     SMLoc StartLoc, EndLoc;
410   };
411 
412   SystemZTargetStreamer &getTargetStreamer() {
413     assert(getParser().getStreamer().getTargetStreamer() &&
414            "do not have a target streamer");
415     MCTargetStreamer &TS = *getParser().getStreamer().getTargetStreamer();
416     return static_cast<SystemZTargetStreamer &>(TS);
417   }
418 
419   bool parseRegister(Register &Reg, bool RestoreOnFailure = false);
420 
421   bool parseIntegerRegister(Register &Reg, RegisterGroup Group);
422 
423   OperandMatchResultTy parseRegister(OperandVector &Operands,
424                                      RegisterKind Kind);
425 
426   OperandMatchResultTy parseAnyRegister(OperandVector &Operands);
427 
428   bool parseAddress(bool &HaveReg1, Register &Reg1, bool &HaveReg2,
429                     Register &Reg2, const MCExpr *&Disp, const MCExpr *&Length,
430                     bool HasLength = false, bool HasVectorIndex = false);
431   bool parseAddressRegister(Register &Reg);
432 
433   bool ParseDirectiveInsn(SMLoc L);
434   bool ParseDirectiveMachine(SMLoc L);
435   bool ParseGNUAttribute(SMLoc L);
436 
437   OperandMatchResultTy parseAddress(OperandVector &Operands,
438                                     MemoryKind MemKind,
439                                     RegisterKind RegKind);
440 
441   OperandMatchResultTy parsePCRel(OperandVector &Operands, int64_t MinVal,
442                                   int64_t MaxVal, bool AllowTLS);
443 
444   bool parseOperand(OperandVector &Operands, StringRef Mnemonic);
445 
446   // Both the hlasm and att variants still rely on the basic gnu asm
447   // format with respect to inputs, clobbers, outputs etc.
448   //
449   // However, calling the overriden getAssemblerDialect() method in
450   // AsmParser is problematic. It either returns the AssemblerDialect field
451   // in the MCAsmInfo instance if the AssemblerDialect field in AsmParser is
452   // unset, otherwise it returns the private AssemblerDialect field in
453   // AsmParser.
454   //
455   // The problematic part is because, we forcibly set the inline asm dialect
456   // in the AsmParser instance in AsmPrinterInlineAsm.cpp. Soo any query
457   // to the overriden getAssemblerDialect function in AsmParser.cpp, will
458   // not return the assembler dialect set in the respective MCAsmInfo instance.
459   //
460   // For this purpose, we explicitly query the SystemZMCAsmInfo instance
461   // here, to get the "correct" assembler dialect, and use it in various
462   // functions.
463   unsigned getMAIAssemblerDialect() {
464     return Parser.getContext().getAsmInfo()->getAssemblerDialect();
465   }
466 
467   // An alphabetic character in HLASM is a letter from 'A' through 'Z',
468   // or from 'a' through 'z', or '$', '_','#', or '@'.
469   inline bool isHLASMAlpha(char C) {
470     return isAlpha(C) || llvm::is_contained("_@#$", C);
471   }
472 
473   // A digit in HLASM is a number from 0 to 9.
474   inline bool isHLASMAlnum(char C) { return isHLASMAlpha(C) || isDigit(C); }
475 
476   // Are we parsing using the AD_HLASM dialect?
477   inline bool isParsingHLASM() { return getMAIAssemblerDialect() == AD_HLASM; }
478 
479   // Are we parsing using the AD_ATT dialect?
480   inline bool isParsingATT() { return getMAIAssemblerDialect() == AD_ATT; }
481 
482 public:
483   SystemZAsmParser(const MCSubtargetInfo &sti, MCAsmParser &parser,
484                    const MCInstrInfo &MII,
485                    const MCTargetOptions &Options)
486     : MCTargetAsmParser(Options, sti, MII), Parser(parser) {
487     MCAsmParserExtension::Initialize(Parser);
488 
489     // Alias the .word directive to .short.
490     parser.addAliasForDirective(".word", ".short");
491 
492     // Initialize the set of available features.
493     setAvailableFeatures(ComputeAvailableFeatures(getSTI().getFeatureBits()));
494   }
495 
496   // Override MCTargetAsmParser.
497   ParseStatus parseDirective(AsmToken DirectiveID) override;
498   bool parseRegister(MCRegister &RegNo, SMLoc &StartLoc,
499                      SMLoc &EndLoc) override;
500   bool ParseRegister(MCRegister &RegNo, SMLoc &StartLoc, SMLoc &EndLoc,
501                      bool RestoreOnFailure);
502   OperandMatchResultTy tryParseRegister(MCRegister &RegNo, SMLoc &StartLoc,
503                                         SMLoc &EndLoc) override;
504   bool ParseInstruction(ParseInstructionInfo &Info, StringRef Name,
505                         SMLoc NameLoc, OperandVector &Operands) override;
506   bool MatchAndEmitInstruction(SMLoc IDLoc, unsigned &Opcode,
507                                OperandVector &Operands, MCStreamer &Out,
508                                uint64_t &ErrorInfo,
509                                bool MatchingInlineAsm) override;
510   bool isLabel(AsmToken &Token) override;
511 
512   // Used by the TableGen code to parse particular operand types.
513   OperandMatchResultTy parseGR32(OperandVector &Operands) {
514     return parseRegister(Operands, GR32Reg);
515   }
516   OperandMatchResultTy parseGRH32(OperandVector &Operands) {
517     return parseRegister(Operands, GRH32Reg);
518   }
519   OperandMatchResultTy parseGRX32(OperandVector &Operands) {
520     llvm_unreachable("GRX32 should only be used for pseudo instructions");
521   }
522   OperandMatchResultTy parseGR64(OperandVector &Operands) {
523     return parseRegister(Operands, GR64Reg);
524   }
525   OperandMatchResultTy parseGR128(OperandVector &Operands) {
526     return parseRegister(Operands, GR128Reg);
527   }
528   OperandMatchResultTy parseADDR32(OperandVector &Operands) {
529     // For the AsmParser, we will accept %r0 for ADDR32 as well.
530     return parseRegister(Operands, GR32Reg);
531   }
532   OperandMatchResultTy parseADDR64(OperandVector &Operands) {
533     // For the AsmParser, we will accept %r0 for ADDR64 as well.
534     return parseRegister(Operands, GR64Reg);
535   }
536   OperandMatchResultTy parseADDR128(OperandVector &Operands) {
537     llvm_unreachable("Shouldn't be used as an operand");
538   }
539   OperandMatchResultTy parseFP32(OperandVector &Operands) {
540     return parseRegister(Operands, FP32Reg);
541   }
542   OperandMatchResultTy parseFP64(OperandVector &Operands) {
543     return parseRegister(Operands, FP64Reg);
544   }
545   OperandMatchResultTy parseFP128(OperandVector &Operands) {
546     return parseRegister(Operands, FP128Reg);
547   }
548   OperandMatchResultTy parseVR32(OperandVector &Operands) {
549     return parseRegister(Operands, VR32Reg);
550   }
551   OperandMatchResultTy parseVR64(OperandVector &Operands) {
552     return parseRegister(Operands, VR64Reg);
553   }
554   OperandMatchResultTy parseVF128(OperandVector &Operands) {
555     llvm_unreachable("Shouldn't be used as an operand");
556   }
557   OperandMatchResultTy parseVR128(OperandVector &Operands) {
558     return parseRegister(Operands, VR128Reg);
559   }
560   OperandMatchResultTy parseAR32(OperandVector &Operands) {
561     return parseRegister(Operands, AR32Reg);
562   }
563   OperandMatchResultTy parseCR64(OperandVector &Operands) {
564     return parseRegister(Operands, CR64Reg);
565   }
566   OperandMatchResultTy parseAnyReg(OperandVector &Operands) {
567     return parseAnyRegister(Operands);
568   }
569   OperandMatchResultTy parseBDAddr32(OperandVector &Operands) {
570     return parseAddress(Operands, BDMem, GR32Reg);
571   }
572   OperandMatchResultTy parseBDAddr64(OperandVector &Operands) {
573     return parseAddress(Operands, BDMem, GR64Reg);
574   }
575   OperandMatchResultTy parseBDXAddr64(OperandVector &Operands) {
576     return parseAddress(Operands, BDXMem, GR64Reg);
577   }
578   OperandMatchResultTy parseBDLAddr64(OperandVector &Operands) {
579     return parseAddress(Operands, BDLMem, GR64Reg);
580   }
581   OperandMatchResultTy parseBDRAddr64(OperandVector &Operands) {
582     return parseAddress(Operands, BDRMem, GR64Reg);
583   }
584   OperandMatchResultTy parseBDVAddr64(OperandVector &Operands) {
585     return parseAddress(Operands, BDVMem, GR64Reg);
586   }
587   OperandMatchResultTy parsePCRel12(OperandVector &Operands) {
588     return parsePCRel(Operands, -(1LL << 12), (1LL << 12) - 1, false);
589   }
590   OperandMatchResultTy parsePCRel16(OperandVector &Operands) {
591     return parsePCRel(Operands, -(1LL << 16), (1LL << 16) - 1, false);
592   }
593   OperandMatchResultTy parsePCRel24(OperandVector &Operands) {
594     return parsePCRel(Operands, -(1LL << 24), (1LL << 24) - 1, false);
595   }
596   OperandMatchResultTy parsePCRel32(OperandVector &Operands) {
597     return parsePCRel(Operands, -(1LL << 32), (1LL << 32) - 1, false);
598   }
599   OperandMatchResultTy parsePCRelTLS16(OperandVector &Operands) {
600     return parsePCRel(Operands, -(1LL << 16), (1LL << 16) - 1, true);
601   }
602   OperandMatchResultTy parsePCRelTLS32(OperandVector &Operands) {
603     return parsePCRel(Operands, -(1LL << 32), (1LL << 32) - 1, true);
604   }
605 };
606 
607 } // end anonymous namespace
608 
609 #define GET_REGISTER_MATCHER
610 #define GET_SUBTARGET_FEATURE_NAME
611 #define GET_MATCHER_IMPLEMENTATION
612 #define GET_MNEMONIC_SPELL_CHECKER
613 #include "SystemZGenAsmMatcher.inc"
614 
615 // Used for the .insn directives; contains information needed to parse the
616 // operands in the directive.
617 struct InsnMatchEntry {
618   StringRef Format;
619   uint64_t Opcode;
620   int32_t NumOperands;
621   MatchClassKind OperandKinds[7];
622 };
623 
624 // For equal_range comparison.
625 struct CompareInsn {
626   bool operator() (const InsnMatchEntry &LHS, StringRef RHS) {
627     return LHS.Format < RHS;
628   }
629   bool operator() (StringRef LHS, const InsnMatchEntry &RHS) {
630     return LHS < RHS.Format;
631   }
632   bool operator() (const InsnMatchEntry &LHS, const InsnMatchEntry &RHS) {
633     return LHS.Format < RHS.Format;
634   }
635 };
636 
637 // Table initializing information for parsing the .insn directive.
638 static struct InsnMatchEntry InsnMatchTable[] = {
639   /* Format, Opcode, NumOperands, OperandKinds */
640   { "e", SystemZ::InsnE, 1,
641     { MCK_U16Imm } },
642   { "ri", SystemZ::InsnRI, 3,
643     { MCK_U32Imm, MCK_AnyReg, MCK_S16Imm } },
644   { "rie", SystemZ::InsnRIE, 4,
645     { MCK_U48Imm, MCK_AnyReg, MCK_AnyReg, MCK_PCRel16 } },
646   { "ril", SystemZ::InsnRIL, 3,
647     { MCK_U48Imm, MCK_AnyReg, MCK_PCRel32 } },
648   { "rilu", SystemZ::InsnRILU, 3,
649     { MCK_U48Imm, MCK_AnyReg, MCK_U32Imm } },
650   { "ris", SystemZ::InsnRIS, 5,
651     { MCK_U48Imm, MCK_AnyReg, MCK_S8Imm, MCK_U4Imm, MCK_BDAddr64Disp12 } },
652   { "rr", SystemZ::InsnRR, 3,
653     { MCK_U16Imm, MCK_AnyReg, MCK_AnyReg } },
654   { "rre", SystemZ::InsnRRE, 3,
655     { MCK_U32Imm, MCK_AnyReg, MCK_AnyReg } },
656   { "rrf", SystemZ::InsnRRF, 5,
657     { MCK_U32Imm, MCK_AnyReg, MCK_AnyReg, MCK_AnyReg, MCK_U4Imm } },
658   { "rrs", SystemZ::InsnRRS, 5,
659     { MCK_U48Imm, MCK_AnyReg, MCK_AnyReg, MCK_U4Imm, MCK_BDAddr64Disp12 } },
660   { "rs", SystemZ::InsnRS, 4,
661     { MCK_U32Imm, MCK_AnyReg, MCK_AnyReg, MCK_BDAddr64Disp12 } },
662   { "rse", SystemZ::InsnRSE, 4,
663     { MCK_U48Imm, MCK_AnyReg, MCK_AnyReg, MCK_BDAddr64Disp12 } },
664   { "rsi", SystemZ::InsnRSI, 4,
665     { MCK_U48Imm, MCK_AnyReg, MCK_AnyReg, MCK_PCRel16 } },
666   { "rsy", SystemZ::InsnRSY, 4,
667     { MCK_U48Imm, MCK_AnyReg, MCK_AnyReg, MCK_BDAddr64Disp20 } },
668   { "rx", SystemZ::InsnRX, 3,
669     { MCK_U32Imm, MCK_AnyReg, MCK_BDXAddr64Disp12 } },
670   { "rxe", SystemZ::InsnRXE, 3,
671     { MCK_U48Imm, MCK_AnyReg, MCK_BDXAddr64Disp12 } },
672   { "rxf", SystemZ::InsnRXF, 4,
673     { MCK_U48Imm, MCK_AnyReg, MCK_AnyReg, MCK_BDXAddr64Disp12 } },
674   { "rxy", SystemZ::InsnRXY, 3,
675     { MCK_U48Imm, MCK_AnyReg, MCK_BDXAddr64Disp20 } },
676   { "s", SystemZ::InsnS, 2,
677     { MCK_U32Imm, MCK_BDAddr64Disp12 } },
678   { "si", SystemZ::InsnSI, 3,
679     { MCK_U32Imm, MCK_BDAddr64Disp12, MCK_S8Imm } },
680   { "sil", SystemZ::InsnSIL, 3,
681     { MCK_U48Imm, MCK_BDAddr64Disp12, MCK_U16Imm } },
682   { "siy", SystemZ::InsnSIY, 3,
683     { MCK_U48Imm, MCK_BDAddr64Disp20, MCK_U8Imm } },
684   { "ss", SystemZ::InsnSS, 4,
685     { MCK_U48Imm, MCK_BDXAddr64Disp12, MCK_BDAddr64Disp12, MCK_AnyReg } },
686   { "sse", SystemZ::InsnSSE, 3,
687     { MCK_U48Imm, MCK_BDAddr64Disp12, MCK_BDAddr64Disp12 } },
688   { "ssf", SystemZ::InsnSSF, 4,
689     { MCK_U48Imm, MCK_BDAddr64Disp12, MCK_BDAddr64Disp12, MCK_AnyReg } },
690   { "vri", SystemZ::InsnVRI, 6,
691     { MCK_U48Imm, MCK_VR128, MCK_VR128, MCK_U12Imm, MCK_U4Imm, MCK_U4Imm } },
692   { "vrr", SystemZ::InsnVRR, 7,
693     { MCK_U48Imm, MCK_VR128, MCK_VR128, MCK_VR128, MCK_U4Imm, MCK_U4Imm,
694       MCK_U4Imm } },
695   { "vrs", SystemZ::InsnVRS, 5,
696     { MCK_U48Imm, MCK_AnyReg, MCK_VR128, MCK_BDAddr64Disp12, MCK_U4Imm } },
697   { "vrv", SystemZ::InsnVRV, 4,
698     { MCK_U48Imm, MCK_VR128, MCK_BDVAddr64Disp12, MCK_U4Imm } },
699   { "vrx", SystemZ::InsnVRX, 4,
700     { MCK_U48Imm, MCK_VR128, MCK_BDXAddr64Disp12, MCK_U4Imm } },
701   { "vsi", SystemZ::InsnVSI, 4,
702     { MCK_U48Imm, MCK_VR128, MCK_BDAddr64Disp12, MCK_U8Imm } }
703 };
704 
705 static void printMCExpr(const MCExpr *E, raw_ostream &OS) {
706   if (!E)
707     return;
708   if (auto *CE = dyn_cast<MCConstantExpr>(E))
709     OS << *CE;
710   else if (auto *UE = dyn_cast<MCUnaryExpr>(E))
711     OS << *UE;
712   else if (auto *BE = dyn_cast<MCBinaryExpr>(E))
713     OS << *BE;
714   else if (auto *SRE = dyn_cast<MCSymbolRefExpr>(E))
715     OS << *SRE;
716   else
717     OS << *E;
718 }
719 
720 void SystemZOperand::print(raw_ostream &OS) const {
721   switch (Kind) {
722   case KindToken:
723     OS << "Token:" << getToken();
724     break;
725   case KindReg:
726     OS << "Reg:" << SystemZInstPrinter::getRegisterName(getReg());
727     break;
728   case KindImm:
729     OS << "Imm:";
730     printMCExpr(getImm(), OS);
731     break;
732   case KindImmTLS:
733     OS << "ImmTLS:";
734     printMCExpr(getImmTLS().Imm, OS);
735     if (getImmTLS().Sym) {
736       OS << ", ";
737       printMCExpr(getImmTLS().Sym, OS);
738     }
739     break;
740   case KindMem: {
741     const MemOp &Op = getMem();
742     OS << "Mem:" << *cast<MCConstantExpr>(Op.Disp);
743     if (Op.Base) {
744       OS << "(";
745       if (Op.MemKind == BDLMem)
746         OS << *cast<MCConstantExpr>(Op.Length.Imm) << ",";
747       else if (Op.MemKind == BDRMem)
748         OS << SystemZInstPrinter::getRegisterName(Op.Length.Reg) << ",";
749       if (Op.Index)
750         OS << SystemZInstPrinter::getRegisterName(Op.Index) << ",";
751       OS << SystemZInstPrinter::getRegisterName(Op.Base);
752       OS << ")";
753     }
754     break;
755   }
756   case KindInvalid:
757     break;
758   }
759 }
760 
761 // Parse one register of the form %<prefix><number>.
762 bool SystemZAsmParser::parseRegister(Register &Reg, bool RestoreOnFailure) {
763   Reg.StartLoc = Parser.getTok().getLoc();
764 
765   // Eat the % prefix.
766   if (Parser.getTok().isNot(AsmToken::Percent))
767     return Error(Parser.getTok().getLoc(), "register expected");
768   const AsmToken &PercentTok = Parser.getTok();
769   Parser.Lex();
770 
771   // Expect a register name.
772   if (Parser.getTok().isNot(AsmToken::Identifier)) {
773     if (RestoreOnFailure)
774       getLexer().UnLex(PercentTok);
775     return Error(Reg.StartLoc, "invalid register");
776   }
777 
778   // Check that there's a prefix.
779   StringRef Name = Parser.getTok().getString();
780   if (Name.size() < 2) {
781     if (RestoreOnFailure)
782       getLexer().UnLex(PercentTok);
783     return Error(Reg.StartLoc, "invalid register");
784   }
785   char Prefix = Name[0];
786 
787   // Treat the rest of the register name as a register number.
788   if (Name.substr(1).getAsInteger(10, Reg.Num)) {
789     if (RestoreOnFailure)
790       getLexer().UnLex(PercentTok);
791     return Error(Reg.StartLoc, "invalid register");
792   }
793 
794   // Look for valid combinations of prefix and number.
795   if (Prefix == 'r' && Reg.Num < 16)
796     Reg.Group = RegGR;
797   else if (Prefix == 'f' && Reg.Num < 16)
798     Reg.Group = RegFP;
799   else if (Prefix == 'v' && Reg.Num < 32)
800     Reg.Group = RegV;
801   else if (Prefix == 'a' && Reg.Num < 16)
802     Reg.Group = RegAR;
803   else if (Prefix == 'c' && Reg.Num < 16)
804     Reg.Group = RegCR;
805   else {
806     if (RestoreOnFailure)
807       getLexer().UnLex(PercentTok);
808     return Error(Reg.StartLoc, "invalid register");
809   }
810 
811   Reg.EndLoc = Parser.getTok().getLoc();
812   Parser.Lex();
813   return false;
814 }
815 
816 // Parse a register of kind Kind and add it to Operands.
817 OperandMatchResultTy
818 SystemZAsmParser::parseRegister(OperandVector &Operands, RegisterKind Kind) {
819   Register Reg;
820   RegisterGroup Group;
821   switch (Kind) {
822   case GR32Reg:
823   case GRH32Reg:
824   case GR64Reg:
825   case GR128Reg:
826     Group = RegGR;
827     break;
828   case FP32Reg:
829   case FP64Reg:
830   case FP128Reg:
831     Group = RegFP;
832     break;
833   case VR32Reg:
834   case VR64Reg:
835   case VR128Reg:
836     Group = RegV;
837     break;
838   case AR32Reg:
839     Group = RegAR;
840     break;
841   case CR64Reg:
842     Group = RegCR;
843     break;
844   }
845 
846   // Handle register names of the form %<prefix><number>
847   if (isParsingATT() && Parser.getTok().is(AsmToken::Percent)) {
848     if (parseRegister(Reg))
849       return MatchOperand_ParseFail;
850 
851     // Check the parsed register group "Reg.Group" with the expected "Group"
852     // Have to error out if user specified wrong prefix.
853     switch (Group) {
854     case RegGR:
855     case RegFP:
856     case RegAR:
857     case RegCR:
858       if (Group != Reg.Group) {
859         Error(Reg.StartLoc, "invalid operand for instruction");
860         return MatchOperand_ParseFail;
861       }
862       break;
863     case RegV:
864       if (Reg.Group != RegV && Reg.Group != RegFP) {
865         Error(Reg.StartLoc, "invalid operand for instruction");
866         return MatchOperand_ParseFail;
867       }
868       break;
869     }
870   } else if (Parser.getTok().is(AsmToken::Integer)) {
871     if (parseIntegerRegister(Reg, Group))
872       return MatchOperand_ParseFail;
873   }
874   // Otherwise we didn't match a register operand.
875   else
876     return MatchOperand_NoMatch;
877 
878   // Determine the LLVM register number according to Kind.
879   const unsigned *Regs;
880   switch (Kind) {
881   case GR32Reg:  Regs = SystemZMC::GR32Regs;  break;
882   case GRH32Reg: Regs = SystemZMC::GRH32Regs; break;
883   case GR64Reg:  Regs = SystemZMC::GR64Regs;  break;
884   case GR128Reg: Regs = SystemZMC::GR128Regs; break;
885   case FP32Reg:  Regs = SystemZMC::FP32Regs;  break;
886   case FP64Reg:  Regs = SystemZMC::FP64Regs;  break;
887   case FP128Reg: Regs = SystemZMC::FP128Regs; break;
888   case VR32Reg:  Regs = SystemZMC::VR32Regs;  break;
889   case VR64Reg:  Regs = SystemZMC::VR64Regs;  break;
890   case VR128Reg: Regs = SystemZMC::VR128Regs; break;
891   case AR32Reg:  Regs = SystemZMC::AR32Regs;  break;
892   case CR64Reg:  Regs = SystemZMC::CR64Regs;  break;
893   }
894   if (Regs[Reg.Num] == 0) {
895     Error(Reg.StartLoc, "invalid register pair");
896     return MatchOperand_ParseFail;
897   }
898 
899   Operands.push_back(
900       SystemZOperand::createReg(Kind, Regs[Reg.Num], Reg.StartLoc, Reg.EndLoc));
901   return MatchOperand_Success;
902 }
903 
904 // Parse any type of register (including integers) and add it to Operands.
905 OperandMatchResultTy
906 SystemZAsmParser::parseAnyRegister(OperandVector &Operands) {
907   SMLoc StartLoc = Parser.getTok().getLoc();
908 
909   // Handle integer values.
910   if (Parser.getTok().is(AsmToken::Integer)) {
911     const MCExpr *Register;
912     if (Parser.parseExpression(Register))
913       return MatchOperand_ParseFail;
914 
915     if (auto *CE = dyn_cast<MCConstantExpr>(Register)) {
916       int64_t Value = CE->getValue();
917       if (Value < 0 || Value > 15) {
918         Error(StartLoc, "invalid register");
919         return MatchOperand_ParseFail;
920       }
921     }
922 
923     SMLoc EndLoc =
924       SMLoc::getFromPointer(Parser.getTok().getLoc().getPointer() - 1);
925 
926     Operands.push_back(SystemZOperand::createImm(Register, StartLoc, EndLoc));
927   }
928   else {
929     if (isParsingHLASM())
930       return MatchOperand_NoMatch;
931 
932     Register Reg;
933     if (parseRegister(Reg))
934       return MatchOperand_ParseFail;
935 
936     if (Reg.Num > 15) {
937       Error(StartLoc, "invalid register");
938       return MatchOperand_ParseFail;
939     }
940 
941     // Map to the correct register kind.
942     RegisterKind Kind;
943     unsigned RegNo;
944     if (Reg.Group == RegGR) {
945       Kind = GR64Reg;
946       RegNo = SystemZMC::GR64Regs[Reg.Num];
947     }
948     else if (Reg.Group == RegFP) {
949       Kind = FP64Reg;
950       RegNo = SystemZMC::FP64Regs[Reg.Num];
951     }
952     else if (Reg.Group == RegV) {
953       Kind = VR128Reg;
954       RegNo = SystemZMC::VR128Regs[Reg.Num];
955     }
956     else if (Reg.Group == RegAR) {
957       Kind = AR32Reg;
958       RegNo = SystemZMC::AR32Regs[Reg.Num];
959     }
960     else if (Reg.Group == RegCR) {
961       Kind = CR64Reg;
962       RegNo = SystemZMC::CR64Regs[Reg.Num];
963     }
964     else {
965       return MatchOperand_ParseFail;
966     }
967 
968     Operands.push_back(SystemZOperand::createReg(Kind, RegNo,
969                                                  Reg.StartLoc, Reg.EndLoc));
970   }
971   return MatchOperand_Success;
972 }
973 
974 bool SystemZAsmParser::parseIntegerRegister(Register &Reg,
975                                             RegisterGroup Group) {
976   Reg.StartLoc = Parser.getTok().getLoc();
977   // We have an integer token
978   const MCExpr *Register;
979   if (Parser.parseExpression(Register))
980     return true;
981 
982   const auto *CE = dyn_cast<MCConstantExpr>(Register);
983   if (!CE)
984     return true;
985 
986   int64_t MaxRegNum = (Group == RegV) ? 31 : 15;
987   int64_t Value = CE->getValue();
988   if (Value < 0 || Value > MaxRegNum) {
989     Error(Parser.getTok().getLoc(), "invalid register");
990     return true;
991   }
992 
993   // Assign the Register Number
994   Reg.Num = (unsigned)Value;
995   Reg.Group = Group;
996   Reg.EndLoc = SMLoc::getFromPointer(Parser.getTok().getLoc().getPointer() - 1);
997 
998   // At this point, successfully parsed an integer register.
999   return false;
1000 }
1001 
1002 // Parse a memory operand into Reg1, Reg2, Disp, and Length.
1003 bool SystemZAsmParser::parseAddress(bool &HaveReg1, Register &Reg1,
1004                                     bool &HaveReg2, Register &Reg2,
1005                                     const MCExpr *&Disp, const MCExpr *&Length,
1006                                     bool HasLength, bool HasVectorIndex) {
1007   // Parse the displacement, which must always be present.
1008   if (getParser().parseExpression(Disp))
1009     return true;
1010 
1011   // Parse the optional base and index.
1012   HaveReg1 = false;
1013   HaveReg2 = false;
1014   Length = nullptr;
1015 
1016   // If we have a scenario as below:
1017   //   vgef %v0, 0(0), 0
1018   // This is an example of a "BDVMem" instruction type.
1019   //
1020   // So when we parse this as an integer register, the register group
1021   // needs to be tied to "RegV". Usually when the prefix is passed in
1022   // as %<prefix><reg-number> its easy to check which group it should belong to
1023   // However, if we're passing in just the integer there's no real way to
1024   // "check" what register group it should belong to.
1025   //
1026   // When the user passes in the register as an integer, the user assumes that
1027   // the compiler is responsible for substituting it as the right kind of
1028   // register. Whereas, when the user specifies a "prefix", the onus is on
1029   // the user to make sure they pass in the right kind of register.
1030   //
1031   // The restriction only applies to the first Register (i.e. Reg1). Reg2 is
1032   // always a general register. Reg1 should be of group RegV if "HasVectorIndex"
1033   // (i.e. insn is of type BDVMem) is true.
1034   RegisterGroup RegGroup = HasVectorIndex ? RegV : RegGR;
1035 
1036   if (getLexer().is(AsmToken::LParen)) {
1037     Parser.Lex();
1038 
1039     if (isParsingATT() && getLexer().is(AsmToken::Percent)) {
1040       // Parse the first register.
1041       HaveReg1 = true;
1042       if (parseRegister(Reg1))
1043         return true;
1044     }
1045     // So if we have an integer as the first token in ([tok1], ..), it could:
1046     // 1. Refer to a "Register" (i.e X,R,V fields in BD[X|R|V]Mem type of
1047     // instructions)
1048     // 2. Refer to a "Length" field (i.e L field in BDLMem type of instructions)
1049     else if (getLexer().is(AsmToken::Integer)) {
1050       if (HasLength) {
1051         // Instruction has a "Length" field, safe to parse the first token as
1052         // the "Length" field
1053         if (getParser().parseExpression(Length))
1054           return true;
1055       } else {
1056         // Otherwise, if the instruction has no "Length" field, parse the
1057         // token as a "Register". We don't have to worry about whether the
1058         // instruction is invalid here, because the caller will take care of
1059         // error reporting.
1060         HaveReg1 = true;
1061         if (parseIntegerRegister(Reg1, RegGroup))
1062           return true;
1063       }
1064     } else {
1065       // If its not an integer or a percent token, then if the instruction
1066       // is reported to have a "Length" then, parse it as "Length".
1067       if (HasLength) {
1068         if (getParser().parseExpression(Length))
1069           return true;
1070       }
1071     }
1072 
1073     // Check whether there's a second register.
1074     if (getLexer().is(AsmToken::Comma)) {
1075       Parser.Lex();
1076       HaveReg2 = true;
1077 
1078       if (getLexer().is(AsmToken::Integer)) {
1079         if (parseIntegerRegister(Reg2, RegGR))
1080           return true;
1081       } else {
1082         if (isParsingATT() && parseRegister(Reg2))
1083           return true;
1084       }
1085     }
1086 
1087     // Consume the closing bracket.
1088     if (getLexer().isNot(AsmToken::RParen))
1089       return Error(Parser.getTok().getLoc(), "unexpected token in address");
1090     Parser.Lex();
1091   }
1092   return false;
1093 }
1094 
1095 // Verify that Reg is a valid address register (base or index).
1096 bool
1097 SystemZAsmParser::parseAddressRegister(Register &Reg) {
1098   if (Reg.Group == RegV) {
1099     Error(Reg.StartLoc, "invalid use of vector addressing");
1100     return true;
1101   } else if (Reg.Group != RegGR) {
1102     Error(Reg.StartLoc, "invalid address register");
1103     return true;
1104   }
1105   return false;
1106 }
1107 
1108 // Parse a memory operand and add it to Operands.  The other arguments
1109 // are as above.
1110 OperandMatchResultTy
1111 SystemZAsmParser::parseAddress(OperandVector &Operands, MemoryKind MemKind,
1112                                RegisterKind RegKind) {
1113   SMLoc StartLoc = Parser.getTok().getLoc();
1114   unsigned Base = 0, Index = 0, LengthReg = 0;
1115   Register Reg1, Reg2;
1116   bool HaveReg1, HaveReg2;
1117   const MCExpr *Disp;
1118   const MCExpr *Length;
1119 
1120   bool HasLength = (MemKind == BDLMem) ? true : false;
1121   bool HasVectorIndex = (MemKind == BDVMem) ? true : false;
1122   if (parseAddress(HaveReg1, Reg1, HaveReg2, Reg2, Disp, Length, HasLength,
1123                    HasVectorIndex))
1124     return MatchOperand_ParseFail;
1125 
1126   const unsigned *Regs;
1127   switch (RegKind) {
1128   case GR32Reg: Regs = SystemZMC::GR32Regs; break;
1129   case GR64Reg: Regs = SystemZMC::GR64Regs; break;
1130   default: llvm_unreachable("invalid RegKind");
1131   }
1132 
1133   switch (MemKind) {
1134   case BDMem:
1135     // If we have Reg1, it must be an address register.
1136     if (HaveReg1) {
1137       if (parseAddressRegister(Reg1))
1138         return MatchOperand_ParseFail;
1139       Base = Regs[Reg1.Num];
1140     }
1141     // There must be no Reg2.
1142     if (HaveReg2) {
1143       Error(StartLoc, "invalid use of indexed addressing");
1144       return MatchOperand_ParseFail;
1145     }
1146     break;
1147   case BDXMem:
1148     // If we have Reg1, it must be an address register.
1149     if (HaveReg1) {
1150       if (parseAddressRegister(Reg1))
1151         return MatchOperand_ParseFail;
1152       // If the are two registers, the first one is the index and the
1153       // second is the base.
1154       if (HaveReg2)
1155         Index = Regs[Reg1.Num];
1156       else
1157         Base = Regs[Reg1.Num];
1158     }
1159     // If we have Reg2, it must be an address register.
1160     if (HaveReg2) {
1161       if (parseAddressRegister(Reg2))
1162         return MatchOperand_ParseFail;
1163       Base = Regs[Reg2.Num];
1164     }
1165     break;
1166   case BDLMem:
1167     // If we have Reg2, it must be an address register.
1168     if (HaveReg2) {
1169       if (parseAddressRegister(Reg2))
1170         return MatchOperand_ParseFail;
1171       Base = Regs[Reg2.Num];
1172     }
1173     // We cannot support base+index addressing.
1174     if (HaveReg1 && HaveReg2) {
1175       Error(StartLoc, "invalid use of indexed addressing");
1176       return MatchOperand_ParseFail;
1177     }
1178     // We must have a length.
1179     if (!Length) {
1180       Error(StartLoc, "missing length in address");
1181       return MatchOperand_ParseFail;
1182     }
1183     break;
1184   case BDRMem:
1185     // We must have Reg1, and it must be a GPR.
1186     if (!HaveReg1 || Reg1.Group != RegGR) {
1187       Error(StartLoc, "invalid operand for instruction");
1188       return MatchOperand_ParseFail;
1189     }
1190     LengthReg = SystemZMC::GR64Regs[Reg1.Num];
1191     // If we have Reg2, it must be an address register.
1192     if (HaveReg2) {
1193       if (parseAddressRegister(Reg2))
1194         return MatchOperand_ParseFail;
1195       Base = Regs[Reg2.Num];
1196     }
1197     break;
1198   case BDVMem:
1199     // We must have Reg1, and it must be a vector register.
1200     if (!HaveReg1 || Reg1.Group != RegV) {
1201       Error(StartLoc, "vector index required in address");
1202       return MatchOperand_ParseFail;
1203     }
1204     Index = SystemZMC::VR128Regs[Reg1.Num];
1205     // If we have Reg2, it must be an address register.
1206     if (HaveReg2) {
1207       if (parseAddressRegister(Reg2))
1208         return MatchOperand_ParseFail;
1209       Base = Regs[Reg2.Num];
1210     }
1211     break;
1212   }
1213 
1214   SMLoc EndLoc =
1215       SMLoc::getFromPointer(Parser.getTok().getLoc().getPointer() - 1);
1216   Operands.push_back(SystemZOperand::createMem(MemKind, RegKind, Base, Disp,
1217                                                Index, Length, LengthReg,
1218                                                StartLoc, EndLoc));
1219   return MatchOperand_Success;
1220 }
1221 
1222 ParseStatus SystemZAsmParser::parseDirective(AsmToken DirectiveID) {
1223   StringRef IDVal = DirectiveID.getIdentifier();
1224 
1225   if (IDVal == ".insn")
1226     return ParseDirectiveInsn(DirectiveID.getLoc());
1227   if (IDVal == ".machine")
1228     return ParseDirectiveMachine(DirectiveID.getLoc());
1229   if (IDVal.startswith(".gnu_attribute"))
1230     return ParseGNUAttribute(DirectiveID.getLoc());
1231 
1232   return ParseStatus::NoMatch;
1233 }
1234 
1235 /// ParseDirectiveInsn
1236 /// ::= .insn [ format, encoding, (operands (, operands)*) ]
1237 bool SystemZAsmParser::ParseDirectiveInsn(SMLoc L) {
1238   MCAsmParser &Parser = getParser();
1239 
1240   // Expect instruction format as identifier.
1241   StringRef Format;
1242   SMLoc ErrorLoc = Parser.getTok().getLoc();
1243   if (Parser.parseIdentifier(Format))
1244     return Error(ErrorLoc, "expected instruction format");
1245 
1246   SmallVector<std::unique_ptr<MCParsedAsmOperand>, 8> Operands;
1247 
1248   // Find entry for this format in InsnMatchTable.
1249   auto EntryRange =
1250     std::equal_range(std::begin(InsnMatchTable), std::end(InsnMatchTable),
1251                      Format, CompareInsn());
1252 
1253   // If first == second, couldn't find a match in the table.
1254   if (EntryRange.first == EntryRange.second)
1255     return Error(ErrorLoc, "unrecognized format");
1256 
1257   struct InsnMatchEntry *Entry = EntryRange.first;
1258 
1259   // Format should match from equal_range.
1260   assert(Entry->Format == Format);
1261 
1262   // Parse the following operands using the table's information.
1263   for (int i = 0; i < Entry->NumOperands; i++) {
1264     MatchClassKind Kind = Entry->OperandKinds[i];
1265 
1266     SMLoc StartLoc = Parser.getTok().getLoc();
1267 
1268     // Always expect commas as separators for operands.
1269     if (getLexer().isNot(AsmToken::Comma))
1270       return Error(StartLoc, "unexpected token in directive");
1271     Lex();
1272 
1273     // Parse operands.
1274     OperandMatchResultTy ResTy;
1275     if (Kind == MCK_AnyReg)
1276       ResTy = parseAnyReg(Operands);
1277     else if (Kind == MCK_VR128)
1278       ResTy = parseVR128(Operands);
1279     else if (Kind == MCK_BDXAddr64Disp12 || Kind == MCK_BDXAddr64Disp20)
1280       ResTy = parseBDXAddr64(Operands);
1281     else if (Kind == MCK_BDAddr64Disp12 || Kind == MCK_BDAddr64Disp20)
1282       ResTy = parseBDAddr64(Operands);
1283     else if (Kind == MCK_BDVAddr64Disp12)
1284       ResTy = parseBDVAddr64(Operands);
1285     else if (Kind == MCK_PCRel32)
1286       ResTy = parsePCRel32(Operands);
1287     else if (Kind == MCK_PCRel16)
1288       ResTy = parsePCRel16(Operands);
1289     else {
1290       // Only remaining operand kind is an immediate.
1291       const MCExpr *Expr;
1292       SMLoc StartLoc = Parser.getTok().getLoc();
1293 
1294       // Expect immediate expression.
1295       if (Parser.parseExpression(Expr))
1296         return Error(StartLoc, "unexpected token in directive");
1297 
1298       SMLoc EndLoc =
1299         SMLoc::getFromPointer(Parser.getTok().getLoc().getPointer() - 1);
1300 
1301       Operands.push_back(SystemZOperand::createImm(Expr, StartLoc, EndLoc));
1302       ResTy = MatchOperand_Success;
1303     }
1304 
1305     if (ResTy != MatchOperand_Success)
1306       return true;
1307   }
1308 
1309   // Build the instruction with the parsed operands.
1310   MCInst Inst = MCInstBuilder(Entry->Opcode);
1311 
1312   for (size_t i = 0; i < Operands.size(); i++) {
1313     MCParsedAsmOperand &Operand = *Operands[i];
1314     MatchClassKind Kind = Entry->OperandKinds[i];
1315 
1316     // Verify operand.
1317     unsigned Res = validateOperandClass(Operand, Kind);
1318     if (Res != Match_Success)
1319       return Error(Operand.getStartLoc(), "unexpected operand type");
1320 
1321     // Add operands to instruction.
1322     SystemZOperand &ZOperand = static_cast<SystemZOperand &>(Operand);
1323     if (ZOperand.isReg())
1324       ZOperand.addRegOperands(Inst, 1);
1325     else if (ZOperand.isMem(BDMem))
1326       ZOperand.addBDAddrOperands(Inst, 2);
1327     else if (ZOperand.isMem(BDXMem))
1328       ZOperand.addBDXAddrOperands(Inst, 3);
1329     else if (ZOperand.isMem(BDVMem))
1330       ZOperand.addBDVAddrOperands(Inst, 3);
1331     else if (ZOperand.isImm())
1332       ZOperand.addImmOperands(Inst, 1);
1333     else
1334       llvm_unreachable("unexpected operand type");
1335   }
1336 
1337   // Emit as a regular instruction.
1338   Parser.getStreamer().emitInstruction(Inst, getSTI());
1339 
1340   return false;
1341 }
1342 
1343 /// ParseDirectiveMachine
1344 /// ::= .machine [ mcpu ]
1345 bool SystemZAsmParser::ParseDirectiveMachine(SMLoc L) {
1346   MCAsmParser &Parser = getParser();
1347   if (Parser.getTok().isNot(AsmToken::Identifier) &&
1348       Parser.getTok().isNot(AsmToken::String))
1349     return TokError("unexpected token in '.machine' directive");
1350 
1351   StringRef CPU = Parser.getTok().getIdentifier();
1352   Parser.Lex();
1353   if (parseEOL())
1354     return true;
1355 
1356   MCSubtargetInfo &STI = copySTI();
1357   STI.setDefaultFeatures(CPU, /*TuneCPU*/ CPU, "");
1358   setAvailableFeatures(ComputeAvailableFeatures(STI.getFeatureBits()));
1359 
1360   getTargetStreamer().emitMachine(CPU);
1361 
1362   return false;
1363 }
1364 
1365 bool SystemZAsmParser::ParseGNUAttribute(SMLoc L) {
1366   int64_t Tag;
1367   int64_t IntegerValue;
1368   if (!Parser.parseGNUAttribute(L, Tag, IntegerValue))
1369     return Error(L, "malformed .gnu_attribute directive");
1370 
1371   // Tag_GNU_S390_ABI_Vector tag is '8' and can be 0, 1, or 2.
1372   if (Tag != 8 || (IntegerValue < 0 || IntegerValue > 2))
1373     return Error(L, "unrecognized .gnu_attribute tag/value pair.");
1374 
1375   Parser.getStreamer().emitGNUAttribute(Tag, IntegerValue);
1376 
1377   return parseEOL();
1378 }
1379 
1380 bool SystemZAsmParser::ParseRegister(MCRegister &RegNo, SMLoc &StartLoc,
1381                                      SMLoc &EndLoc, bool RestoreOnFailure) {
1382   Register Reg;
1383   if (parseRegister(Reg, RestoreOnFailure))
1384     return true;
1385   if (Reg.Group == RegGR)
1386     RegNo = SystemZMC::GR64Regs[Reg.Num];
1387   else if (Reg.Group == RegFP)
1388     RegNo = SystemZMC::FP64Regs[Reg.Num];
1389   else if (Reg.Group == RegV)
1390     RegNo = SystemZMC::VR128Regs[Reg.Num];
1391   else if (Reg.Group == RegAR)
1392     RegNo = SystemZMC::AR32Regs[Reg.Num];
1393   else if (Reg.Group == RegCR)
1394     RegNo = SystemZMC::CR64Regs[Reg.Num];
1395   StartLoc = Reg.StartLoc;
1396   EndLoc = Reg.EndLoc;
1397   return false;
1398 }
1399 
1400 bool SystemZAsmParser::parseRegister(MCRegister &RegNo, SMLoc &StartLoc,
1401                                      SMLoc &EndLoc) {
1402   return ParseRegister(RegNo, StartLoc, EndLoc, /*RestoreOnFailure=*/false);
1403 }
1404 
1405 OperandMatchResultTy SystemZAsmParser::tryParseRegister(MCRegister &RegNo,
1406                                                         SMLoc &StartLoc,
1407                                                         SMLoc &EndLoc) {
1408   bool Result =
1409       ParseRegister(RegNo, StartLoc, EndLoc, /*RestoreOnFailure=*/true);
1410   bool PendingErrors = getParser().hasPendingError();
1411   getParser().clearPendingErrors();
1412   if (PendingErrors)
1413     return MatchOperand_ParseFail;
1414   if (Result)
1415     return MatchOperand_NoMatch;
1416   return MatchOperand_Success;
1417 }
1418 
1419 bool SystemZAsmParser::ParseInstruction(ParseInstructionInfo &Info,
1420                                         StringRef Name, SMLoc NameLoc,
1421                                         OperandVector &Operands) {
1422 
1423   // Apply mnemonic aliases first, before doing anything else, in
1424   // case the target uses it.
1425   applyMnemonicAliases(Name, getAvailableFeatures(), getMAIAssemblerDialect());
1426 
1427   Operands.push_back(SystemZOperand::createToken(Name, NameLoc));
1428 
1429   // Read the remaining operands.
1430   if (getLexer().isNot(AsmToken::EndOfStatement)) {
1431     // Read the first operand.
1432     if (parseOperand(Operands, Name)) {
1433       return true;
1434     }
1435 
1436     // Read any subsequent operands.
1437     while (getLexer().is(AsmToken::Comma)) {
1438       Parser.Lex();
1439 
1440       if (isParsingHLASM() && getLexer().is(AsmToken::Space))
1441         return Error(
1442             Parser.getTok().getLoc(),
1443             "No space allowed between comma that separates operand entries");
1444 
1445       if (parseOperand(Operands, Name)) {
1446         return true;
1447       }
1448     }
1449 
1450     // Under the HLASM variant, we could have the remark field
1451     // The remark field occurs after the operation entries
1452     // There is a space that separates the operation entries and the
1453     // remark field.
1454     if (isParsingHLASM() && getTok().is(AsmToken::Space)) {
1455       // We've confirmed that there is a Remark field.
1456       StringRef Remark(getLexer().LexUntilEndOfStatement());
1457       Parser.Lex();
1458 
1459       // If there is nothing after the space, then there is nothing to emit
1460       // We could have a situation as this:
1461       // "  \n"
1462       // After lexing above, we will have
1463       // "\n"
1464       // This isn't an explicit remark field, so we don't have to output
1465       // this as a comment.
1466       if (Remark.size())
1467         // Output the entire Remarks Field as a comment
1468         getStreamer().AddComment(Remark);
1469     }
1470 
1471     if (getLexer().isNot(AsmToken::EndOfStatement)) {
1472       SMLoc Loc = getLexer().getLoc();
1473       return Error(Loc, "unexpected token in argument list");
1474     }
1475   }
1476 
1477   // Consume the EndOfStatement.
1478   Parser.Lex();
1479   return false;
1480 }
1481 
1482 bool SystemZAsmParser::parseOperand(OperandVector &Operands,
1483                                     StringRef Mnemonic) {
1484   // Check if the current operand has a custom associated parser, if so, try to
1485   // custom parse the operand, or fallback to the general approach.  Force all
1486   // features to be available during the operand check, or else we will fail to
1487   // find the custom parser, and then we will later get an InvalidOperand error
1488   // instead of a MissingFeature errror.
1489   FeatureBitset AvailableFeatures = getAvailableFeatures();
1490   FeatureBitset All;
1491   All.set();
1492   setAvailableFeatures(All);
1493   OperandMatchResultTy ResTy = MatchOperandParserImpl(Operands, Mnemonic);
1494   setAvailableFeatures(AvailableFeatures);
1495   if (ResTy == MatchOperand_Success)
1496     return false;
1497 
1498   // If there wasn't a custom match, try the generic matcher below. Otherwise,
1499   // there was a match, but an error occurred, in which case, just return that
1500   // the operand parsing failed.
1501   if (ResTy == MatchOperand_ParseFail)
1502     return true;
1503 
1504   // Check for a register.  All real register operands should have used
1505   // a context-dependent parse routine, which gives the required register
1506   // class.  The code is here to mop up other cases, like those where
1507   // the instruction isn't recognized.
1508   if (isParsingATT() && Parser.getTok().is(AsmToken::Percent)) {
1509     Register Reg;
1510     if (parseRegister(Reg))
1511       return true;
1512     Operands.push_back(SystemZOperand::createInvalid(Reg.StartLoc, Reg.EndLoc));
1513     return false;
1514   }
1515 
1516   // The only other type of operand is an immediate or address.  As above,
1517   // real address operands should have used a context-dependent parse routine,
1518   // so we treat any plain expression as an immediate.
1519   SMLoc StartLoc = Parser.getTok().getLoc();
1520   Register Reg1, Reg2;
1521   bool HaveReg1, HaveReg2;
1522   const MCExpr *Expr;
1523   const MCExpr *Length;
1524   if (parseAddress(HaveReg1, Reg1, HaveReg2, Reg2, Expr, Length,
1525                    /*HasLength*/ true, /*HasVectorIndex*/ true))
1526     return true;
1527   // If the register combination is not valid for any instruction, reject it.
1528   // Otherwise, fall back to reporting an unrecognized instruction.
1529   if (HaveReg1 && Reg1.Group != RegGR && Reg1.Group != RegV
1530       && parseAddressRegister(Reg1))
1531     return true;
1532   if (HaveReg2 && parseAddressRegister(Reg2))
1533     return true;
1534 
1535   SMLoc EndLoc =
1536     SMLoc::getFromPointer(Parser.getTok().getLoc().getPointer() - 1);
1537   if (HaveReg1 || HaveReg2 || Length)
1538     Operands.push_back(SystemZOperand::createInvalid(StartLoc, EndLoc));
1539   else
1540     Operands.push_back(SystemZOperand::createImm(Expr, StartLoc, EndLoc));
1541   return false;
1542 }
1543 
1544 bool SystemZAsmParser::MatchAndEmitInstruction(SMLoc IDLoc, unsigned &Opcode,
1545                                                OperandVector &Operands,
1546                                                MCStreamer &Out,
1547                                                uint64_t &ErrorInfo,
1548                                                bool MatchingInlineAsm) {
1549   MCInst Inst;
1550   unsigned MatchResult;
1551 
1552   unsigned Dialect = getMAIAssemblerDialect();
1553 
1554   FeatureBitset MissingFeatures;
1555   MatchResult = MatchInstructionImpl(Operands, Inst, ErrorInfo, MissingFeatures,
1556                                      MatchingInlineAsm, Dialect);
1557   switch (MatchResult) {
1558   case Match_Success:
1559     Inst.setLoc(IDLoc);
1560     Out.emitInstruction(Inst, getSTI());
1561     return false;
1562 
1563   case Match_MissingFeature: {
1564     assert(MissingFeatures.any() && "Unknown missing feature!");
1565     // Special case the error message for the very common case where only
1566     // a single subtarget feature is missing
1567     std::string Msg = "instruction requires:";
1568     for (unsigned I = 0, E = MissingFeatures.size(); I != E; ++I) {
1569       if (MissingFeatures[I]) {
1570         Msg += " ";
1571         Msg += getSubtargetFeatureName(I);
1572       }
1573     }
1574     return Error(IDLoc, Msg);
1575   }
1576 
1577   case Match_InvalidOperand: {
1578     SMLoc ErrorLoc = IDLoc;
1579     if (ErrorInfo != ~0ULL) {
1580       if (ErrorInfo >= Operands.size())
1581         return Error(IDLoc, "too few operands for instruction");
1582 
1583       ErrorLoc = ((SystemZOperand &)*Operands[ErrorInfo]).getStartLoc();
1584       if (ErrorLoc == SMLoc())
1585         ErrorLoc = IDLoc;
1586     }
1587     return Error(ErrorLoc, "invalid operand for instruction");
1588   }
1589 
1590   case Match_MnemonicFail: {
1591     FeatureBitset FBS = ComputeAvailableFeatures(getSTI().getFeatureBits());
1592     std::string Suggestion = SystemZMnemonicSpellCheck(
1593         ((SystemZOperand &)*Operands[0]).getToken(), FBS, Dialect);
1594     return Error(IDLoc, "invalid instruction" + Suggestion,
1595                  ((SystemZOperand &)*Operands[0]).getLocRange());
1596   }
1597   }
1598 
1599   llvm_unreachable("Unexpected match type");
1600 }
1601 
1602 OperandMatchResultTy
1603 SystemZAsmParser::parsePCRel(OperandVector &Operands, int64_t MinVal,
1604                              int64_t MaxVal, bool AllowTLS) {
1605   MCContext &Ctx = getContext();
1606   MCStreamer &Out = getStreamer();
1607   const MCExpr *Expr;
1608   SMLoc StartLoc = Parser.getTok().getLoc();
1609   if (getParser().parseExpression(Expr))
1610     return MatchOperand_NoMatch;
1611 
1612   auto isOutOfRangeConstant = [&](const MCExpr *E, bool Negate) -> bool {
1613     if (auto *CE = dyn_cast<MCConstantExpr>(E)) {
1614       int64_t Value = CE->getValue();
1615       if (Negate)
1616         Value = -Value;
1617       if ((Value & 1) || Value < MinVal || Value > MaxVal)
1618         return true;
1619     }
1620     return false;
1621   };
1622 
1623   // For consistency with the GNU assembler, treat immediates as offsets
1624   // from ".".
1625   if (auto *CE = dyn_cast<MCConstantExpr>(Expr)) {
1626     if (isParsingHLASM()) {
1627       Error(StartLoc, "Expected PC-relative expression");
1628       return MatchOperand_ParseFail;
1629     }
1630     if (isOutOfRangeConstant(CE, false)) {
1631       Error(StartLoc, "offset out of range");
1632       return MatchOperand_ParseFail;
1633     }
1634     int64_t Value = CE->getValue();
1635     MCSymbol *Sym = Ctx.createTempSymbol();
1636     Out.emitLabel(Sym);
1637     const MCExpr *Base = MCSymbolRefExpr::create(Sym, MCSymbolRefExpr::VK_None,
1638                                                  Ctx);
1639     Expr = Value == 0 ? Base : MCBinaryExpr::createAdd(Base, Expr, Ctx);
1640   }
1641 
1642   // For consistency with the GNU assembler, conservatively assume that a
1643   // constant offset must by itself be within the given size range.
1644   if (const auto *BE = dyn_cast<MCBinaryExpr>(Expr))
1645     if (isOutOfRangeConstant(BE->getLHS(), false) ||
1646         isOutOfRangeConstant(BE->getRHS(),
1647                              BE->getOpcode() == MCBinaryExpr::Sub)) {
1648       Error(StartLoc, "offset out of range");
1649       return MatchOperand_ParseFail;
1650     }
1651 
1652   // Optionally match :tls_gdcall: or :tls_ldcall: followed by a TLS symbol.
1653   const MCExpr *Sym = nullptr;
1654   if (AllowTLS && getLexer().is(AsmToken::Colon)) {
1655     Parser.Lex();
1656 
1657     if (Parser.getTok().isNot(AsmToken::Identifier)) {
1658       Error(Parser.getTok().getLoc(), "unexpected token");
1659       return MatchOperand_ParseFail;
1660     }
1661 
1662     MCSymbolRefExpr::VariantKind Kind = MCSymbolRefExpr::VK_None;
1663     StringRef Name = Parser.getTok().getString();
1664     if (Name == "tls_gdcall")
1665       Kind = MCSymbolRefExpr::VK_TLSGD;
1666     else if (Name == "tls_ldcall")
1667       Kind = MCSymbolRefExpr::VK_TLSLDM;
1668     else {
1669       Error(Parser.getTok().getLoc(), "unknown TLS tag");
1670       return MatchOperand_ParseFail;
1671     }
1672     Parser.Lex();
1673 
1674     if (Parser.getTok().isNot(AsmToken::Colon)) {
1675       Error(Parser.getTok().getLoc(), "unexpected token");
1676       return MatchOperand_ParseFail;
1677     }
1678     Parser.Lex();
1679 
1680     if (Parser.getTok().isNot(AsmToken::Identifier)) {
1681       Error(Parser.getTok().getLoc(), "unexpected token");
1682       return MatchOperand_ParseFail;
1683     }
1684 
1685     StringRef Identifier = Parser.getTok().getString();
1686     Sym = MCSymbolRefExpr::create(Ctx.getOrCreateSymbol(Identifier),
1687                                   Kind, Ctx);
1688     Parser.Lex();
1689   }
1690 
1691   SMLoc EndLoc =
1692     SMLoc::getFromPointer(Parser.getTok().getLoc().getPointer() - 1);
1693 
1694   if (AllowTLS)
1695     Operands.push_back(SystemZOperand::createImmTLS(Expr, Sym,
1696                                                     StartLoc, EndLoc));
1697   else
1698     Operands.push_back(SystemZOperand::createImm(Expr, StartLoc, EndLoc));
1699 
1700   return MatchOperand_Success;
1701 }
1702 
1703 bool SystemZAsmParser::isLabel(AsmToken &Token) {
1704   if (isParsingATT())
1705     return true;
1706 
1707   // HLASM labels are ordinary symbols.
1708   // An HLASM label always starts at column 1.
1709   // An ordinary symbol syntax is laid out as follows:
1710   // Rules:
1711   // 1. Has to start with an "alphabetic character". Can be followed by up to
1712   //    62 alphanumeric characters. An "alphabetic character", in this scenario,
1713   //    is a letter from 'A' through 'Z', or from 'a' through 'z',
1714   //    or '$', '_', '#', or '@'
1715   // 2. Labels are case-insensitive. E.g. "lab123", "LAB123", "lAb123", etc.
1716   //    are all treated as the same symbol. However, the processing for the case
1717   //    folding will not be done in this function.
1718   StringRef RawLabel = Token.getString();
1719   SMLoc Loc = Token.getLoc();
1720 
1721   // An HLASM label cannot be empty.
1722   if (!RawLabel.size())
1723     return !Error(Loc, "HLASM Label cannot be empty");
1724 
1725   // An HLASM label cannot exceed greater than 63 characters.
1726   if (RawLabel.size() > 63)
1727     return !Error(Loc, "Maximum length for HLASM Label is 63 characters");
1728 
1729   // A label must start with an "alphabetic character".
1730   if (!isHLASMAlpha(RawLabel[0]))
1731     return !Error(Loc, "HLASM Label has to start with an alphabetic "
1732                        "character or the underscore character");
1733 
1734   // Now, we've established that the length is valid
1735   // and the first character is alphabetic.
1736   // Check whether remaining string is alphanumeric.
1737   for (unsigned I = 1; I < RawLabel.size(); ++I)
1738     if (!isHLASMAlnum(RawLabel[I]))
1739       return !Error(Loc, "HLASM Label has to be alphanumeric");
1740 
1741   return true;
1742 }
1743 
1744 // Force static initialization.
1745 extern "C" LLVM_EXTERNAL_VISIBILITY void LLVMInitializeSystemZAsmParser() {
1746   RegisterMCAsmParser<SystemZAsmParser> X(getTheSystemZTarget());
1747 }
1748