74902c69cad8554ae5369449f1760fd2ac3d4a39
[oota-llvm.git] / lib / Target / X86 / X86ISelLowering.cpp
1 //===-- X86ISelLowering.cpp - X86 DAG Lowering Implementation -------------===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // This file defines the interfaces that X86 uses to lower LLVM code into a
11 // selection DAG.
12 //
13 //===----------------------------------------------------------------------===//
14
15 #define DEBUG_TYPE "x86-isel"
16 #include "X86ISelLowering.h"
17 #include "X86.h"
18 #include "X86InstrBuilder.h"
19 #include "X86TargetMachine.h"
20 #include "X86TargetObjectFile.h"
21 #include "Utils/X86ShuffleDecode.h"
22 #include "llvm/CallingConv.h"
23 #include "llvm/Constants.h"
24 #include "llvm/DerivedTypes.h"
25 #include "llvm/GlobalAlias.h"
26 #include "llvm/GlobalVariable.h"
27 #include "llvm/Function.h"
28 #include "llvm/Instructions.h"
29 #include "llvm/Intrinsics.h"
30 #include "llvm/LLVMContext.h"
31 #include "llvm/CodeGen/IntrinsicLowering.h"
32 #include "llvm/CodeGen/MachineFrameInfo.h"
33 #include "llvm/CodeGen/MachineFunction.h"
34 #include "llvm/CodeGen/MachineInstrBuilder.h"
35 #include "llvm/CodeGen/MachineJumpTableInfo.h"
36 #include "llvm/CodeGen/MachineModuleInfo.h"
37 #include "llvm/CodeGen/MachineRegisterInfo.h"
38 #include "llvm/MC/MCAsmInfo.h"
39 #include "llvm/MC/MCContext.h"
40 #include "llvm/MC/MCExpr.h"
41 #include "llvm/MC/MCSymbol.h"
42 #include "llvm/ADT/SmallSet.h"
43 #include "llvm/ADT/Statistic.h"
44 #include "llvm/ADT/StringExtras.h"
45 #include "llvm/ADT/VariadicFunction.h"
46 #include "llvm/Support/CallSite.h"
47 #include "llvm/Support/Debug.h"
48 #include "llvm/Support/ErrorHandling.h"
49 #include "llvm/Support/MathExtras.h"
50 #include "llvm/Target/TargetOptions.h"
51 #include <bitset>
52 using namespace llvm;
53
54 STATISTIC(NumTailCalls, "Number of tail calls");
55
56 // Forward declarations.
57 static SDValue getMOVL(SelectionDAG &DAG, DebugLoc dl, EVT VT, SDValue V1,
58                        SDValue V2);
59
60 /// Generate a DAG to grab 128-bits from a vector > 128 bits.  This
61 /// sets things up to match to an AVX VEXTRACTF128 instruction or a
62 /// simple subregister reference.  Idx is an index in the 128 bits we
63 /// want.  It need not be aligned to a 128-bit bounday.  That makes
64 /// lowering EXTRACT_VECTOR_ELT operations easier.
65 static SDValue Extract128BitVector(SDValue Vec, unsigned IdxVal,
66                                    SelectionDAG &DAG, DebugLoc dl) {
67   EVT VT = Vec.getValueType();
68   assert(VT.getSizeInBits() == 256 && "Unexpected vector size!");
69   EVT ElVT = VT.getVectorElementType();
70   unsigned Factor = VT.getSizeInBits()/128;
71   EVT ResultVT = EVT::getVectorVT(*DAG.getContext(), ElVT,
72                                   VT.getVectorNumElements()/Factor);
73
74   // Extract from UNDEF is UNDEF.
75   if (Vec.getOpcode() == ISD::UNDEF)
76     return DAG.getUNDEF(ResultVT);
77
78   // Extract the relevant 128 bits.  Generate an EXTRACT_SUBVECTOR
79   // we can match to VEXTRACTF128.
80   unsigned ElemsPerChunk = 128 / ElVT.getSizeInBits();
81
82   // This is the index of the first element of the 128-bit chunk
83   // we want.
84   unsigned NormalizedIdxVal = (((IdxVal * ElVT.getSizeInBits()) / 128)
85                                * ElemsPerChunk);
86
87   SDValue VecIdx = DAG.getConstant(NormalizedIdxVal, MVT::i32);
88   SDValue Result = DAG.getNode(ISD::EXTRACT_SUBVECTOR, dl, ResultVT, Vec,
89                                VecIdx);
90
91   return Result;
92 }
93
94 /// Generate a DAG to put 128-bits into a vector > 128 bits.  This
95 /// sets things up to match to an AVX VINSERTF128 instruction or a
96 /// simple superregister reference.  Idx is an index in the 128 bits
97 /// we want.  It need not be aligned to a 128-bit bounday.  That makes
98 /// lowering INSERT_VECTOR_ELT operations easier.
99 static SDValue Insert128BitVector(SDValue Result, SDValue Vec,
100                                   unsigned IdxVal, SelectionDAG &DAG,
101                                   DebugLoc dl) {
102   EVT VT = Vec.getValueType();
103   assert(VT.getSizeInBits() == 128 && "Unexpected vector size!");
104
105   EVT ElVT = VT.getVectorElementType();
106   EVT ResultVT = Result.getValueType();
107
108   // Insert the relevant 128 bits.
109   unsigned ElemsPerChunk = 128/ElVT.getSizeInBits();
110
111   // This is the index of the first element of the 128-bit chunk
112   // we want.
113   unsigned NormalizedIdxVal = (((IdxVal * ElVT.getSizeInBits())/128)
114                                * ElemsPerChunk);
115
116   SDValue VecIdx = DAG.getConstant(NormalizedIdxVal, MVT::i32);
117   Result = DAG.getNode(ISD::INSERT_SUBVECTOR, dl, ResultVT, Result, Vec,
118                        VecIdx);
119   return Result;
120 }
121
122 /// Concat two 128-bit vectors into a 256 bit vector using VINSERTF128
123 /// instructions. This is used because creating CONCAT_VECTOR nodes of
124 /// BUILD_VECTORS returns a larger BUILD_VECTOR while we're trying to lower
125 /// large BUILD_VECTORS.
126 static SDValue Concat128BitVectors(SDValue V1, SDValue V2, EVT VT,
127                                    unsigned NumElems, SelectionDAG &DAG,
128                                    DebugLoc dl) {
129   SDValue V = Insert128BitVector(DAG.getUNDEF(VT), V1, 0, DAG, dl);
130   return Insert128BitVector(V, V2, NumElems/2, DAG, dl);
131 }
132
133 static TargetLoweringObjectFile *createTLOF(X86TargetMachine &TM) {
134   const X86Subtarget *Subtarget = &TM.getSubtarget<X86Subtarget>();
135   bool is64Bit = Subtarget->is64Bit();
136
137   if (Subtarget->isTargetEnvMacho()) {
138     if (is64Bit)
139       return new X8664_MachoTargetObjectFile();
140     return new TargetLoweringObjectFileMachO();
141   }
142
143   if (Subtarget->isTargetELF())
144     return new TargetLoweringObjectFileELF();
145   if (Subtarget->isTargetCOFF() && !Subtarget->isTargetEnvMacho())
146     return new TargetLoweringObjectFileCOFF();
147   llvm_unreachable("unknown subtarget type");
148 }
149
150 X86TargetLowering::X86TargetLowering(X86TargetMachine &TM)
151   : TargetLowering(TM, createTLOF(TM)) {
152   Subtarget = &TM.getSubtarget<X86Subtarget>();
153   X86ScalarSSEf64 = Subtarget->hasSSE2();
154   X86ScalarSSEf32 = Subtarget->hasSSE1();
155   X86StackPtr = Subtarget->is64Bit() ? X86::RSP : X86::ESP;
156
157   RegInfo = TM.getRegisterInfo();
158   TD = getTargetData();
159
160   // Set up the TargetLowering object.
161   static const MVT IntVTs[] = { MVT::i8, MVT::i16, MVT::i32, MVT::i64 };
162
163   // X86 is weird, it always uses i8 for shift amounts and setcc results.
164   setBooleanContents(ZeroOrOneBooleanContent);
165   // X86-SSE is even stranger. It uses -1 or 0 for vector masks.
166   setBooleanVectorContents(ZeroOrNegativeOneBooleanContent);
167
168   // For 64-bit since we have so many registers use the ILP scheduler, for
169   // 32-bit code use the register pressure specific scheduling.
170   // For Atom, always use ILP scheduling.
171   if (Subtarget->isAtom()) 
172     setSchedulingPreference(Sched::ILP);
173   else if (Subtarget->is64Bit())
174     setSchedulingPreference(Sched::ILP);
175   else
176     setSchedulingPreference(Sched::RegPressure);
177   setStackPointerRegisterToSaveRestore(X86StackPtr);
178
179   if (Subtarget->isTargetWindows() && !Subtarget->isTargetCygMing()) {
180     // Setup Windows compiler runtime calls.
181     setLibcallName(RTLIB::SDIV_I64, "_alldiv");
182     setLibcallName(RTLIB::UDIV_I64, "_aulldiv");
183     setLibcallName(RTLIB::SREM_I64, "_allrem");
184     setLibcallName(RTLIB::UREM_I64, "_aullrem");
185     setLibcallName(RTLIB::MUL_I64, "_allmul");
186     setLibcallCallingConv(RTLIB::SDIV_I64, CallingConv::X86_StdCall);
187     setLibcallCallingConv(RTLIB::UDIV_I64, CallingConv::X86_StdCall);
188     setLibcallCallingConv(RTLIB::SREM_I64, CallingConv::X86_StdCall);
189     setLibcallCallingConv(RTLIB::UREM_I64, CallingConv::X86_StdCall);
190     setLibcallCallingConv(RTLIB::MUL_I64, CallingConv::X86_StdCall);
191
192     // The _ftol2 runtime function has an unusual calling conv, which
193     // is modeled by a special pseudo-instruction.
194     setLibcallName(RTLIB::FPTOUINT_F64_I64, 0);
195     setLibcallName(RTLIB::FPTOUINT_F32_I64, 0);
196     setLibcallName(RTLIB::FPTOUINT_F64_I32, 0);
197     setLibcallName(RTLIB::FPTOUINT_F32_I32, 0);
198   }
199
200   if (Subtarget->isTargetDarwin()) {
201     // Darwin should use _setjmp/_longjmp instead of setjmp/longjmp.
202     setUseUnderscoreSetJmp(false);
203     setUseUnderscoreLongJmp(false);
204   } else if (Subtarget->isTargetMingw()) {
205     // MS runtime is weird: it exports _setjmp, but longjmp!
206     setUseUnderscoreSetJmp(true);
207     setUseUnderscoreLongJmp(false);
208   } else {
209     setUseUnderscoreSetJmp(true);
210     setUseUnderscoreLongJmp(true);
211   }
212
213   // Set up the register classes.
214   addRegisterClass(MVT::i8, &X86::GR8RegClass);
215   addRegisterClass(MVT::i16, &X86::GR16RegClass);
216   addRegisterClass(MVT::i32, &X86::GR32RegClass);
217   if (Subtarget->is64Bit())
218     addRegisterClass(MVT::i64, &X86::GR64RegClass);
219
220   setLoadExtAction(ISD::SEXTLOAD, MVT::i1, Promote);
221
222   // We don't accept any truncstore of integer registers.
223   setTruncStoreAction(MVT::i64, MVT::i32, Expand);
224   setTruncStoreAction(MVT::i64, MVT::i16, Expand);
225   setTruncStoreAction(MVT::i64, MVT::i8 , Expand);
226   setTruncStoreAction(MVT::i32, MVT::i16, Expand);
227   setTruncStoreAction(MVT::i32, MVT::i8 , Expand);
228   setTruncStoreAction(MVT::i16, MVT::i8,  Expand);
229
230   // SETOEQ and SETUNE require checking two conditions.
231   setCondCodeAction(ISD::SETOEQ, MVT::f32, Expand);
232   setCondCodeAction(ISD::SETOEQ, MVT::f64, Expand);
233   setCondCodeAction(ISD::SETOEQ, MVT::f80, Expand);
234   setCondCodeAction(ISD::SETUNE, MVT::f32, Expand);
235   setCondCodeAction(ISD::SETUNE, MVT::f64, Expand);
236   setCondCodeAction(ISD::SETUNE, MVT::f80, Expand);
237
238   // Promote all UINT_TO_FP to larger SINT_TO_FP's, as X86 doesn't have this
239   // operation.
240   setOperationAction(ISD::UINT_TO_FP       , MVT::i1   , Promote);
241   setOperationAction(ISD::UINT_TO_FP       , MVT::i8   , Promote);
242   setOperationAction(ISD::UINT_TO_FP       , MVT::i16  , Promote);
243
244   if (Subtarget->is64Bit()) {
245     setOperationAction(ISD::UINT_TO_FP     , MVT::i32  , Promote);
246     setOperationAction(ISD::UINT_TO_FP     , MVT::i64  , Custom);
247   } else if (!TM.Options.UseSoftFloat) {
248     // We have an algorithm for SSE2->double, and we turn this into a
249     // 64-bit FILD followed by conditional FADD for other targets.
250     setOperationAction(ISD::UINT_TO_FP     , MVT::i64  , Custom);
251     // We have an algorithm for SSE2, and we turn this into a 64-bit
252     // FILD for other targets.
253     setOperationAction(ISD::UINT_TO_FP     , MVT::i32  , Custom);
254   }
255
256   // Promote i1/i8 SINT_TO_FP to larger SINT_TO_FP's, as X86 doesn't have
257   // this operation.
258   setOperationAction(ISD::SINT_TO_FP       , MVT::i1   , Promote);
259   setOperationAction(ISD::SINT_TO_FP       , MVT::i8   , Promote);
260
261   if (!TM.Options.UseSoftFloat) {
262     // SSE has no i16 to fp conversion, only i32
263     if (X86ScalarSSEf32) {
264       setOperationAction(ISD::SINT_TO_FP     , MVT::i16  , Promote);
265       // f32 and f64 cases are Legal, f80 case is not
266       setOperationAction(ISD::SINT_TO_FP     , MVT::i32  , Custom);
267     } else {
268       setOperationAction(ISD::SINT_TO_FP     , MVT::i16  , Custom);
269       setOperationAction(ISD::SINT_TO_FP     , MVT::i32  , Custom);
270     }
271   } else {
272     setOperationAction(ISD::SINT_TO_FP     , MVT::i16  , Promote);
273     setOperationAction(ISD::SINT_TO_FP     , MVT::i32  , Promote);
274   }
275
276   // In 32-bit mode these are custom lowered.  In 64-bit mode F32 and F64
277   // are Legal, f80 is custom lowered.
278   setOperationAction(ISD::FP_TO_SINT     , MVT::i64  , Custom);
279   setOperationAction(ISD::SINT_TO_FP     , MVT::i64  , Custom);
280
281   // Promote i1/i8 FP_TO_SINT to larger FP_TO_SINTS's, as X86 doesn't have
282   // this operation.
283   setOperationAction(ISD::FP_TO_SINT       , MVT::i1   , Promote);
284   setOperationAction(ISD::FP_TO_SINT       , MVT::i8   , Promote);
285
286   if (X86ScalarSSEf32) {
287     setOperationAction(ISD::FP_TO_SINT     , MVT::i16  , Promote);
288     // f32 and f64 cases are Legal, f80 case is not
289     setOperationAction(ISD::FP_TO_SINT     , MVT::i32  , Custom);
290   } else {
291     setOperationAction(ISD::FP_TO_SINT     , MVT::i16  , Custom);
292     setOperationAction(ISD::FP_TO_SINT     , MVT::i32  , Custom);
293   }
294
295   // Handle FP_TO_UINT by promoting the destination to a larger signed
296   // conversion.
297   setOperationAction(ISD::FP_TO_UINT       , MVT::i1   , Promote);
298   setOperationAction(ISD::FP_TO_UINT       , MVT::i8   , Promote);
299   setOperationAction(ISD::FP_TO_UINT       , MVT::i16  , Promote);
300
301   if (Subtarget->is64Bit()) {
302     setOperationAction(ISD::FP_TO_UINT     , MVT::i64  , Expand);
303     setOperationAction(ISD::FP_TO_UINT     , MVT::i32  , Promote);
304   } else if (!TM.Options.UseSoftFloat) {
305     // Since AVX is a superset of SSE3, only check for SSE here.
306     if (Subtarget->hasSSE1() && !Subtarget->hasSSE3())
307       // Expand FP_TO_UINT into a select.
308       // FIXME: We would like to use a Custom expander here eventually to do
309       // the optimal thing for SSE vs. the default expansion in the legalizer.
310       setOperationAction(ISD::FP_TO_UINT   , MVT::i32  , Expand);
311     else
312       // With SSE3 we can use fisttpll to convert to a signed i64; without
313       // SSE, we're stuck with a fistpll.
314       setOperationAction(ISD::FP_TO_UINT   , MVT::i32  , Custom);
315   }
316
317   if (isTargetFTOL()) {
318     // Use the _ftol2 runtime function, which has a pseudo-instruction
319     // to handle its weird calling convention.
320     setOperationAction(ISD::FP_TO_UINT     , MVT::i64  , Custom);
321   }
322
323   // TODO: when we have SSE, these could be more efficient, by using movd/movq.
324   if (!X86ScalarSSEf64) {
325     setOperationAction(ISD::BITCAST        , MVT::f32  , Expand);
326     setOperationAction(ISD::BITCAST        , MVT::i32  , Expand);
327     if (Subtarget->is64Bit()) {
328       setOperationAction(ISD::BITCAST      , MVT::f64  , Expand);
329       // Without SSE, i64->f64 goes through memory.
330       setOperationAction(ISD::BITCAST      , MVT::i64  , Expand);
331     }
332   }
333
334   // Scalar integer divide and remainder are lowered to use operations that
335   // produce two results, to match the available instructions. This exposes
336   // the two-result form to trivial CSE, which is able to combine x/y and x%y
337   // into a single instruction.
338   //
339   // Scalar integer multiply-high is also lowered to use two-result
340   // operations, to match the available instructions. However, plain multiply
341   // (low) operations are left as Legal, as there are single-result
342   // instructions for this in x86. Using the two-result multiply instructions
343   // when both high and low results are needed must be arranged by dagcombine.
344   for (unsigned i = 0; i != array_lengthof(IntVTs); ++i) {
345     MVT VT = IntVTs[i];
346     setOperationAction(ISD::MULHS, VT, Expand);
347     setOperationAction(ISD::MULHU, VT, Expand);
348     setOperationAction(ISD::SDIV, VT, Expand);
349     setOperationAction(ISD::UDIV, VT, Expand);
350     setOperationAction(ISD::SREM, VT, Expand);
351     setOperationAction(ISD::UREM, VT, Expand);
352
353     // Add/Sub overflow ops with MVT::Glues are lowered to EFLAGS dependences.
354     setOperationAction(ISD::ADDC, VT, Custom);
355     setOperationAction(ISD::ADDE, VT, Custom);
356     setOperationAction(ISD::SUBC, VT, Custom);
357     setOperationAction(ISD::SUBE, VT, Custom);
358   }
359
360   setOperationAction(ISD::BR_JT            , MVT::Other, Expand);
361   setOperationAction(ISD::BRCOND           , MVT::Other, Custom);
362   setOperationAction(ISD::BR_CC            , MVT::Other, Expand);
363   setOperationAction(ISD::SELECT_CC        , MVT::Other, Expand);
364   if (Subtarget->is64Bit())
365     setOperationAction(ISD::SIGN_EXTEND_INREG, MVT::i32, Legal);
366   setOperationAction(ISD::SIGN_EXTEND_INREG, MVT::i16  , Legal);
367   setOperationAction(ISD::SIGN_EXTEND_INREG, MVT::i8   , Legal);
368   setOperationAction(ISD::SIGN_EXTEND_INREG, MVT::i1   , Expand);
369   setOperationAction(ISD::FP_ROUND_INREG   , MVT::f32  , Expand);
370   setOperationAction(ISD::FREM             , MVT::f32  , Expand);
371   setOperationAction(ISD::FREM             , MVT::f64  , Expand);
372   setOperationAction(ISD::FREM             , MVT::f80  , Expand);
373   setOperationAction(ISD::FLT_ROUNDS_      , MVT::i32  , Custom);
374
375   // Promote the i8 variants and force them on up to i32 which has a shorter
376   // encoding.
377   setOperationAction(ISD::CTTZ             , MVT::i8   , Promote);
378   AddPromotedToType (ISD::CTTZ             , MVT::i8   , MVT::i32);
379   setOperationAction(ISD::CTTZ_ZERO_UNDEF  , MVT::i8   , Promote);
380   AddPromotedToType (ISD::CTTZ_ZERO_UNDEF  , MVT::i8   , MVT::i32);
381   if (Subtarget->hasBMI()) {
382     setOperationAction(ISD::CTTZ_ZERO_UNDEF, MVT::i16  , Expand);
383     setOperationAction(ISD::CTTZ_ZERO_UNDEF, MVT::i32  , Expand);
384     if (Subtarget->is64Bit())
385       setOperationAction(ISD::CTTZ_ZERO_UNDEF, MVT::i64, Expand);
386   } else {
387     setOperationAction(ISD::CTTZ           , MVT::i16  , Custom);
388     setOperationAction(ISD::CTTZ           , MVT::i32  , Custom);
389     if (Subtarget->is64Bit())
390       setOperationAction(ISD::CTTZ         , MVT::i64  , Custom);
391   }
392
393   if (Subtarget->hasLZCNT()) {
394     // When promoting the i8 variants, force them to i32 for a shorter
395     // encoding.
396     setOperationAction(ISD::CTLZ           , MVT::i8   , Promote);
397     AddPromotedToType (ISD::CTLZ           , MVT::i8   , MVT::i32);
398     setOperationAction(ISD::CTLZ_ZERO_UNDEF, MVT::i8   , Promote);
399     AddPromotedToType (ISD::CTLZ_ZERO_UNDEF, MVT::i8   , MVT::i32);
400     setOperationAction(ISD::CTLZ_ZERO_UNDEF, MVT::i16  , Expand);
401     setOperationAction(ISD::CTLZ_ZERO_UNDEF, MVT::i32  , Expand);
402     if (Subtarget->is64Bit())
403       setOperationAction(ISD::CTLZ_ZERO_UNDEF, MVT::i64, Expand);
404   } else {
405     setOperationAction(ISD::CTLZ           , MVT::i8   , Custom);
406     setOperationAction(ISD::CTLZ           , MVT::i16  , Custom);
407     setOperationAction(ISD::CTLZ           , MVT::i32  , Custom);
408     setOperationAction(ISD::CTLZ_ZERO_UNDEF, MVT::i8   , Custom);
409     setOperationAction(ISD::CTLZ_ZERO_UNDEF, MVT::i16  , Custom);
410     setOperationAction(ISD::CTLZ_ZERO_UNDEF, MVT::i32  , Custom);
411     if (Subtarget->is64Bit()) {
412       setOperationAction(ISD::CTLZ         , MVT::i64  , Custom);
413       setOperationAction(ISD::CTLZ_ZERO_UNDEF, MVT::i64, Custom);
414     }
415   }
416
417   if (Subtarget->hasPOPCNT()) {
418     setOperationAction(ISD::CTPOP          , MVT::i8   , Promote);
419   } else {
420     setOperationAction(ISD::CTPOP          , MVT::i8   , Expand);
421     setOperationAction(ISD::CTPOP          , MVT::i16  , Expand);
422     setOperationAction(ISD::CTPOP          , MVT::i32  , Expand);
423     if (Subtarget->is64Bit())
424       setOperationAction(ISD::CTPOP        , MVT::i64  , Expand);
425   }
426
427   setOperationAction(ISD::READCYCLECOUNTER , MVT::i64  , Custom);
428   setOperationAction(ISD::BSWAP            , MVT::i16  , Expand);
429
430   // These should be promoted to a larger select which is supported.
431   setOperationAction(ISD::SELECT          , MVT::i1   , Promote);
432   // X86 wants to expand cmov itself.
433   setOperationAction(ISD::SELECT          , MVT::i8   , Custom);
434   setOperationAction(ISD::SELECT          , MVT::i16  , Custom);
435   setOperationAction(ISD::SELECT          , MVT::i32  , Custom);
436   setOperationAction(ISD::SELECT          , MVT::f32  , Custom);
437   setOperationAction(ISD::SELECT          , MVT::f64  , Custom);
438   setOperationAction(ISD::SELECT          , MVT::f80  , Custom);
439   setOperationAction(ISD::SETCC           , MVT::i8   , Custom);
440   setOperationAction(ISD::SETCC           , MVT::i16  , Custom);
441   setOperationAction(ISD::SETCC           , MVT::i32  , Custom);
442   setOperationAction(ISD::SETCC           , MVT::f32  , Custom);
443   setOperationAction(ISD::SETCC           , MVT::f64  , Custom);
444   setOperationAction(ISD::SETCC           , MVT::f80  , Custom);
445   if (Subtarget->is64Bit()) {
446     setOperationAction(ISD::SELECT        , MVT::i64  , Custom);
447     setOperationAction(ISD::SETCC         , MVT::i64  , Custom);
448   }
449   setOperationAction(ISD::EH_RETURN       , MVT::Other, Custom);
450
451   // Darwin ABI issue.
452   setOperationAction(ISD::ConstantPool    , MVT::i32  , Custom);
453   setOperationAction(ISD::JumpTable       , MVT::i32  , Custom);
454   setOperationAction(ISD::GlobalAddress   , MVT::i32  , Custom);
455   setOperationAction(ISD::GlobalTLSAddress, MVT::i32  , Custom);
456   if (Subtarget->is64Bit())
457     setOperationAction(ISD::GlobalTLSAddress, MVT::i64, Custom);
458   setOperationAction(ISD::ExternalSymbol  , MVT::i32  , Custom);
459   setOperationAction(ISD::BlockAddress    , MVT::i32  , Custom);
460   if (Subtarget->is64Bit()) {
461     setOperationAction(ISD::ConstantPool  , MVT::i64  , Custom);
462     setOperationAction(ISD::JumpTable     , MVT::i64  , Custom);
463     setOperationAction(ISD::GlobalAddress , MVT::i64  , Custom);
464     setOperationAction(ISD::ExternalSymbol, MVT::i64  , Custom);
465     setOperationAction(ISD::BlockAddress  , MVT::i64  , Custom);
466   }
467   // 64-bit addm sub, shl, sra, srl (iff 32-bit x86)
468   setOperationAction(ISD::SHL_PARTS       , MVT::i32  , Custom);
469   setOperationAction(ISD::SRA_PARTS       , MVT::i32  , Custom);
470   setOperationAction(ISD::SRL_PARTS       , MVT::i32  , Custom);
471   if (Subtarget->is64Bit()) {
472     setOperationAction(ISD::SHL_PARTS     , MVT::i64  , Custom);
473     setOperationAction(ISD::SRA_PARTS     , MVT::i64  , Custom);
474     setOperationAction(ISD::SRL_PARTS     , MVT::i64  , Custom);
475   }
476
477   if (Subtarget->hasSSE1())
478     setOperationAction(ISD::PREFETCH      , MVT::Other, Legal);
479
480   setOperationAction(ISD::MEMBARRIER    , MVT::Other, Custom);
481   setOperationAction(ISD::ATOMIC_FENCE  , MVT::Other, Custom);
482
483   // On X86 and X86-64, atomic operations are lowered to locked instructions.
484   // Locked instructions, in turn, have implicit fence semantics (all memory
485   // operations are flushed before issuing the locked instruction, and they
486   // are not buffered), so we can fold away the common pattern of
487   // fence-atomic-fence.
488   setShouldFoldAtomicFences(true);
489
490   // Expand certain atomics
491   for (unsigned i = 0; i != array_lengthof(IntVTs); ++i) {
492     MVT VT = IntVTs[i];
493     setOperationAction(ISD::ATOMIC_CMP_SWAP, VT, Custom);
494     setOperationAction(ISD::ATOMIC_LOAD_SUB, VT, Custom);
495     setOperationAction(ISD::ATOMIC_STORE, VT, Custom);
496   }
497
498   if (!Subtarget->is64Bit()) {
499     setOperationAction(ISD::ATOMIC_LOAD, MVT::i64, Custom);
500     setOperationAction(ISD::ATOMIC_LOAD_ADD, MVT::i64, Custom);
501     setOperationAction(ISD::ATOMIC_LOAD_SUB, MVT::i64, Custom);
502     setOperationAction(ISD::ATOMIC_LOAD_AND, MVT::i64, Custom);
503     setOperationAction(ISD::ATOMIC_LOAD_OR, MVT::i64, Custom);
504     setOperationAction(ISD::ATOMIC_LOAD_XOR, MVT::i64, Custom);
505     setOperationAction(ISD::ATOMIC_LOAD_NAND, MVT::i64, Custom);
506     setOperationAction(ISD::ATOMIC_SWAP, MVT::i64, Custom);
507   }
508
509   if (Subtarget->hasCmpxchg16b()) {
510     setOperationAction(ISD::ATOMIC_CMP_SWAP, MVT::i128, Custom);
511   }
512
513   // FIXME - use subtarget debug flags
514   if (!Subtarget->isTargetDarwin() &&
515       !Subtarget->isTargetELF() &&
516       !Subtarget->isTargetCygMing()) {
517     setOperationAction(ISD::EH_LABEL, MVT::Other, Expand);
518   }
519
520   setOperationAction(ISD::EXCEPTIONADDR, MVT::i64, Expand);
521   setOperationAction(ISD::EHSELECTION,   MVT::i64, Expand);
522   setOperationAction(ISD::EXCEPTIONADDR, MVT::i32, Expand);
523   setOperationAction(ISD::EHSELECTION,   MVT::i32, Expand);
524   if (Subtarget->is64Bit()) {
525     setExceptionPointerRegister(X86::RAX);
526     setExceptionSelectorRegister(X86::RDX);
527   } else {
528     setExceptionPointerRegister(X86::EAX);
529     setExceptionSelectorRegister(X86::EDX);
530   }
531   setOperationAction(ISD::FRAME_TO_ARGS_OFFSET, MVT::i32, Custom);
532   setOperationAction(ISD::FRAME_TO_ARGS_OFFSET, MVT::i64, Custom);
533
534   setOperationAction(ISD::INIT_TRAMPOLINE, MVT::Other, Custom);
535   setOperationAction(ISD::ADJUST_TRAMPOLINE, MVT::Other, Custom);
536
537   setOperationAction(ISD::TRAP, MVT::Other, Legal);
538
539   // VASTART needs to be custom lowered to use the VarArgsFrameIndex
540   setOperationAction(ISD::VASTART           , MVT::Other, Custom);
541   setOperationAction(ISD::VAEND             , MVT::Other, Expand);
542   if (Subtarget->is64Bit()) {
543     setOperationAction(ISD::VAARG           , MVT::Other, Custom);
544     setOperationAction(ISD::VACOPY          , MVT::Other, Custom);
545   } else {
546     setOperationAction(ISD::VAARG           , MVT::Other, Expand);
547     setOperationAction(ISD::VACOPY          , MVT::Other, Expand);
548   }
549
550   setOperationAction(ISD::STACKSAVE,          MVT::Other, Expand);
551   setOperationAction(ISD::STACKRESTORE,       MVT::Other, Expand);
552
553   if (Subtarget->isTargetCOFF() && !Subtarget->isTargetEnvMacho())
554     setOperationAction(ISD::DYNAMIC_STACKALLOC, Subtarget->is64Bit() ?
555                        MVT::i64 : MVT::i32, Custom);
556   else if (TM.Options.EnableSegmentedStacks)
557     setOperationAction(ISD::DYNAMIC_STACKALLOC, Subtarget->is64Bit() ?
558                        MVT::i64 : MVT::i32, Custom);
559   else
560     setOperationAction(ISD::DYNAMIC_STACKALLOC, Subtarget->is64Bit() ?
561                        MVT::i64 : MVT::i32, Expand);
562
563   if (!TM.Options.UseSoftFloat && X86ScalarSSEf64) {
564     // f32 and f64 use SSE.
565     // Set up the FP register classes.
566     addRegisterClass(MVT::f32, &X86::FR32RegClass);
567     addRegisterClass(MVT::f64, &X86::FR64RegClass);
568
569     // Use ANDPD to simulate FABS.
570     setOperationAction(ISD::FABS , MVT::f64, Custom);
571     setOperationAction(ISD::FABS , MVT::f32, Custom);
572
573     // Use XORP to simulate FNEG.
574     setOperationAction(ISD::FNEG , MVT::f64, Custom);
575     setOperationAction(ISD::FNEG , MVT::f32, Custom);
576
577     // Use ANDPD and ORPD to simulate FCOPYSIGN.
578     setOperationAction(ISD::FCOPYSIGN, MVT::f64, Custom);
579     setOperationAction(ISD::FCOPYSIGN, MVT::f32, Custom);
580
581     // Lower this to FGETSIGNx86 plus an AND.
582     setOperationAction(ISD::FGETSIGN, MVT::i64, Custom);
583     setOperationAction(ISD::FGETSIGN, MVT::i32, Custom);
584
585     // We don't support sin/cos/fmod
586     setOperationAction(ISD::FSIN , MVT::f64, Expand);
587     setOperationAction(ISD::FCOS , MVT::f64, Expand);
588     setOperationAction(ISD::FSIN , MVT::f32, Expand);
589     setOperationAction(ISD::FCOS , MVT::f32, Expand);
590
591     // Expand FP immediates into loads from the stack, except for the special
592     // cases we handle.
593     addLegalFPImmediate(APFloat(+0.0)); // xorpd
594     addLegalFPImmediate(APFloat(+0.0f)); // xorps
595   } else if (!TM.Options.UseSoftFloat && X86ScalarSSEf32) {
596     // Use SSE for f32, x87 for f64.
597     // Set up the FP register classes.
598     addRegisterClass(MVT::f32, &X86::FR32RegClass);
599     addRegisterClass(MVT::f64, &X86::RFP64RegClass);
600
601     // Use ANDPS to simulate FABS.
602     setOperationAction(ISD::FABS , MVT::f32, Custom);
603
604     // Use XORP to simulate FNEG.
605     setOperationAction(ISD::FNEG , MVT::f32, Custom);
606
607     setOperationAction(ISD::UNDEF,     MVT::f64, Expand);
608
609     // Use ANDPS and ORPS to simulate FCOPYSIGN.
610     setOperationAction(ISD::FCOPYSIGN, MVT::f64, Expand);
611     setOperationAction(ISD::FCOPYSIGN, MVT::f32, Custom);
612
613     // We don't support sin/cos/fmod
614     setOperationAction(ISD::FSIN , MVT::f32, Expand);
615     setOperationAction(ISD::FCOS , MVT::f32, Expand);
616
617     // Special cases we handle for FP constants.
618     addLegalFPImmediate(APFloat(+0.0f)); // xorps
619     addLegalFPImmediate(APFloat(+0.0)); // FLD0
620     addLegalFPImmediate(APFloat(+1.0)); // FLD1
621     addLegalFPImmediate(APFloat(-0.0)); // FLD0/FCHS
622     addLegalFPImmediate(APFloat(-1.0)); // FLD1/FCHS
623
624     if (!TM.Options.UnsafeFPMath) {
625       setOperationAction(ISD::FSIN           , MVT::f64  , Expand);
626       setOperationAction(ISD::FCOS           , MVT::f64  , Expand);
627     }
628   } else if (!TM.Options.UseSoftFloat) {
629     // f32 and f64 in x87.
630     // Set up the FP register classes.
631     addRegisterClass(MVT::f64, &X86::RFP64RegClass);
632     addRegisterClass(MVT::f32, &X86::RFP32RegClass);
633
634     setOperationAction(ISD::UNDEF,     MVT::f64, Expand);
635     setOperationAction(ISD::UNDEF,     MVT::f32, Expand);
636     setOperationAction(ISD::FCOPYSIGN, MVT::f64, Expand);
637     setOperationAction(ISD::FCOPYSIGN, MVT::f32, Expand);
638
639     if (!TM.Options.UnsafeFPMath) {
640       setOperationAction(ISD::FSIN           , MVT::f64  , Expand);
641       setOperationAction(ISD::FCOS           , MVT::f64  , Expand);
642     }
643     addLegalFPImmediate(APFloat(+0.0)); // FLD0
644     addLegalFPImmediate(APFloat(+1.0)); // FLD1
645     addLegalFPImmediate(APFloat(-0.0)); // FLD0/FCHS
646     addLegalFPImmediate(APFloat(-1.0)); // FLD1/FCHS
647     addLegalFPImmediate(APFloat(+0.0f)); // FLD0
648     addLegalFPImmediate(APFloat(+1.0f)); // FLD1
649     addLegalFPImmediate(APFloat(-0.0f)); // FLD0/FCHS
650     addLegalFPImmediate(APFloat(-1.0f)); // FLD1/FCHS
651   }
652
653   // We don't support FMA.
654   setOperationAction(ISD::FMA, MVT::f64, Expand);
655   setOperationAction(ISD::FMA, MVT::f32, Expand);
656
657   // Long double always uses X87.
658   if (!TM.Options.UseSoftFloat) {
659     addRegisterClass(MVT::f80, &X86::RFP80RegClass);
660     setOperationAction(ISD::UNDEF,     MVT::f80, Expand);
661     setOperationAction(ISD::FCOPYSIGN, MVT::f80, Expand);
662     {
663       APFloat TmpFlt = APFloat::getZero(APFloat::x87DoubleExtended);
664       addLegalFPImmediate(TmpFlt);  // FLD0
665       TmpFlt.changeSign();
666       addLegalFPImmediate(TmpFlt);  // FLD0/FCHS
667
668       bool ignored;
669       APFloat TmpFlt2(+1.0);
670       TmpFlt2.convert(APFloat::x87DoubleExtended, APFloat::rmNearestTiesToEven,
671                       &ignored);
672       addLegalFPImmediate(TmpFlt2);  // FLD1
673       TmpFlt2.changeSign();
674       addLegalFPImmediate(TmpFlt2);  // FLD1/FCHS
675     }
676
677     if (!TM.Options.UnsafeFPMath) {
678       setOperationAction(ISD::FSIN           , MVT::f80  , Expand);
679       setOperationAction(ISD::FCOS           , MVT::f80  , Expand);
680     }
681
682     setOperationAction(ISD::FFLOOR, MVT::f80, Expand);
683     setOperationAction(ISD::FCEIL,  MVT::f80, Expand);
684     setOperationAction(ISD::FTRUNC, MVT::f80, Expand);
685     setOperationAction(ISD::FRINT,  MVT::f80, Expand);
686     setOperationAction(ISD::FNEARBYINT, MVT::f80, Expand);
687     setOperationAction(ISD::FMA, MVT::f80, Expand);
688   }
689
690   // Always use a library call for pow.
691   setOperationAction(ISD::FPOW             , MVT::f32  , Expand);
692   setOperationAction(ISD::FPOW             , MVT::f64  , Expand);
693   setOperationAction(ISD::FPOW             , MVT::f80  , Expand);
694
695   setOperationAction(ISD::FLOG, MVT::f80, Expand);
696   setOperationAction(ISD::FLOG2, MVT::f80, Expand);
697   setOperationAction(ISD::FLOG10, MVT::f80, Expand);
698   setOperationAction(ISD::FEXP, MVT::f80, Expand);
699   setOperationAction(ISD::FEXP2, MVT::f80, Expand);
700
701   // First set operation action for all vector types to either promote
702   // (for widening) or expand (for scalarization). Then we will selectively
703   // turn on ones that can be effectively codegen'd.
704   for (int VT = MVT::FIRST_VECTOR_VALUETYPE;
705            VT <= MVT::LAST_VECTOR_VALUETYPE; ++VT) {
706     setOperationAction(ISD::ADD , (MVT::SimpleValueType)VT, Expand);
707     setOperationAction(ISD::SUB , (MVT::SimpleValueType)VT, Expand);
708     setOperationAction(ISD::FADD, (MVT::SimpleValueType)VT, Expand);
709     setOperationAction(ISD::FNEG, (MVT::SimpleValueType)VT, Expand);
710     setOperationAction(ISD::FSUB, (MVT::SimpleValueType)VT, Expand);
711     setOperationAction(ISD::MUL , (MVT::SimpleValueType)VT, Expand);
712     setOperationAction(ISD::FMUL, (MVT::SimpleValueType)VT, Expand);
713     setOperationAction(ISD::SDIV, (MVT::SimpleValueType)VT, Expand);
714     setOperationAction(ISD::UDIV, (MVT::SimpleValueType)VT, Expand);
715     setOperationAction(ISD::FDIV, (MVT::SimpleValueType)VT, Expand);
716     setOperationAction(ISD::SREM, (MVT::SimpleValueType)VT, Expand);
717     setOperationAction(ISD::UREM, (MVT::SimpleValueType)VT, Expand);
718     setOperationAction(ISD::LOAD, (MVT::SimpleValueType)VT, Expand);
719     setOperationAction(ISD::VECTOR_SHUFFLE, (MVT::SimpleValueType)VT, Expand);
720     setOperationAction(ISD::EXTRACT_VECTOR_ELT,(MVT::SimpleValueType)VT,Expand);
721     setOperationAction(ISD::INSERT_VECTOR_ELT,(MVT::SimpleValueType)VT, Expand);
722     setOperationAction(ISD::EXTRACT_SUBVECTOR,(MVT::SimpleValueType)VT,Expand);
723     setOperationAction(ISD::INSERT_SUBVECTOR,(MVT::SimpleValueType)VT,Expand);
724     setOperationAction(ISD::FABS, (MVT::SimpleValueType)VT, Expand);
725     setOperationAction(ISD::FSIN, (MVT::SimpleValueType)VT, Expand);
726     setOperationAction(ISD::FCOS, (MVT::SimpleValueType)VT, Expand);
727     setOperationAction(ISD::FREM, (MVT::SimpleValueType)VT, Expand);
728     setOperationAction(ISD::FPOWI, (MVT::SimpleValueType)VT, Expand);
729     setOperationAction(ISD::FSQRT, (MVT::SimpleValueType)VT, Expand);
730     setOperationAction(ISD::FCOPYSIGN, (MVT::SimpleValueType)VT, Expand);
731     setOperationAction(ISD::SMUL_LOHI, (MVT::SimpleValueType)VT, Expand);
732     setOperationAction(ISD::UMUL_LOHI, (MVT::SimpleValueType)VT, Expand);
733     setOperationAction(ISD::SDIVREM, (MVT::SimpleValueType)VT, Expand);
734     setOperationAction(ISD::UDIVREM, (MVT::SimpleValueType)VT, Expand);
735     setOperationAction(ISD::FPOW, (MVT::SimpleValueType)VT, Expand);
736     setOperationAction(ISD::CTPOP, (MVT::SimpleValueType)VT, Expand);
737     setOperationAction(ISD::CTTZ, (MVT::SimpleValueType)VT, Expand);
738     setOperationAction(ISD::CTTZ_ZERO_UNDEF, (MVT::SimpleValueType)VT, Expand);
739     setOperationAction(ISD::CTLZ, (MVT::SimpleValueType)VT, Expand);
740     setOperationAction(ISD::CTLZ_ZERO_UNDEF, (MVT::SimpleValueType)VT, Expand);
741     setOperationAction(ISD::SHL, (MVT::SimpleValueType)VT, Expand);
742     setOperationAction(ISD::SRA, (MVT::SimpleValueType)VT, Expand);
743     setOperationAction(ISD::SRL, (MVT::SimpleValueType)VT, Expand);
744     setOperationAction(ISD::ROTL, (MVT::SimpleValueType)VT, Expand);
745     setOperationAction(ISD::ROTR, (MVT::SimpleValueType)VT, Expand);
746     setOperationAction(ISD::BSWAP, (MVT::SimpleValueType)VT, Expand);
747     setOperationAction(ISD::SETCC, (MVT::SimpleValueType)VT, Expand);
748     setOperationAction(ISD::FLOG, (MVT::SimpleValueType)VT, Expand);
749     setOperationAction(ISD::FLOG2, (MVT::SimpleValueType)VT, Expand);
750     setOperationAction(ISD::FLOG10, (MVT::SimpleValueType)VT, Expand);
751     setOperationAction(ISD::FEXP, (MVT::SimpleValueType)VT, Expand);
752     setOperationAction(ISD::FEXP2, (MVT::SimpleValueType)VT, Expand);
753     setOperationAction(ISD::FP_TO_UINT, (MVT::SimpleValueType)VT, Expand);
754     setOperationAction(ISD::FP_TO_SINT, (MVT::SimpleValueType)VT, Expand);
755     setOperationAction(ISD::UINT_TO_FP, (MVT::SimpleValueType)VT, Expand);
756     setOperationAction(ISD::SINT_TO_FP, (MVT::SimpleValueType)VT, Expand);
757     setOperationAction(ISD::SIGN_EXTEND_INREG, (MVT::SimpleValueType)VT,Expand);
758     setOperationAction(ISD::TRUNCATE,  (MVT::SimpleValueType)VT, Expand);
759     setOperationAction(ISD::SIGN_EXTEND,  (MVT::SimpleValueType)VT, Expand);
760     setOperationAction(ISD::ZERO_EXTEND,  (MVT::SimpleValueType)VT, Expand);
761     setOperationAction(ISD::ANY_EXTEND,  (MVT::SimpleValueType)VT, Expand);
762     setOperationAction(ISD::VSELECT,  (MVT::SimpleValueType)VT, Expand);
763     for (int InnerVT = MVT::FIRST_VECTOR_VALUETYPE;
764              InnerVT <= MVT::LAST_VECTOR_VALUETYPE; ++InnerVT)
765       setTruncStoreAction((MVT::SimpleValueType)VT,
766                           (MVT::SimpleValueType)InnerVT, Expand);
767     setLoadExtAction(ISD::SEXTLOAD, (MVT::SimpleValueType)VT, Expand);
768     setLoadExtAction(ISD::ZEXTLOAD, (MVT::SimpleValueType)VT, Expand);
769     setLoadExtAction(ISD::EXTLOAD, (MVT::SimpleValueType)VT, Expand);
770   }
771
772   // FIXME: In order to prevent SSE instructions being expanded to MMX ones
773   // with -msoft-float, disable use of MMX as well.
774   if (!TM.Options.UseSoftFloat && Subtarget->hasMMX()) {
775     addRegisterClass(MVT::x86mmx, &X86::VR64RegClass);
776     // No operations on x86mmx supported, everything uses intrinsics.
777   }
778
779   // MMX-sized vectors (other than x86mmx) are expected to be expanded
780   // into smaller operations.
781   setOperationAction(ISD::MULHS,              MVT::v8i8,  Expand);
782   setOperationAction(ISD::MULHS,              MVT::v4i16, Expand);
783   setOperationAction(ISD::MULHS,              MVT::v2i32, Expand);
784   setOperationAction(ISD::MULHS,              MVT::v1i64, Expand);
785   setOperationAction(ISD::AND,                MVT::v8i8,  Expand);
786   setOperationAction(ISD::AND,                MVT::v4i16, Expand);
787   setOperationAction(ISD::AND,                MVT::v2i32, Expand);
788   setOperationAction(ISD::AND,                MVT::v1i64, Expand);
789   setOperationAction(ISD::OR,                 MVT::v8i8,  Expand);
790   setOperationAction(ISD::OR,                 MVT::v4i16, Expand);
791   setOperationAction(ISD::OR,                 MVT::v2i32, Expand);
792   setOperationAction(ISD::OR,                 MVT::v1i64, Expand);
793   setOperationAction(ISD::XOR,                MVT::v8i8,  Expand);
794   setOperationAction(ISD::XOR,                MVT::v4i16, Expand);
795   setOperationAction(ISD::XOR,                MVT::v2i32, Expand);
796   setOperationAction(ISD::XOR,                MVT::v1i64, Expand);
797   setOperationAction(ISD::SCALAR_TO_VECTOR,   MVT::v8i8,  Expand);
798   setOperationAction(ISD::SCALAR_TO_VECTOR,   MVT::v4i16, Expand);
799   setOperationAction(ISD::SCALAR_TO_VECTOR,   MVT::v2i32, Expand);
800   setOperationAction(ISD::SCALAR_TO_VECTOR,   MVT::v1i64, Expand);
801   setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v1i64, Expand);
802   setOperationAction(ISD::SELECT,             MVT::v8i8,  Expand);
803   setOperationAction(ISD::SELECT,             MVT::v4i16, Expand);
804   setOperationAction(ISD::SELECT,             MVT::v2i32, Expand);
805   setOperationAction(ISD::SELECT,             MVT::v1i64, Expand);
806   setOperationAction(ISD::BITCAST,            MVT::v8i8,  Expand);
807   setOperationAction(ISD::BITCAST,            MVT::v4i16, Expand);
808   setOperationAction(ISD::BITCAST,            MVT::v2i32, Expand);
809   setOperationAction(ISD::BITCAST,            MVT::v1i64, Expand);
810
811   if (!TM.Options.UseSoftFloat && Subtarget->hasSSE1()) {
812     addRegisterClass(MVT::v4f32, &X86::VR128RegClass);
813
814     setOperationAction(ISD::FADD,               MVT::v4f32, Legal);
815     setOperationAction(ISD::FSUB,               MVT::v4f32, Legal);
816     setOperationAction(ISD::FMUL,               MVT::v4f32, Legal);
817     setOperationAction(ISD::FDIV,               MVT::v4f32, Legal);
818     setOperationAction(ISD::FSQRT,              MVT::v4f32, Legal);
819     setOperationAction(ISD::FNEG,               MVT::v4f32, Custom);
820     setOperationAction(ISD::LOAD,               MVT::v4f32, Legal);
821     setOperationAction(ISD::BUILD_VECTOR,       MVT::v4f32, Custom);
822     setOperationAction(ISD::VECTOR_SHUFFLE,     MVT::v4f32, Custom);
823     setOperationAction(ISD::EXTRACT_VECTOR_ELT, MVT::v4f32, Custom);
824     setOperationAction(ISD::SELECT,             MVT::v4f32, Custom);
825     setOperationAction(ISD::SETCC,              MVT::v4f32, Custom);
826   }
827
828   if (!TM.Options.UseSoftFloat && Subtarget->hasSSE2()) {
829     addRegisterClass(MVT::v2f64, &X86::VR128RegClass);
830
831     // FIXME: Unfortunately -soft-float and -no-implicit-float means XMM
832     // registers cannot be used even for integer operations.
833     addRegisterClass(MVT::v16i8, &X86::VR128RegClass);
834     addRegisterClass(MVT::v8i16, &X86::VR128RegClass);
835     addRegisterClass(MVT::v4i32, &X86::VR128RegClass);
836     addRegisterClass(MVT::v2i64, &X86::VR128RegClass);
837
838     setOperationAction(ISD::ADD,                MVT::v16i8, Legal);
839     setOperationAction(ISD::ADD,                MVT::v8i16, Legal);
840     setOperationAction(ISD::ADD,                MVT::v4i32, Legal);
841     setOperationAction(ISD::ADD,                MVT::v2i64, Legal);
842     setOperationAction(ISD::MUL,                MVT::v2i64, Custom);
843     setOperationAction(ISD::SUB,                MVT::v16i8, Legal);
844     setOperationAction(ISD::SUB,                MVT::v8i16, Legal);
845     setOperationAction(ISD::SUB,                MVT::v4i32, Legal);
846     setOperationAction(ISD::SUB,                MVT::v2i64, Legal);
847     setOperationAction(ISD::MUL,                MVT::v8i16, Legal);
848     setOperationAction(ISD::FADD,               MVT::v2f64, Legal);
849     setOperationAction(ISD::FSUB,               MVT::v2f64, Legal);
850     setOperationAction(ISD::FMUL,               MVT::v2f64, Legal);
851     setOperationAction(ISD::FDIV,               MVT::v2f64, Legal);
852     setOperationAction(ISD::FSQRT,              MVT::v2f64, Legal);
853     setOperationAction(ISD::FNEG,               MVT::v2f64, Custom);
854
855     setOperationAction(ISD::SETCC,              MVT::v2i64, Custom);
856     setOperationAction(ISD::SETCC,              MVT::v16i8, Custom);
857     setOperationAction(ISD::SETCC,              MVT::v8i16, Custom);
858     setOperationAction(ISD::SETCC,              MVT::v4i32, Custom);
859
860     setOperationAction(ISD::SCALAR_TO_VECTOR,   MVT::v16i8, Custom);
861     setOperationAction(ISD::SCALAR_TO_VECTOR,   MVT::v8i16, Custom);
862     setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v8i16, Custom);
863     setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v4i32, Custom);
864     setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v4f32, Custom);
865
866     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v2f64, Custom);
867     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v2i64, Custom);
868     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v16i8, Custom);
869     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v8i16, Custom);
870     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v4i32, Custom);
871
872     // Custom lower build_vector, vector_shuffle, and extract_vector_elt.
873     for (int i = MVT::v16i8; i != MVT::v2i64; ++i) {
874       EVT VT = (MVT::SimpleValueType)i;
875       // Do not attempt to custom lower non-power-of-2 vectors
876       if (!isPowerOf2_32(VT.getVectorNumElements()))
877         continue;
878       // Do not attempt to custom lower non-128-bit vectors
879       if (!VT.is128BitVector())
880         continue;
881       setOperationAction(ISD::BUILD_VECTOR,
882                          VT.getSimpleVT().SimpleTy, Custom);
883       setOperationAction(ISD::VECTOR_SHUFFLE,
884                          VT.getSimpleVT().SimpleTy, Custom);
885       setOperationAction(ISD::EXTRACT_VECTOR_ELT,
886                          VT.getSimpleVT().SimpleTy, Custom);
887     }
888
889     setOperationAction(ISD::BUILD_VECTOR,       MVT::v2f64, Custom);
890     setOperationAction(ISD::BUILD_VECTOR,       MVT::v2i64, Custom);
891     setOperationAction(ISD::VECTOR_SHUFFLE,     MVT::v2f64, Custom);
892     setOperationAction(ISD::VECTOR_SHUFFLE,     MVT::v2i64, Custom);
893     setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v2f64, Custom);
894     setOperationAction(ISD::EXTRACT_VECTOR_ELT, MVT::v2f64, Custom);
895
896     if (Subtarget->is64Bit()) {
897       setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v2i64, Custom);
898       setOperationAction(ISD::EXTRACT_VECTOR_ELT, MVT::v2i64, Custom);
899     }
900
901     // Promote v16i8, v8i16, v4i32 load, select, and, or, xor to v2i64.
902     for (int i = MVT::v16i8; i != MVT::v2i64; ++i) {
903       MVT::SimpleValueType SVT = (MVT::SimpleValueType)i;
904       EVT VT = SVT;
905
906       // Do not attempt to promote non-128-bit vectors
907       if (!VT.is128BitVector())
908         continue;
909
910       setOperationAction(ISD::AND,    SVT, Promote);
911       AddPromotedToType (ISD::AND,    SVT, MVT::v2i64);
912       setOperationAction(ISD::OR,     SVT, Promote);
913       AddPromotedToType (ISD::OR,     SVT, MVT::v2i64);
914       setOperationAction(ISD::XOR,    SVT, Promote);
915       AddPromotedToType (ISD::XOR,    SVT, MVT::v2i64);
916       setOperationAction(ISD::LOAD,   SVT, Promote);
917       AddPromotedToType (ISD::LOAD,   SVT, MVT::v2i64);
918       setOperationAction(ISD::SELECT, SVT, Promote);
919       AddPromotedToType (ISD::SELECT, SVT, MVT::v2i64);
920     }
921
922     setTruncStoreAction(MVT::f64, MVT::f32, Expand);
923
924     // Custom lower v2i64 and v2f64 selects.
925     setOperationAction(ISD::LOAD,               MVT::v2f64, Legal);
926     setOperationAction(ISD::LOAD,               MVT::v2i64, Legal);
927     setOperationAction(ISD::SELECT,             MVT::v2f64, Custom);
928     setOperationAction(ISD::SELECT,             MVT::v2i64, Custom);
929
930     setOperationAction(ISD::FP_TO_SINT,         MVT::v4i32, Legal);
931     setOperationAction(ISD::SINT_TO_FP,         MVT::v4i32, Legal);
932   }
933
934   if (Subtarget->hasSSE41()) {
935     setOperationAction(ISD::FFLOOR,             MVT::f32,   Legal);
936     setOperationAction(ISD::FCEIL,              MVT::f32,   Legal);
937     setOperationAction(ISD::FTRUNC,             MVT::f32,   Legal);
938     setOperationAction(ISD::FRINT,              MVT::f32,   Legal);
939     setOperationAction(ISD::FNEARBYINT,         MVT::f32,   Legal);
940     setOperationAction(ISD::FFLOOR,             MVT::f64,   Legal);
941     setOperationAction(ISD::FCEIL,              MVT::f64,   Legal);
942     setOperationAction(ISD::FTRUNC,             MVT::f64,   Legal);
943     setOperationAction(ISD::FRINT,              MVT::f64,   Legal);
944     setOperationAction(ISD::FNEARBYINT,         MVT::f64,   Legal);
945
946     // FIXME: Do we need to handle scalar-to-vector here?
947     setOperationAction(ISD::MUL,                MVT::v4i32, Legal);
948
949     setOperationAction(ISD::VSELECT,            MVT::v2f64, Legal);
950     setOperationAction(ISD::VSELECT,            MVT::v2i64, Legal);
951     setOperationAction(ISD::VSELECT,            MVT::v16i8, Legal);
952     setOperationAction(ISD::VSELECT,            MVT::v4i32, Legal);
953     setOperationAction(ISD::VSELECT,            MVT::v4f32, Legal);
954
955     // i8 and i16 vectors are custom , because the source register and source
956     // source memory operand types are not the same width.  f32 vectors are
957     // custom since the immediate controlling the insert encodes additional
958     // information.
959     setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v16i8, Custom);
960     setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v8i16, Custom);
961     setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v4i32, Custom);
962     setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v4f32, Custom);
963
964     setOperationAction(ISD::EXTRACT_VECTOR_ELT, MVT::v16i8, Custom);
965     setOperationAction(ISD::EXTRACT_VECTOR_ELT, MVT::v8i16, Custom);
966     setOperationAction(ISD::EXTRACT_VECTOR_ELT, MVT::v4i32, Custom);
967     setOperationAction(ISD::EXTRACT_VECTOR_ELT, MVT::v4f32, Custom);
968
969     // FIXME: these should be Legal but thats only for the case where
970     // the index is constant.  For now custom expand to deal with that.
971     if (Subtarget->is64Bit()) {
972       setOperationAction(ISD::INSERT_VECTOR_ELT,  MVT::v2i64, Custom);
973       setOperationAction(ISD::EXTRACT_VECTOR_ELT, MVT::v2i64, Custom);
974     }
975   }
976
977   if (Subtarget->hasSSE2()) {
978     setOperationAction(ISD::SRL,               MVT::v8i16, Custom);
979     setOperationAction(ISD::SRL,               MVT::v16i8, Custom);
980
981     setOperationAction(ISD::SHL,               MVT::v8i16, Custom);
982     setOperationAction(ISD::SHL,               MVT::v16i8, Custom);
983
984     setOperationAction(ISD::SRA,               MVT::v8i16, Custom);
985     setOperationAction(ISD::SRA,               MVT::v16i8, Custom);
986
987     if (Subtarget->hasAVX2()) {
988       setOperationAction(ISD::SRL,             MVT::v2i64, Legal);
989       setOperationAction(ISD::SRL,             MVT::v4i32, Legal);
990
991       setOperationAction(ISD::SHL,             MVT::v2i64, Legal);
992       setOperationAction(ISD::SHL,             MVT::v4i32, Legal);
993
994       setOperationAction(ISD::SRA,             MVT::v4i32, Legal);
995     } else {
996       setOperationAction(ISD::SRL,             MVT::v2i64, Custom);
997       setOperationAction(ISD::SRL,             MVT::v4i32, Custom);
998
999       setOperationAction(ISD::SHL,             MVT::v2i64, Custom);
1000       setOperationAction(ISD::SHL,             MVT::v4i32, Custom);
1001
1002       setOperationAction(ISD::SRA,             MVT::v4i32, Custom);
1003     }
1004   }
1005
1006   if (Subtarget->hasSSE42())
1007     setOperationAction(ISD::SETCC,             MVT::v2i64, Custom);
1008
1009   if (!TM.Options.UseSoftFloat && Subtarget->hasAVX()) {
1010     addRegisterClass(MVT::v32i8,  &X86::VR256RegClass);
1011     addRegisterClass(MVT::v16i16, &X86::VR256RegClass);
1012     addRegisterClass(MVT::v8i32,  &X86::VR256RegClass);
1013     addRegisterClass(MVT::v8f32,  &X86::VR256RegClass);
1014     addRegisterClass(MVT::v4i64,  &X86::VR256RegClass);
1015     addRegisterClass(MVT::v4f64,  &X86::VR256RegClass);
1016
1017     setOperationAction(ISD::LOAD,               MVT::v8f32, Legal);
1018     setOperationAction(ISD::LOAD,               MVT::v4f64, Legal);
1019     setOperationAction(ISD::LOAD,               MVT::v4i64, Legal);
1020
1021     setOperationAction(ISD::FADD,               MVT::v8f32, Legal);
1022     setOperationAction(ISD::FSUB,               MVT::v8f32, Legal);
1023     setOperationAction(ISD::FMUL,               MVT::v8f32, Legal);
1024     setOperationAction(ISD::FDIV,               MVT::v8f32, Legal);
1025     setOperationAction(ISD::FSQRT,              MVT::v8f32, Legal);
1026     setOperationAction(ISD::FNEG,               MVT::v8f32, Custom);
1027
1028     setOperationAction(ISD::FADD,               MVT::v4f64, Legal);
1029     setOperationAction(ISD::FSUB,               MVT::v4f64, Legal);
1030     setOperationAction(ISD::FMUL,               MVT::v4f64, Legal);
1031     setOperationAction(ISD::FDIV,               MVT::v4f64, Legal);
1032     setOperationAction(ISD::FSQRT,              MVT::v4f64, Legal);
1033     setOperationAction(ISD::FNEG,               MVT::v4f64, Custom);
1034
1035     setOperationAction(ISD::FP_TO_SINT,         MVT::v8i32, Legal);
1036     setOperationAction(ISD::SINT_TO_FP,         MVT::v8i32, Legal);
1037     setOperationAction(ISD::FP_ROUND,           MVT::v4f32, Legal);
1038
1039     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v4f64,  Custom);
1040     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v4i64,  Custom);
1041     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v8f32,  Custom);
1042     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v8i32,  Custom);
1043     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v32i8,  Custom);
1044     setOperationAction(ISD::CONCAT_VECTORS,     MVT::v16i16, Custom);
1045
1046     setOperationAction(ISD::SRL,               MVT::v16i16, Custom);
1047     setOperationAction(ISD::SRL,               MVT::v32i8, Custom);
1048
1049     setOperationAction(ISD::SHL,               MVT::v16i16, Custom);
1050     setOperationAction(ISD::SHL,               MVT::v32i8, Custom);
1051
1052     setOperationAction(ISD::SRA,               MVT::v16i16, Custom);
1053     setOperationAction(ISD::SRA,               MVT::v32i8, Custom);
1054
1055     setOperationAction(ISD::SETCC,             MVT::v32i8, Custom);
1056     setOperationAction(ISD::SETCC,             MVT::v16i16, Custom);
1057     setOperationAction(ISD::SETCC,             MVT::v8i32, Custom);
1058     setOperationAction(ISD::SETCC,             MVT::v4i64, Custom);
1059
1060     setOperationAction(ISD::SELECT,            MVT::v4f64, Custom);
1061     setOperationAction(ISD::SELECT,            MVT::v4i64, Custom);
1062     setOperationAction(ISD::SELECT,            MVT::v8f32, Custom);
1063
1064     setOperationAction(ISD::VSELECT,           MVT::v4f64, Legal);
1065     setOperationAction(ISD::VSELECT,           MVT::v4i64, Legal);
1066     setOperationAction(ISD::VSELECT,           MVT::v8i32, Legal);
1067     setOperationAction(ISD::VSELECT,           MVT::v8f32, Legal);
1068
1069     if (Subtarget->hasAVX2()) {
1070       setOperationAction(ISD::ADD,             MVT::v4i64, Legal);
1071       setOperationAction(ISD::ADD,             MVT::v8i32, Legal);
1072       setOperationAction(ISD::ADD,             MVT::v16i16, Legal);
1073       setOperationAction(ISD::ADD,             MVT::v32i8, Legal);
1074
1075       setOperationAction(ISD::SUB,             MVT::v4i64, Legal);
1076       setOperationAction(ISD::SUB,             MVT::v8i32, Legal);
1077       setOperationAction(ISD::SUB,             MVT::v16i16, Legal);
1078       setOperationAction(ISD::SUB,             MVT::v32i8, Legal);
1079
1080       setOperationAction(ISD::MUL,             MVT::v4i64, Custom);
1081       setOperationAction(ISD::MUL,             MVT::v8i32, Legal);
1082       setOperationAction(ISD::MUL,             MVT::v16i16, Legal);
1083       // Don't lower v32i8 because there is no 128-bit byte mul
1084
1085       setOperationAction(ISD::VSELECT,         MVT::v32i8, Legal);
1086
1087       setOperationAction(ISD::SRL,             MVT::v4i64, Legal);
1088       setOperationAction(ISD::SRL,             MVT::v8i32, Legal);
1089
1090       setOperationAction(ISD::SHL,             MVT::v4i64, Legal);
1091       setOperationAction(ISD::SHL,             MVT::v8i32, Legal);
1092
1093       setOperationAction(ISD::SRA,             MVT::v8i32, Legal);
1094     } else {
1095       setOperationAction(ISD::ADD,             MVT::v4i64, Custom);
1096       setOperationAction(ISD::ADD,             MVT::v8i32, Custom);
1097       setOperationAction(ISD::ADD,             MVT::v16i16, Custom);
1098       setOperationAction(ISD::ADD,             MVT::v32i8, Custom);
1099
1100       setOperationAction(ISD::SUB,             MVT::v4i64, Custom);
1101       setOperationAction(ISD::SUB,             MVT::v8i32, Custom);
1102       setOperationAction(ISD::SUB,             MVT::v16i16, Custom);
1103       setOperationAction(ISD::SUB,             MVT::v32i8, Custom);
1104
1105       setOperationAction(ISD::MUL,             MVT::v4i64, Custom);
1106       setOperationAction(ISD::MUL,             MVT::v8i32, Custom);
1107       setOperationAction(ISD::MUL,             MVT::v16i16, Custom);
1108       // Don't lower v32i8 because there is no 128-bit byte mul
1109
1110       setOperationAction(ISD::SRL,             MVT::v4i64, Custom);
1111       setOperationAction(ISD::SRL,             MVT::v8i32, Custom);
1112
1113       setOperationAction(ISD::SHL,             MVT::v4i64, Custom);
1114       setOperationAction(ISD::SHL,             MVT::v8i32, Custom);
1115
1116       setOperationAction(ISD::SRA,             MVT::v8i32, Custom);
1117     }
1118
1119     // Custom lower several nodes for 256-bit types.
1120     for (int i = MVT::FIRST_VECTOR_VALUETYPE;
1121              i <= MVT::LAST_VECTOR_VALUETYPE; ++i) {
1122       MVT::SimpleValueType SVT = (MVT::SimpleValueType)i;
1123       EVT VT = SVT;
1124
1125       // Extract subvector is special because the value type
1126       // (result) is 128-bit but the source is 256-bit wide.
1127       if (VT.is128BitVector())
1128         setOperationAction(ISD::EXTRACT_SUBVECTOR, SVT, Custom);
1129
1130       // Do not attempt to custom lower other non-256-bit vectors
1131       if (!VT.is256BitVector())
1132         continue;
1133
1134       setOperationAction(ISD::BUILD_VECTOR,       SVT, Custom);
1135       setOperationAction(ISD::VECTOR_SHUFFLE,     SVT, Custom);
1136       setOperationAction(ISD::INSERT_VECTOR_ELT,  SVT, Custom);
1137       setOperationAction(ISD::EXTRACT_VECTOR_ELT, SVT, Custom);
1138       setOperationAction(ISD::SCALAR_TO_VECTOR,   SVT, Custom);
1139       setOperationAction(ISD::INSERT_SUBVECTOR,   SVT, Custom);
1140     }
1141
1142     // Promote v32i8, v16i16, v8i32 select, and, or, xor to v4i64.
1143     for (int i = MVT::v32i8; i != MVT::v4i64; ++i) {
1144       MVT::SimpleValueType SVT = (MVT::SimpleValueType)i;
1145       EVT VT = SVT;
1146
1147       // Do not attempt to promote non-256-bit vectors
1148       if (!VT.is256BitVector())
1149         continue;
1150
1151       setOperationAction(ISD::AND,    SVT, Promote);
1152       AddPromotedToType (ISD::AND,    SVT, MVT::v4i64);
1153       setOperationAction(ISD::OR,     SVT, Promote);
1154       AddPromotedToType (ISD::OR,     SVT, MVT::v4i64);
1155       setOperationAction(ISD::XOR,    SVT, Promote);
1156       AddPromotedToType (ISD::XOR,    SVT, MVT::v4i64);
1157       setOperationAction(ISD::LOAD,   SVT, Promote);
1158       AddPromotedToType (ISD::LOAD,   SVT, MVT::v4i64);
1159       setOperationAction(ISD::SELECT, SVT, Promote);
1160       AddPromotedToType (ISD::SELECT, SVT, MVT::v4i64);
1161     }
1162   }
1163
1164   // SIGN_EXTEND_INREGs are evaluated by the extend type. Handle the expansion
1165   // of this type with custom code.
1166   for (int VT = MVT::FIRST_VECTOR_VALUETYPE;
1167            VT != MVT::LAST_VECTOR_VALUETYPE; VT++) {
1168     setOperationAction(ISD::SIGN_EXTEND_INREG, (MVT::SimpleValueType)VT,
1169                        Custom);
1170   }
1171
1172   // We want to custom lower some of our intrinsics.
1173   setOperationAction(ISD::INTRINSIC_WO_CHAIN, MVT::Other, Custom);
1174
1175
1176   // Only custom-lower 64-bit SADDO and friends on 64-bit because we don't
1177   // handle type legalization for these operations here.
1178   //
1179   // FIXME: We really should do custom legalization for addition and
1180   // subtraction on x86-32 once PR3203 is fixed.  We really can't do much better
1181   // than generic legalization for 64-bit multiplication-with-overflow, though.
1182   for (unsigned i = 0, e = 3+Subtarget->is64Bit(); i != e; ++i) {
1183     // Add/Sub/Mul with overflow operations are custom lowered.
1184     MVT VT = IntVTs[i];
1185     setOperationAction(ISD::SADDO, VT, Custom);
1186     setOperationAction(ISD::UADDO, VT, Custom);
1187     setOperationAction(ISD::SSUBO, VT, Custom);
1188     setOperationAction(ISD::USUBO, VT, Custom);
1189     setOperationAction(ISD::SMULO, VT, Custom);
1190     setOperationAction(ISD::UMULO, VT, Custom);
1191   }
1192
1193   // There are no 8-bit 3-address imul/mul instructions
1194   setOperationAction(ISD::SMULO, MVT::i8, Expand);
1195   setOperationAction(ISD::UMULO, MVT::i8, Expand);
1196
1197   if (!Subtarget->is64Bit()) {
1198     // These libcalls are not available in 32-bit.
1199     setLibcallName(RTLIB::SHL_I128, 0);
1200     setLibcallName(RTLIB::SRL_I128, 0);
1201     setLibcallName(RTLIB::SRA_I128, 0);
1202   }
1203
1204   // We have target-specific dag combine patterns for the following nodes:
1205   setTargetDAGCombine(ISD::VECTOR_SHUFFLE);
1206   setTargetDAGCombine(ISD::EXTRACT_VECTOR_ELT);
1207   setTargetDAGCombine(ISD::VSELECT);
1208   setTargetDAGCombine(ISD::SELECT);
1209   setTargetDAGCombine(ISD::SHL);
1210   setTargetDAGCombine(ISD::SRA);
1211   setTargetDAGCombine(ISD::SRL);
1212   setTargetDAGCombine(ISD::OR);
1213   setTargetDAGCombine(ISD::AND);
1214   setTargetDAGCombine(ISD::ADD);
1215   setTargetDAGCombine(ISD::FADD);
1216   setTargetDAGCombine(ISD::FSUB);
1217   setTargetDAGCombine(ISD::SUB);
1218   setTargetDAGCombine(ISD::LOAD);
1219   setTargetDAGCombine(ISD::STORE);
1220   setTargetDAGCombine(ISD::ZERO_EXTEND);
1221   setTargetDAGCombine(ISD::ANY_EXTEND);
1222   setTargetDAGCombine(ISD::SIGN_EXTEND);
1223   setTargetDAGCombine(ISD::TRUNCATE);
1224   setTargetDAGCombine(ISD::UINT_TO_FP);
1225   setTargetDAGCombine(ISD::SINT_TO_FP);
1226   setTargetDAGCombine(ISD::SETCC);
1227   setTargetDAGCombine(ISD::FP_TO_SINT);
1228   if (Subtarget->is64Bit())
1229     setTargetDAGCombine(ISD::MUL);
1230   setTargetDAGCombine(ISD::XOR);
1231
1232   computeRegisterProperties();
1233
1234   // On Darwin, -Os means optimize for size without hurting performance,
1235   // do not reduce the limit.
1236   maxStoresPerMemset = 16; // For @llvm.memset -> sequence of stores
1237   maxStoresPerMemsetOptSize = Subtarget->isTargetDarwin() ? 16 : 8;
1238   maxStoresPerMemcpy = 8; // For @llvm.memcpy -> sequence of stores
1239   maxStoresPerMemcpyOptSize = Subtarget->isTargetDarwin() ? 8 : 4;
1240   maxStoresPerMemmove = 8; // For @llvm.memmove -> sequence of stores
1241   maxStoresPerMemmoveOptSize = Subtarget->isTargetDarwin() ? 8 : 4;
1242   setPrefLoopAlignment(4); // 2^4 bytes.
1243   benefitFromCodePlacementOpt = true;
1244
1245   // Predictable cmov don't hurt on atom because it's in-order.
1246   predictableSelectIsExpensive = !Subtarget->isAtom();
1247
1248   setPrefFunctionAlignment(4); // 2^4 bytes.
1249 }
1250
1251
1252 EVT X86TargetLowering::getSetCCResultType(EVT VT) const {
1253   if (!VT.isVector()) return MVT::i8;
1254   return VT.changeVectorElementTypeToInteger();
1255 }
1256
1257
1258 /// getMaxByValAlign - Helper for getByValTypeAlignment to determine
1259 /// the desired ByVal argument alignment.
1260 static void getMaxByValAlign(Type *Ty, unsigned &MaxAlign) {
1261   if (MaxAlign == 16)
1262     return;
1263   if (VectorType *VTy = dyn_cast<VectorType>(Ty)) {
1264     if (VTy->getBitWidth() == 128)
1265       MaxAlign = 16;
1266   } else if (ArrayType *ATy = dyn_cast<ArrayType>(Ty)) {
1267     unsigned EltAlign = 0;
1268     getMaxByValAlign(ATy->getElementType(), EltAlign);
1269     if (EltAlign > MaxAlign)
1270       MaxAlign = EltAlign;
1271   } else if (StructType *STy = dyn_cast<StructType>(Ty)) {
1272     for (unsigned i = 0, e = STy->getNumElements(); i != e; ++i) {
1273       unsigned EltAlign = 0;
1274       getMaxByValAlign(STy->getElementType(i), EltAlign);
1275       if (EltAlign > MaxAlign)
1276         MaxAlign = EltAlign;
1277       if (MaxAlign == 16)
1278         break;
1279     }
1280   }
1281 }
1282
1283 /// getByValTypeAlignment - Return the desired alignment for ByVal aggregate
1284 /// function arguments in the caller parameter area. For X86, aggregates
1285 /// that contain SSE vectors are placed at 16-byte boundaries while the rest
1286 /// are at 4-byte boundaries.
1287 unsigned X86TargetLowering::getByValTypeAlignment(Type *Ty) const {
1288   if (Subtarget->is64Bit()) {
1289     // Max of 8 and alignment of type.
1290     unsigned TyAlign = TD->getABITypeAlignment(Ty);
1291     if (TyAlign > 8)
1292       return TyAlign;
1293     return 8;
1294   }
1295
1296   unsigned Align = 4;
1297   if (Subtarget->hasSSE1())
1298     getMaxByValAlign(Ty, Align);
1299   return Align;
1300 }
1301
1302 /// getOptimalMemOpType - Returns the target specific optimal type for load
1303 /// and store operations as a result of memset, memcpy, and memmove
1304 /// lowering. If DstAlign is zero that means it's safe to destination
1305 /// alignment can satisfy any constraint. Similarly if SrcAlign is zero it
1306 /// means there isn't a need to check it against alignment requirement,
1307 /// probably because the source does not need to be loaded. If
1308 /// 'IsZeroVal' is true, that means it's safe to return a
1309 /// non-scalar-integer type, e.g. empty string source, constant, or loaded
1310 /// from memory. 'MemcpyStrSrc' indicates whether the memcpy source is
1311 /// constant so it does not need to be loaded.
1312 /// It returns EVT::Other if the type should be determined using generic
1313 /// target-independent logic.
1314 EVT
1315 X86TargetLowering::getOptimalMemOpType(uint64_t Size,
1316                                        unsigned DstAlign, unsigned SrcAlign,
1317                                        bool IsZeroVal,
1318                                        bool MemcpyStrSrc,
1319                                        MachineFunction &MF) const {
1320   // FIXME: This turns off use of xmm stores for memset/memcpy on targets like
1321   // linux.  This is because the stack realignment code can't handle certain
1322   // cases like PR2962.  This should be removed when PR2962 is fixed.
1323   const Function *F = MF.getFunction();
1324   if (IsZeroVal &&
1325       !F->hasFnAttr(Attribute::NoImplicitFloat)) {
1326     if (Size >= 16 &&
1327         (Subtarget->isUnalignedMemAccessFast() ||
1328          ((DstAlign == 0 || DstAlign >= 16) &&
1329           (SrcAlign == 0 || SrcAlign >= 16))) &&
1330         Subtarget->getStackAlignment() >= 16) {
1331       if (Subtarget->getStackAlignment() >= 32) {
1332         if (Subtarget->hasAVX2())
1333           return MVT::v8i32;
1334         if (Subtarget->hasAVX())
1335           return MVT::v8f32;
1336       }
1337       if (Subtarget->hasSSE2())
1338         return MVT::v4i32;
1339       if (Subtarget->hasSSE1())
1340         return MVT::v4f32;
1341     } else if (!MemcpyStrSrc && Size >= 8 &&
1342                !Subtarget->is64Bit() &&
1343                Subtarget->getStackAlignment() >= 8 &&
1344                Subtarget->hasSSE2()) {
1345       // Do not use f64 to lower memcpy if source is string constant. It's
1346       // better to use i32 to avoid the loads.
1347       return MVT::f64;
1348     }
1349   }
1350   if (Subtarget->is64Bit() && Size >= 8)
1351     return MVT::i64;
1352   return MVT::i32;
1353 }
1354
1355 /// getJumpTableEncoding - Return the entry encoding for a jump table in the
1356 /// current function.  The returned value is a member of the
1357 /// MachineJumpTableInfo::JTEntryKind enum.
1358 unsigned X86TargetLowering::getJumpTableEncoding() const {
1359   // In GOT pic mode, each entry in the jump table is emitted as a @GOTOFF
1360   // symbol.
1361   if (getTargetMachine().getRelocationModel() == Reloc::PIC_ &&
1362       Subtarget->isPICStyleGOT())
1363     return MachineJumpTableInfo::EK_Custom32;
1364
1365   // Otherwise, use the normal jump table encoding heuristics.
1366   return TargetLowering::getJumpTableEncoding();
1367 }
1368
1369 const MCExpr *
1370 X86TargetLowering::LowerCustomJumpTableEntry(const MachineJumpTableInfo *MJTI,
1371                                              const MachineBasicBlock *MBB,
1372                                              unsigned uid,MCContext &Ctx) const{
1373   assert(getTargetMachine().getRelocationModel() == Reloc::PIC_ &&
1374          Subtarget->isPICStyleGOT());
1375   // In 32-bit ELF systems, our jump table entries are formed with @GOTOFF
1376   // entries.
1377   return MCSymbolRefExpr::Create(MBB->getSymbol(),
1378                                  MCSymbolRefExpr::VK_GOTOFF, Ctx);
1379 }
1380
1381 /// getPICJumpTableRelocaBase - Returns relocation base for the given PIC
1382 /// jumptable.
1383 SDValue X86TargetLowering::getPICJumpTableRelocBase(SDValue Table,
1384                                                     SelectionDAG &DAG) const {
1385   if (!Subtarget->is64Bit())
1386     // This doesn't have DebugLoc associated with it, but is not really the
1387     // same as a Register.
1388     return DAG.getNode(X86ISD::GlobalBaseReg, DebugLoc(), getPointerTy());
1389   return Table;
1390 }
1391
1392 /// getPICJumpTableRelocBaseExpr - This returns the relocation base for the
1393 /// given PIC jumptable, the same as getPICJumpTableRelocBase, but as an
1394 /// MCExpr.
1395 const MCExpr *X86TargetLowering::
1396 getPICJumpTableRelocBaseExpr(const MachineFunction *MF, unsigned JTI,
1397                              MCContext &Ctx) const {
1398   // X86-64 uses RIP relative addressing based on the jump table label.
1399   if (Subtarget->isPICStyleRIPRel())
1400     return TargetLowering::getPICJumpTableRelocBaseExpr(MF, JTI, Ctx);
1401
1402   // Otherwise, the reference is relative to the PIC base.
1403   return MCSymbolRefExpr::Create(MF->getPICBaseSymbol(), Ctx);
1404 }
1405
1406 // FIXME: Why this routine is here? Move to RegInfo!
1407 std::pair<const TargetRegisterClass*, uint8_t>
1408 X86TargetLowering::findRepresentativeClass(EVT VT) const{
1409   const TargetRegisterClass *RRC = 0;
1410   uint8_t Cost = 1;
1411   switch (VT.getSimpleVT().SimpleTy) {
1412   default:
1413     return TargetLowering::findRepresentativeClass(VT);
1414   case MVT::i8: case MVT::i16: case MVT::i32: case MVT::i64:
1415     RRC = Subtarget->is64Bit() ?
1416       (const TargetRegisterClass*)&X86::GR64RegClass :
1417       (const TargetRegisterClass*)&X86::GR32RegClass;
1418     break;
1419   case MVT::x86mmx:
1420     RRC = &X86::VR64RegClass;
1421     break;
1422   case MVT::f32: case MVT::f64:
1423   case MVT::v16i8: case MVT::v8i16: case MVT::v4i32: case MVT::v2i64:
1424   case MVT::v4f32: case MVT::v2f64:
1425   case MVT::v32i8: case MVT::v8i32: case MVT::v4i64: case MVT::v8f32:
1426   case MVT::v4f64:
1427     RRC = &X86::VR128RegClass;
1428     break;
1429   }
1430   return std::make_pair(RRC, Cost);
1431 }
1432
1433 bool X86TargetLowering::getStackCookieLocation(unsigned &AddressSpace,
1434                                                unsigned &Offset) const {
1435   if (!Subtarget->isTargetLinux())
1436     return false;
1437
1438   if (Subtarget->is64Bit()) {
1439     // %fs:0x28, unless we're using a Kernel code model, in which case it's %gs:
1440     Offset = 0x28;
1441     if (getTargetMachine().getCodeModel() == CodeModel::Kernel)
1442       AddressSpace = 256;
1443     else
1444       AddressSpace = 257;
1445   } else {
1446     // %gs:0x14 on i386
1447     Offset = 0x14;
1448     AddressSpace = 256;
1449   }
1450   return true;
1451 }
1452
1453
1454 //===----------------------------------------------------------------------===//
1455 //               Return Value Calling Convention Implementation
1456 //===----------------------------------------------------------------------===//
1457
1458 #include "X86GenCallingConv.inc"
1459
1460 bool
1461 X86TargetLowering::CanLowerReturn(CallingConv::ID CallConv,
1462                                   MachineFunction &MF, bool isVarArg,
1463                         const SmallVectorImpl<ISD::OutputArg> &Outs,
1464                         LLVMContext &Context) const {
1465   SmallVector<CCValAssign, 16> RVLocs;
1466   CCState CCInfo(CallConv, isVarArg, MF, getTargetMachine(),
1467                  RVLocs, Context);
1468   return CCInfo.CheckReturn(Outs, RetCC_X86);
1469 }
1470
1471 SDValue
1472 X86TargetLowering::LowerReturn(SDValue Chain,
1473                                CallingConv::ID CallConv, bool isVarArg,
1474                                const SmallVectorImpl<ISD::OutputArg> &Outs,
1475                                const SmallVectorImpl<SDValue> &OutVals,
1476                                DebugLoc dl, SelectionDAG &DAG) const {
1477   MachineFunction &MF = DAG.getMachineFunction();
1478   X86MachineFunctionInfo *FuncInfo = MF.getInfo<X86MachineFunctionInfo>();
1479
1480   SmallVector<CCValAssign, 16> RVLocs;
1481   CCState CCInfo(CallConv, isVarArg, MF, getTargetMachine(),
1482                  RVLocs, *DAG.getContext());
1483   CCInfo.AnalyzeReturn(Outs, RetCC_X86);
1484
1485   // Add the regs to the liveout set for the function.
1486   MachineRegisterInfo &MRI = DAG.getMachineFunction().getRegInfo();
1487   for (unsigned i = 0; i != RVLocs.size(); ++i)
1488     if (RVLocs[i].isRegLoc() && !MRI.isLiveOut(RVLocs[i].getLocReg()))
1489       MRI.addLiveOut(RVLocs[i].getLocReg());
1490
1491   SDValue Flag;
1492
1493   SmallVector<SDValue, 6> RetOps;
1494   RetOps.push_back(Chain); // Operand #0 = Chain (updated below)
1495   // Operand #1 = Bytes To Pop
1496   RetOps.push_back(DAG.getTargetConstant(FuncInfo->getBytesToPopOnReturn(),
1497                    MVT::i16));
1498
1499   // Copy the result values into the output registers.
1500   for (unsigned i = 0; i != RVLocs.size(); ++i) {
1501     CCValAssign &VA = RVLocs[i];
1502     assert(VA.isRegLoc() && "Can only return in registers!");
1503     SDValue ValToCopy = OutVals[i];
1504     EVT ValVT = ValToCopy.getValueType();
1505
1506     // Promote values to the appropriate types
1507     if (VA.getLocInfo() == CCValAssign::SExt)
1508       ValToCopy = DAG.getNode(ISD::SIGN_EXTEND, dl, VA.getLocVT(), ValToCopy);
1509     else if (VA.getLocInfo() == CCValAssign::ZExt)
1510       ValToCopy = DAG.getNode(ISD::ZERO_EXTEND, dl, VA.getLocVT(), ValToCopy);
1511     else if (VA.getLocInfo() == CCValAssign::AExt)
1512       ValToCopy = DAG.getNode(ISD::ANY_EXTEND, dl, VA.getLocVT(), ValToCopy);
1513     else if (VA.getLocInfo() == CCValAssign::BCvt)
1514       ValToCopy = DAG.getNode(ISD::BITCAST, dl, VA.getLocVT(), ValToCopy);
1515
1516     // If this is x86-64, and we disabled SSE, we can't return FP values,
1517     // or SSE or MMX vectors.
1518     if ((ValVT == MVT::f32 || ValVT == MVT::f64 ||
1519          VA.getLocReg() == X86::XMM0 || VA.getLocReg() == X86::XMM1) &&
1520           (Subtarget->is64Bit() && !Subtarget->hasSSE1())) {
1521       report_fatal_error("SSE register return with SSE disabled");
1522     }
1523     // Likewise we can't return F64 values with SSE1 only.  gcc does so, but
1524     // llvm-gcc has never done it right and no one has noticed, so this
1525     // should be OK for now.
1526     if (ValVT == MVT::f64 &&
1527         (Subtarget->is64Bit() && !Subtarget->hasSSE2()))
1528       report_fatal_error("SSE2 register return with SSE2 disabled");
1529
1530     // Returns in ST0/ST1 are handled specially: these are pushed as operands to
1531     // the RET instruction and handled by the FP Stackifier.
1532     if (VA.getLocReg() == X86::ST0 ||
1533         VA.getLocReg() == X86::ST1) {
1534       // If this is a copy from an xmm register to ST(0), use an FPExtend to
1535       // change the value to the FP stack register class.
1536       if (isScalarFPTypeInSSEReg(VA.getValVT()))
1537         ValToCopy = DAG.getNode(ISD::FP_EXTEND, dl, MVT::f80, ValToCopy);
1538       RetOps.push_back(ValToCopy);
1539       // Don't emit a copytoreg.
1540       continue;
1541     }
1542
1543     // 64-bit vector (MMX) values are returned in XMM0 / XMM1 except for v1i64
1544     // which is returned in RAX / RDX.
1545     if (Subtarget->is64Bit()) {
1546       if (ValVT == MVT::x86mmx) {
1547         if (VA.getLocReg() == X86::XMM0 || VA.getLocReg() == X86::XMM1) {
1548           ValToCopy = DAG.getNode(ISD::BITCAST, dl, MVT::i64, ValToCopy);
1549           ValToCopy = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, MVT::v2i64,
1550                                   ValToCopy);
1551           // If we don't have SSE2 available, convert to v4f32 so the generated
1552           // register is legal.
1553           if (!Subtarget->hasSSE2())
1554             ValToCopy = DAG.getNode(ISD::BITCAST, dl, MVT::v4f32,ValToCopy);
1555         }
1556       }
1557     }
1558
1559     Chain = DAG.getCopyToReg(Chain, dl, VA.getLocReg(), ValToCopy, Flag);
1560     Flag = Chain.getValue(1);
1561   }
1562
1563   // The x86-64 ABI for returning structs by value requires that we copy
1564   // the sret argument into %rax for the return. We saved the argument into
1565   // a virtual register in the entry block, so now we copy the value out
1566   // and into %rax.
1567   if (Subtarget->is64Bit() &&
1568       DAG.getMachineFunction().getFunction()->hasStructRetAttr()) {
1569     MachineFunction &MF = DAG.getMachineFunction();
1570     X86MachineFunctionInfo *FuncInfo = MF.getInfo<X86MachineFunctionInfo>();
1571     unsigned Reg = FuncInfo->getSRetReturnReg();
1572     assert(Reg &&
1573            "SRetReturnReg should have been set in LowerFormalArguments().");
1574     SDValue Val = DAG.getCopyFromReg(Chain, dl, Reg, getPointerTy());
1575
1576     Chain = DAG.getCopyToReg(Chain, dl, X86::RAX, Val, Flag);
1577     Flag = Chain.getValue(1);
1578
1579     // RAX now acts like a return value.
1580     MRI.addLiveOut(X86::RAX);
1581   }
1582
1583   RetOps[0] = Chain;  // Update chain.
1584
1585   // Add the flag if we have it.
1586   if (Flag.getNode())
1587     RetOps.push_back(Flag);
1588
1589   return DAG.getNode(X86ISD::RET_FLAG, dl,
1590                      MVT::Other, &RetOps[0], RetOps.size());
1591 }
1592
1593 bool X86TargetLowering::isUsedByReturnOnly(SDNode *N, SDValue &Chain) const {
1594   if (N->getNumValues() != 1)
1595     return false;
1596   if (!N->hasNUsesOfValue(1, 0))
1597     return false;
1598
1599   SDValue TCChain = Chain;
1600   SDNode *Copy = *N->use_begin();
1601   if (Copy->getOpcode() == ISD::CopyToReg) {
1602     // If the copy has a glue operand, we conservatively assume it isn't safe to
1603     // perform a tail call.
1604     if (Copy->getOperand(Copy->getNumOperands()-1).getValueType() == MVT::Glue)
1605       return false;
1606     TCChain = Copy->getOperand(0);
1607   } else if (Copy->getOpcode() != ISD::FP_EXTEND)
1608     return false;
1609
1610   bool HasRet = false;
1611   for (SDNode::use_iterator UI = Copy->use_begin(), UE = Copy->use_end();
1612        UI != UE; ++UI) {
1613     if (UI->getOpcode() != X86ISD::RET_FLAG)
1614       return false;
1615     HasRet = true;
1616   }
1617
1618   if (!HasRet)
1619     return false;
1620
1621   Chain = TCChain;
1622   return true;
1623 }
1624
1625 EVT
1626 X86TargetLowering::getTypeForExtArgOrReturn(LLVMContext &Context, EVT VT,
1627                                             ISD::NodeType ExtendKind) const {
1628   MVT ReturnMVT;
1629   // TODO: Is this also valid on 32-bit?
1630   if (Subtarget->is64Bit() && VT == MVT::i1 && ExtendKind == ISD::ZERO_EXTEND)
1631     ReturnMVT = MVT::i8;
1632   else
1633     ReturnMVT = MVT::i32;
1634
1635   EVT MinVT = getRegisterType(Context, ReturnMVT);
1636   return VT.bitsLT(MinVT) ? MinVT : VT;
1637 }
1638
1639 /// LowerCallResult - Lower the result values of a call into the
1640 /// appropriate copies out of appropriate physical registers.
1641 ///
1642 SDValue
1643 X86TargetLowering::LowerCallResult(SDValue Chain, SDValue InFlag,
1644                                    CallingConv::ID CallConv, bool isVarArg,
1645                                    const SmallVectorImpl<ISD::InputArg> &Ins,
1646                                    DebugLoc dl, SelectionDAG &DAG,
1647                                    SmallVectorImpl<SDValue> &InVals) const {
1648
1649   // Assign locations to each value returned by this call.
1650   SmallVector<CCValAssign, 16> RVLocs;
1651   bool Is64Bit = Subtarget->is64Bit();
1652   CCState CCInfo(CallConv, isVarArg, DAG.getMachineFunction(),
1653                  getTargetMachine(), RVLocs, *DAG.getContext());
1654   CCInfo.AnalyzeCallResult(Ins, RetCC_X86);
1655
1656   // Copy all of the result registers out of their specified physreg.
1657   for (unsigned i = 0; i != RVLocs.size(); ++i) {
1658     CCValAssign &VA = RVLocs[i];
1659     EVT CopyVT = VA.getValVT();
1660
1661     // If this is x86-64, and we disabled SSE, we can't return FP values
1662     if ((CopyVT == MVT::f32 || CopyVT == MVT::f64) &&
1663         ((Is64Bit || Ins[i].Flags.isInReg()) && !Subtarget->hasSSE1())) {
1664       report_fatal_error("SSE register return with SSE disabled");
1665     }
1666
1667     SDValue Val;
1668
1669     // If this is a call to a function that returns an fp value on the floating
1670     // point stack, we must guarantee the the value is popped from the stack, so
1671     // a CopyFromReg is not good enough - the copy instruction may be eliminated
1672     // if the return value is not used. We use the FpPOP_RETVAL instruction
1673     // instead.
1674     if (VA.getLocReg() == X86::ST0 || VA.getLocReg() == X86::ST1) {
1675       // If we prefer to use the value in xmm registers, copy it out as f80 and
1676       // use a truncate to move it from fp stack reg to xmm reg.
1677       if (isScalarFPTypeInSSEReg(VA.getValVT())) CopyVT = MVT::f80;
1678       SDValue Ops[] = { Chain, InFlag };
1679       Chain = SDValue(DAG.getMachineNode(X86::FpPOP_RETVAL, dl, CopyVT,
1680                                          MVT::Other, MVT::Glue, Ops, 2), 1);
1681       Val = Chain.getValue(0);
1682
1683       // Round the f80 to the right size, which also moves it to the appropriate
1684       // xmm register.
1685       if (CopyVT != VA.getValVT())
1686         Val = DAG.getNode(ISD::FP_ROUND, dl, VA.getValVT(), Val,
1687                           // This truncation won't change the value.
1688                           DAG.getIntPtrConstant(1));
1689     } else {
1690       Chain = DAG.getCopyFromReg(Chain, dl, VA.getLocReg(),
1691                                  CopyVT, InFlag).getValue(1);
1692       Val = Chain.getValue(0);
1693     }
1694     InFlag = Chain.getValue(2);
1695     InVals.push_back(Val);
1696   }
1697
1698   return Chain;
1699 }
1700
1701
1702 //===----------------------------------------------------------------------===//
1703 //                C & StdCall & Fast Calling Convention implementation
1704 //===----------------------------------------------------------------------===//
1705 //  StdCall calling convention seems to be standard for many Windows' API
1706 //  routines and around. It differs from C calling convention just a little:
1707 //  callee should clean up the stack, not caller. Symbols should be also
1708 //  decorated in some fancy way :) It doesn't support any vector arguments.
1709 //  For info on fast calling convention see Fast Calling Convention (tail call)
1710 //  implementation LowerX86_32FastCCCallTo.
1711
1712 /// CallIsStructReturn - Determines whether a call uses struct return
1713 /// semantics.
1714 static bool CallIsStructReturn(const SmallVectorImpl<ISD::OutputArg> &Outs) {
1715   if (Outs.empty())
1716     return false;
1717
1718   return Outs[0].Flags.isSRet();
1719 }
1720
1721 /// ArgsAreStructReturn - Determines whether a function uses struct
1722 /// return semantics.
1723 static bool
1724 ArgsAreStructReturn(const SmallVectorImpl<ISD::InputArg> &Ins) {
1725   if (Ins.empty())
1726     return false;
1727
1728   return Ins[0].Flags.isSRet();
1729 }
1730
1731 /// CreateCopyOfByValArgument - Make a copy of an aggregate at address specified
1732 /// by "Src" to address "Dst" with size and alignment information specified by
1733 /// the specific parameter attribute. The copy will be passed as a byval
1734 /// function parameter.
1735 static SDValue
1736 CreateCopyOfByValArgument(SDValue Src, SDValue Dst, SDValue Chain,
1737                           ISD::ArgFlagsTy Flags, SelectionDAG &DAG,
1738                           DebugLoc dl) {
1739   SDValue SizeNode = DAG.getConstant(Flags.getByValSize(), MVT::i32);
1740
1741   return DAG.getMemcpy(Chain, dl, Dst, Src, SizeNode, Flags.getByValAlign(),
1742                        /*isVolatile*/false, /*AlwaysInline=*/true,
1743                        MachinePointerInfo(), MachinePointerInfo());
1744 }
1745
1746 /// IsTailCallConvention - Return true if the calling convention is one that
1747 /// supports tail call optimization.
1748 static bool IsTailCallConvention(CallingConv::ID CC) {
1749   return (CC == CallingConv::Fast || CC == CallingConv::GHC);
1750 }
1751
1752 bool X86TargetLowering::mayBeEmittedAsTailCall(CallInst *CI) const {
1753   if (!CI->isTailCall() || getTargetMachine().Options.DisableTailCalls)
1754     return false;
1755
1756   CallSite CS(CI);
1757   CallingConv::ID CalleeCC = CS.getCallingConv();
1758   if (!IsTailCallConvention(CalleeCC) && CalleeCC != CallingConv::C)
1759     return false;
1760
1761   return true;
1762 }
1763
1764 /// FuncIsMadeTailCallSafe - Return true if the function is being made into
1765 /// a tailcall target by changing its ABI.
1766 static bool FuncIsMadeTailCallSafe(CallingConv::ID CC,
1767                                    bool GuaranteedTailCallOpt) {
1768   return GuaranteedTailCallOpt && IsTailCallConvention(CC);
1769 }
1770
1771 SDValue
1772 X86TargetLowering::LowerMemArgument(SDValue Chain,
1773                                     CallingConv::ID CallConv,
1774                                     const SmallVectorImpl<ISD::InputArg> &Ins,
1775                                     DebugLoc dl, SelectionDAG &DAG,
1776                                     const CCValAssign &VA,
1777                                     MachineFrameInfo *MFI,
1778                                     unsigned i) const {
1779   // Create the nodes corresponding to a load from this parameter slot.
1780   ISD::ArgFlagsTy Flags = Ins[i].Flags;
1781   bool AlwaysUseMutable = FuncIsMadeTailCallSafe(CallConv,
1782                               getTargetMachine().Options.GuaranteedTailCallOpt);
1783   bool isImmutable = !AlwaysUseMutable && !Flags.isByVal();
1784   EVT ValVT;
1785
1786   // If value is passed by pointer we have address passed instead of the value
1787   // itself.
1788   if (VA.getLocInfo() == CCValAssign::Indirect)
1789     ValVT = VA.getLocVT();
1790   else
1791     ValVT = VA.getValVT();
1792
1793   // FIXME: For now, all byval parameter objects are marked mutable. This can be
1794   // changed with more analysis.
1795   // In case of tail call optimization mark all arguments mutable. Since they
1796   // could be overwritten by lowering of arguments in case of a tail call.
1797   if (Flags.isByVal()) {
1798     unsigned Bytes = Flags.getByValSize();
1799     if (Bytes == 0) Bytes = 1; // Don't create zero-sized stack objects.
1800     int FI = MFI->CreateFixedObject(Bytes, VA.getLocMemOffset(), isImmutable);
1801     return DAG.getFrameIndex(FI, getPointerTy());
1802   } else {
1803     int FI = MFI->CreateFixedObject(ValVT.getSizeInBits()/8,
1804                                     VA.getLocMemOffset(), isImmutable);
1805     SDValue FIN = DAG.getFrameIndex(FI, getPointerTy());
1806     return DAG.getLoad(ValVT, dl, Chain, FIN,
1807                        MachinePointerInfo::getFixedStack(FI),
1808                        false, false, false, 0);
1809   }
1810 }
1811
1812 SDValue
1813 X86TargetLowering::LowerFormalArguments(SDValue Chain,
1814                                         CallingConv::ID CallConv,
1815                                         bool isVarArg,
1816                                       const SmallVectorImpl<ISD::InputArg> &Ins,
1817                                         DebugLoc dl,
1818                                         SelectionDAG &DAG,
1819                                         SmallVectorImpl<SDValue> &InVals)
1820                                           const {
1821   MachineFunction &MF = DAG.getMachineFunction();
1822   X86MachineFunctionInfo *FuncInfo = MF.getInfo<X86MachineFunctionInfo>();
1823
1824   const Function* Fn = MF.getFunction();
1825   if (Fn->hasExternalLinkage() &&
1826       Subtarget->isTargetCygMing() &&
1827       Fn->getName() == "main")
1828     FuncInfo->setForceFramePointer(true);
1829
1830   MachineFrameInfo *MFI = MF.getFrameInfo();
1831   bool Is64Bit = Subtarget->is64Bit();
1832   bool IsWindows = Subtarget->isTargetWindows();
1833   bool IsWin64 = Subtarget->isTargetWin64();
1834
1835   assert(!(isVarArg && IsTailCallConvention(CallConv)) &&
1836          "Var args not supported with calling convention fastcc or ghc");
1837
1838   // Assign locations to all of the incoming arguments.
1839   SmallVector<CCValAssign, 16> ArgLocs;
1840   CCState CCInfo(CallConv, isVarArg, MF, getTargetMachine(),
1841                  ArgLocs, *DAG.getContext());
1842
1843   // Allocate shadow area for Win64
1844   if (IsWin64) {
1845     CCInfo.AllocateStack(32, 8);
1846   }
1847
1848   CCInfo.AnalyzeFormalArguments(Ins, CC_X86);
1849
1850   unsigned LastVal = ~0U;
1851   SDValue ArgValue;
1852   for (unsigned i = 0, e = ArgLocs.size(); i != e; ++i) {
1853     CCValAssign &VA = ArgLocs[i];
1854     // TODO: If an arg is passed in two places (e.g. reg and stack), skip later
1855     // places.
1856     assert(VA.getValNo() != LastVal &&
1857            "Don't support value assigned to multiple locs yet");
1858     (void)LastVal;
1859     LastVal = VA.getValNo();
1860
1861     if (VA.isRegLoc()) {
1862       EVT RegVT = VA.getLocVT();
1863       const TargetRegisterClass *RC;
1864       if (RegVT == MVT::i32)
1865         RC = &X86::GR32RegClass;
1866       else if (Is64Bit && RegVT == MVT::i64)
1867         RC = &X86::GR64RegClass;
1868       else if (RegVT == MVT::f32)
1869         RC = &X86::FR32RegClass;
1870       else if (RegVT == MVT::f64)
1871         RC = &X86::FR64RegClass;
1872       else if (RegVT.isVector() && RegVT.getSizeInBits() == 256)
1873         RC = &X86::VR256RegClass;
1874       else if (RegVT.isVector() && RegVT.getSizeInBits() == 128)
1875         RC = &X86::VR128RegClass;
1876       else if (RegVT == MVT::x86mmx)
1877         RC = &X86::VR64RegClass;
1878       else
1879         llvm_unreachable("Unknown argument type!");
1880
1881       unsigned Reg = MF.addLiveIn(VA.getLocReg(), RC);
1882       ArgValue = DAG.getCopyFromReg(Chain, dl, Reg, RegVT);
1883
1884       // If this is an 8 or 16-bit value, it is really passed promoted to 32
1885       // bits.  Insert an assert[sz]ext to capture this, then truncate to the
1886       // right size.
1887       if (VA.getLocInfo() == CCValAssign::SExt)
1888         ArgValue = DAG.getNode(ISD::AssertSext, dl, RegVT, ArgValue,
1889                                DAG.getValueType(VA.getValVT()));
1890       else if (VA.getLocInfo() == CCValAssign::ZExt)
1891         ArgValue = DAG.getNode(ISD::AssertZext, dl, RegVT, ArgValue,
1892                                DAG.getValueType(VA.getValVT()));
1893       else if (VA.getLocInfo() == CCValAssign::BCvt)
1894         ArgValue = DAG.getNode(ISD::BITCAST, dl, VA.getValVT(), ArgValue);
1895
1896       if (VA.isExtInLoc()) {
1897         // Handle MMX values passed in XMM regs.
1898         if (RegVT.isVector()) {
1899           ArgValue = DAG.getNode(X86ISD::MOVDQ2Q, dl, VA.getValVT(),
1900                                  ArgValue);
1901         } else
1902           ArgValue = DAG.getNode(ISD::TRUNCATE, dl, VA.getValVT(), ArgValue);
1903       }
1904     } else {
1905       assert(VA.isMemLoc());
1906       ArgValue = LowerMemArgument(Chain, CallConv, Ins, dl, DAG, VA, MFI, i);
1907     }
1908
1909     // If value is passed via pointer - do a load.
1910     if (VA.getLocInfo() == CCValAssign::Indirect)
1911       ArgValue = DAG.getLoad(VA.getValVT(), dl, Chain, ArgValue,
1912                              MachinePointerInfo(), false, false, false, 0);
1913
1914     InVals.push_back(ArgValue);
1915   }
1916
1917   // The x86-64 ABI for returning structs by value requires that we copy
1918   // the sret argument into %rax for the return. Save the argument into
1919   // a virtual register so that we can access it from the return points.
1920   if (Is64Bit && MF.getFunction()->hasStructRetAttr()) {
1921     X86MachineFunctionInfo *FuncInfo = MF.getInfo<X86MachineFunctionInfo>();
1922     unsigned Reg = FuncInfo->getSRetReturnReg();
1923     if (!Reg) {
1924       Reg = MF.getRegInfo().createVirtualRegister(getRegClassFor(MVT::i64));
1925       FuncInfo->setSRetReturnReg(Reg);
1926     }
1927     SDValue Copy = DAG.getCopyToReg(DAG.getEntryNode(), dl, Reg, InVals[0]);
1928     Chain = DAG.getNode(ISD::TokenFactor, dl, MVT::Other, Copy, Chain);
1929   }
1930
1931   unsigned StackSize = CCInfo.getNextStackOffset();
1932   // Align stack specially for tail calls.
1933   if (FuncIsMadeTailCallSafe(CallConv,
1934                              MF.getTarget().Options.GuaranteedTailCallOpt))
1935     StackSize = GetAlignedArgumentStackSize(StackSize, DAG);
1936
1937   // If the function takes variable number of arguments, make a frame index for
1938   // the start of the first vararg value... for expansion of llvm.va_start.
1939   if (isVarArg) {
1940     if (Is64Bit || (CallConv != CallingConv::X86_FastCall &&
1941                     CallConv != CallingConv::X86_ThisCall)) {
1942       FuncInfo->setVarArgsFrameIndex(MFI->CreateFixedObject(1, StackSize,true));
1943     }
1944     if (Is64Bit) {
1945       unsigned TotalNumIntRegs = 0, TotalNumXMMRegs = 0;
1946
1947       // FIXME: We should really autogenerate these arrays
1948       static const uint16_t GPR64ArgRegsWin64[] = {
1949         X86::RCX, X86::RDX, X86::R8,  X86::R9
1950       };
1951       static const uint16_t GPR64ArgRegs64Bit[] = {
1952         X86::RDI, X86::RSI, X86::RDX, X86::RCX, X86::R8, X86::R9
1953       };
1954       static const uint16_t XMMArgRegs64Bit[] = {
1955         X86::XMM0, X86::XMM1, X86::XMM2, X86::XMM3,
1956         X86::XMM4, X86::XMM5, X86::XMM6, X86::XMM7
1957       };
1958       const uint16_t *GPR64ArgRegs;
1959       unsigned NumXMMRegs = 0;
1960
1961       if (IsWin64) {
1962         // The XMM registers which might contain var arg parameters are shadowed
1963         // in their paired GPR.  So we only need to save the GPR to their home
1964         // slots.
1965         TotalNumIntRegs = 4;
1966         GPR64ArgRegs = GPR64ArgRegsWin64;
1967       } else {
1968         TotalNumIntRegs = 6; TotalNumXMMRegs = 8;
1969         GPR64ArgRegs = GPR64ArgRegs64Bit;
1970
1971         NumXMMRegs = CCInfo.getFirstUnallocated(XMMArgRegs64Bit,
1972                                                 TotalNumXMMRegs);
1973       }
1974       unsigned NumIntRegs = CCInfo.getFirstUnallocated(GPR64ArgRegs,
1975                                                        TotalNumIntRegs);
1976
1977       bool NoImplicitFloatOps = Fn->hasFnAttr(Attribute::NoImplicitFloat);
1978       assert(!(NumXMMRegs && !Subtarget->hasSSE1()) &&
1979              "SSE register cannot be used when SSE is disabled!");
1980       assert(!(NumXMMRegs && MF.getTarget().Options.UseSoftFloat &&
1981                NoImplicitFloatOps) &&
1982              "SSE register cannot be used when SSE is disabled!");
1983       if (MF.getTarget().Options.UseSoftFloat || NoImplicitFloatOps ||
1984           !Subtarget->hasSSE1())
1985         // Kernel mode asks for SSE to be disabled, so don't push them
1986         // on the stack.
1987         TotalNumXMMRegs = 0;
1988
1989       if (IsWin64) {
1990         const TargetFrameLowering &TFI = *getTargetMachine().getFrameLowering();
1991         // Get to the caller-allocated home save location.  Add 8 to account
1992         // for the return address.
1993         int HomeOffset = TFI.getOffsetOfLocalArea() + 8;
1994         FuncInfo->setRegSaveFrameIndex(
1995           MFI->CreateFixedObject(1, NumIntRegs * 8 + HomeOffset, false));
1996         // Fixup to set vararg frame on shadow area (4 x i64).
1997         if (NumIntRegs < 4)
1998           FuncInfo->setVarArgsFrameIndex(FuncInfo->getRegSaveFrameIndex());
1999       } else {
2000         // For X86-64, if there are vararg parameters that are passed via
2001         // registers, then we must store them to their spots on the stack so
2002         // they may be loaded by deferencing the result of va_next.
2003         FuncInfo->setVarArgsGPOffset(NumIntRegs * 8);
2004         FuncInfo->setVarArgsFPOffset(TotalNumIntRegs * 8 + NumXMMRegs * 16);
2005         FuncInfo->setRegSaveFrameIndex(
2006           MFI->CreateStackObject(TotalNumIntRegs * 8 + TotalNumXMMRegs * 16, 16,
2007                                false));
2008       }
2009
2010       // Store the integer parameter registers.
2011       SmallVector<SDValue, 8> MemOps;
2012       SDValue RSFIN = DAG.getFrameIndex(FuncInfo->getRegSaveFrameIndex(),
2013                                         getPointerTy());
2014       unsigned Offset = FuncInfo->getVarArgsGPOffset();
2015       for (; NumIntRegs != TotalNumIntRegs; ++NumIntRegs) {
2016         SDValue FIN = DAG.getNode(ISD::ADD, dl, getPointerTy(), RSFIN,
2017                                   DAG.getIntPtrConstant(Offset));
2018         unsigned VReg = MF.addLiveIn(GPR64ArgRegs[NumIntRegs],
2019                                      &X86::GR64RegClass);
2020         SDValue Val = DAG.getCopyFromReg(Chain, dl, VReg, MVT::i64);
2021         SDValue Store =
2022           DAG.getStore(Val.getValue(1), dl, Val, FIN,
2023                        MachinePointerInfo::getFixedStack(
2024                          FuncInfo->getRegSaveFrameIndex(), Offset),
2025                        false, false, 0);
2026         MemOps.push_back(Store);
2027         Offset += 8;
2028       }
2029
2030       if (TotalNumXMMRegs != 0 && NumXMMRegs != TotalNumXMMRegs) {
2031         // Now store the XMM (fp + vector) parameter registers.
2032         SmallVector<SDValue, 11> SaveXMMOps;
2033         SaveXMMOps.push_back(Chain);
2034
2035         unsigned AL = MF.addLiveIn(X86::AL, &X86::GR8RegClass);
2036         SDValue ALVal = DAG.getCopyFromReg(DAG.getEntryNode(), dl, AL, MVT::i8);
2037         SaveXMMOps.push_back(ALVal);
2038
2039         SaveXMMOps.push_back(DAG.getIntPtrConstant(
2040                                FuncInfo->getRegSaveFrameIndex()));
2041         SaveXMMOps.push_back(DAG.getIntPtrConstant(
2042                                FuncInfo->getVarArgsFPOffset()));
2043
2044         for (; NumXMMRegs != TotalNumXMMRegs; ++NumXMMRegs) {
2045           unsigned VReg = MF.addLiveIn(XMMArgRegs64Bit[NumXMMRegs],
2046                                        &X86::VR128RegClass);
2047           SDValue Val = DAG.getCopyFromReg(Chain, dl, VReg, MVT::v4f32);
2048           SaveXMMOps.push_back(Val);
2049         }
2050         MemOps.push_back(DAG.getNode(X86ISD::VASTART_SAVE_XMM_REGS, dl,
2051                                      MVT::Other,
2052                                      &SaveXMMOps[0], SaveXMMOps.size()));
2053       }
2054
2055       if (!MemOps.empty())
2056         Chain = DAG.getNode(ISD::TokenFactor, dl, MVT::Other,
2057                             &MemOps[0], MemOps.size());
2058     }
2059   }
2060
2061   // Some CCs need callee pop.
2062   if (X86::isCalleePop(CallConv, Is64Bit, isVarArg,
2063                        MF.getTarget().Options.GuaranteedTailCallOpt)) {
2064     FuncInfo->setBytesToPopOnReturn(StackSize); // Callee pops everything.
2065   } else {
2066     FuncInfo->setBytesToPopOnReturn(0); // Callee pops nothing.
2067     // If this is an sret function, the return should pop the hidden pointer.
2068     if (!Is64Bit && !IsTailCallConvention(CallConv) && !IsWindows &&
2069         ArgsAreStructReturn(Ins))
2070       FuncInfo->setBytesToPopOnReturn(4);
2071   }
2072
2073   if (!Is64Bit) {
2074     // RegSaveFrameIndex is X86-64 only.
2075     FuncInfo->setRegSaveFrameIndex(0xAAAAAAA);
2076     if (CallConv == CallingConv::X86_FastCall ||
2077         CallConv == CallingConv::X86_ThisCall)
2078       // fastcc functions can't have varargs.
2079       FuncInfo->setVarArgsFrameIndex(0xAAAAAAA);
2080   }
2081
2082   FuncInfo->setArgumentStackSize(StackSize);
2083
2084   return Chain;
2085 }
2086
2087 SDValue
2088 X86TargetLowering::LowerMemOpCallTo(SDValue Chain,
2089                                     SDValue StackPtr, SDValue Arg,
2090                                     DebugLoc dl, SelectionDAG &DAG,
2091                                     const CCValAssign &VA,
2092                                     ISD::ArgFlagsTy Flags) const {
2093   unsigned LocMemOffset = VA.getLocMemOffset();
2094   SDValue PtrOff = DAG.getIntPtrConstant(LocMemOffset);
2095   PtrOff = DAG.getNode(ISD::ADD, dl, getPointerTy(), StackPtr, PtrOff);
2096   if (Flags.isByVal())
2097     return CreateCopyOfByValArgument(Arg, PtrOff, Chain, Flags, DAG, dl);
2098
2099   return DAG.getStore(Chain, dl, Arg, PtrOff,
2100                       MachinePointerInfo::getStack(LocMemOffset),
2101                       false, false, 0);
2102 }
2103
2104 /// EmitTailCallLoadRetAddr - Emit a load of return address if tail call
2105 /// optimization is performed and it is required.
2106 SDValue
2107 X86TargetLowering::EmitTailCallLoadRetAddr(SelectionDAG &DAG,
2108                                            SDValue &OutRetAddr, SDValue Chain,
2109                                            bool IsTailCall, bool Is64Bit,
2110                                            int FPDiff, DebugLoc dl) const {
2111   // Adjust the Return address stack slot.
2112   EVT VT = getPointerTy();
2113   OutRetAddr = getReturnAddressFrameIndex(DAG);
2114
2115   // Load the "old" Return address.
2116   OutRetAddr = DAG.getLoad(VT, dl, Chain, OutRetAddr, MachinePointerInfo(),
2117                            false, false, false, 0);
2118   return SDValue(OutRetAddr.getNode(), 1);
2119 }
2120
2121 /// EmitTailCallStoreRetAddr - Emit a store of the return address if tail call
2122 /// optimization is performed and it is required (FPDiff!=0).
2123 static SDValue
2124 EmitTailCallStoreRetAddr(SelectionDAG & DAG, MachineFunction &MF,
2125                          SDValue Chain, SDValue RetAddrFrIdx,
2126                          bool Is64Bit, int FPDiff, DebugLoc dl) {
2127   // Store the return address to the appropriate stack slot.
2128   if (!FPDiff) return Chain;
2129   // Calculate the new stack slot for the return address.
2130   int SlotSize = Is64Bit ? 8 : 4;
2131   int NewReturnAddrFI =
2132     MF.getFrameInfo()->CreateFixedObject(SlotSize, FPDiff-SlotSize, false);
2133   EVT VT = Is64Bit ? MVT::i64 : MVT::i32;
2134   SDValue NewRetAddrFrIdx = DAG.getFrameIndex(NewReturnAddrFI, VT);
2135   Chain = DAG.getStore(Chain, dl, RetAddrFrIdx, NewRetAddrFrIdx,
2136                        MachinePointerInfo::getFixedStack(NewReturnAddrFI),
2137                        false, false, 0);
2138   return Chain;
2139 }
2140
2141 SDValue
2142 X86TargetLowering::LowerCall(TargetLowering::CallLoweringInfo &CLI,
2143                              SmallVectorImpl<SDValue> &InVals) const {
2144   SelectionDAG &DAG                     = CLI.DAG;
2145   DebugLoc &dl                          = CLI.DL;
2146   SmallVector<ISD::OutputArg, 32> &Outs = CLI.Outs;
2147   SmallVector<SDValue, 32> &OutVals     = CLI.OutVals;
2148   SmallVector<ISD::InputArg, 32> &Ins   = CLI.Ins;
2149   SDValue Chain                         = CLI.Chain;
2150   SDValue Callee                        = CLI.Callee;
2151   CallingConv::ID CallConv              = CLI.CallConv;
2152   bool &isTailCall                      = CLI.IsTailCall;
2153   bool isVarArg                         = CLI.IsVarArg;
2154
2155   MachineFunction &MF = DAG.getMachineFunction();
2156   bool Is64Bit        = Subtarget->is64Bit();
2157   bool IsWin64        = Subtarget->isTargetWin64();
2158   bool IsWindows      = Subtarget->isTargetWindows();
2159   bool IsStructRet    = CallIsStructReturn(Outs);
2160   bool IsSibcall      = false;
2161
2162   if (MF.getTarget().Options.DisableTailCalls)
2163     isTailCall = false;
2164
2165   if (isTailCall) {
2166     // Check if it's really possible to do a tail call.
2167     isTailCall = IsEligibleForTailCallOptimization(Callee, CallConv,
2168                     isVarArg, IsStructRet, MF.getFunction()->hasStructRetAttr(),
2169                                                    Outs, OutVals, Ins, DAG);
2170
2171     // Sibcalls are automatically detected tailcalls which do not require
2172     // ABI changes.
2173     if (!MF.getTarget().Options.GuaranteedTailCallOpt && isTailCall)
2174       IsSibcall = true;
2175
2176     if (isTailCall)
2177       ++NumTailCalls;
2178   }
2179
2180   assert(!(isVarArg && IsTailCallConvention(CallConv)) &&
2181          "Var args not supported with calling convention fastcc or ghc");
2182
2183   // Analyze operands of the call, assigning locations to each operand.
2184   SmallVector<CCValAssign, 16> ArgLocs;
2185   CCState CCInfo(CallConv, isVarArg, MF, getTargetMachine(),
2186                  ArgLocs, *DAG.getContext());
2187
2188   // Allocate shadow area for Win64
2189   if (IsWin64) {
2190     CCInfo.AllocateStack(32, 8);
2191   }
2192
2193   CCInfo.AnalyzeCallOperands(Outs, CC_X86);
2194
2195   // Get a count of how many bytes are to be pushed on the stack.
2196   unsigned NumBytes = CCInfo.getNextStackOffset();
2197   if (IsSibcall)
2198     // This is a sibcall. The memory operands are available in caller's
2199     // own caller's stack.
2200     NumBytes = 0;
2201   else if (getTargetMachine().Options.GuaranteedTailCallOpt &&
2202            IsTailCallConvention(CallConv))
2203     NumBytes = GetAlignedArgumentStackSize(NumBytes, DAG);
2204
2205   int FPDiff = 0;
2206   if (isTailCall && !IsSibcall) {
2207     // Lower arguments at fp - stackoffset + fpdiff.
2208     unsigned NumBytesCallerPushed =
2209       MF.getInfo<X86MachineFunctionInfo>()->getBytesToPopOnReturn();
2210     FPDiff = NumBytesCallerPushed - NumBytes;
2211
2212     // Set the delta of movement of the returnaddr stackslot.
2213     // But only set if delta is greater than previous delta.
2214     if (FPDiff < (MF.getInfo<X86MachineFunctionInfo>()->getTCReturnAddrDelta()))
2215       MF.getInfo<X86MachineFunctionInfo>()->setTCReturnAddrDelta(FPDiff);
2216   }
2217
2218   if (!IsSibcall)
2219     Chain = DAG.getCALLSEQ_START(Chain, DAG.getIntPtrConstant(NumBytes, true));
2220
2221   SDValue RetAddrFrIdx;
2222   // Load return address for tail calls.
2223   if (isTailCall && FPDiff)
2224     Chain = EmitTailCallLoadRetAddr(DAG, RetAddrFrIdx, Chain, isTailCall,
2225                                     Is64Bit, FPDiff, dl);
2226
2227   SmallVector<std::pair<unsigned, SDValue>, 8> RegsToPass;
2228   SmallVector<SDValue, 8> MemOpChains;
2229   SDValue StackPtr;
2230
2231   // Walk the register/memloc assignments, inserting copies/loads.  In the case
2232   // of tail call optimization arguments are handle later.
2233   for (unsigned i = 0, e = ArgLocs.size(); i != e; ++i) {
2234     CCValAssign &VA = ArgLocs[i];
2235     EVT RegVT = VA.getLocVT();
2236     SDValue Arg = OutVals[i];
2237     ISD::ArgFlagsTy Flags = Outs[i].Flags;
2238     bool isByVal = Flags.isByVal();
2239
2240     // Promote the value if needed.
2241     switch (VA.getLocInfo()) {
2242     default: llvm_unreachable("Unknown loc info!");
2243     case CCValAssign::Full: break;
2244     case CCValAssign::SExt:
2245       Arg = DAG.getNode(ISD::SIGN_EXTEND, dl, RegVT, Arg);
2246       break;
2247     case CCValAssign::ZExt:
2248       Arg = DAG.getNode(ISD::ZERO_EXTEND, dl, RegVT, Arg);
2249       break;
2250     case CCValAssign::AExt:
2251       if (RegVT.isVector() && RegVT.getSizeInBits() == 128) {
2252         // Special case: passing MMX values in XMM registers.
2253         Arg = DAG.getNode(ISD::BITCAST, dl, MVT::i64, Arg);
2254         Arg = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, MVT::v2i64, Arg);
2255         Arg = getMOVL(DAG, dl, MVT::v2i64, DAG.getUNDEF(MVT::v2i64), Arg);
2256       } else
2257         Arg = DAG.getNode(ISD::ANY_EXTEND, dl, RegVT, Arg);
2258       break;
2259     case CCValAssign::BCvt:
2260       Arg = DAG.getNode(ISD::BITCAST, dl, RegVT, Arg);
2261       break;
2262     case CCValAssign::Indirect: {
2263       // Store the argument.
2264       SDValue SpillSlot = DAG.CreateStackTemporary(VA.getValVT());
2265       int FI = cast<FrameIndexSDNode>(SpillSlot)->getIndex();
2266       Chain = DAG.getStore(Chain, dl, Arg, SpillSlot,
2267                            MachinePointerInfo::getFixedStack(FI),
2268                            false, false, 0);
2269       Arg = SpillSlot;
2270       break;
2271     }
2272     }
2273
2274     if (VA.isRegLoc()) {
2275       RegsToPass.push_back(std::make_pair(VA.getLocReg(), Arg));
2276       if (isVarArg && IsWin64) {
2277         // Win64 ABI requires argument XMM reg to be copied to the corresponding
2278         // shadow reg if callee is a varargs function.
2279         unsigned ShadowReg = 0;
2280         switch (VA.getLocReg()) {
2281         case X86::XMM0: ShadowReg = X86::RCX; break;
2282         case X86::XMM1: ShadowReg = X86::RDX; break;
2283         case X86::XMM2: ShadowReg = X86::R8; break;
2284         case X86::XMM3: ShadowReg = X86::R9; break;
2285         }
2286         if (ShadowReg)
2287           RegsToPass.push_back(std::make_pair(ShadowReg, Arg));
2288       }
2289     } else if (!IsSibcall && (!isTailCall || isByVal)) {
2290       assert(VA.isMemLoc());
2291       if (StackPtr.getNode() == 0)
2292         StackPtr = DAG.getCopyFromReg(Chain, dl, X86StackPtr, getPointerTy());
2293       MemOpChains.push_back(LowerMemOpCallTo(Chain, StackPtr, Arg,
2294                                              dl, DAG, VA, Flags));
2295     }
2296   }
2297
2298   if (!MemOpChains.empty())
2299     Chain = DAG.getNode(ISD::TokenFactor, dl, MVT::Other,
2300                         &MemOpChains[0], MemOpChains.size());
2301
2302   // Build a sequence of copy-to-reg nodes chained together with token chain
2303   // and flag operands which copy the outgoing args into registers.
2304   SDValue InFlag;
2305   // Tail call byval lowering might overwrite argument registers so in case of
2306   // tail call optimization the copies to registers are lowered later.
2307   if (!isTailCall)
2308     for (unsigned i = 0, e = RegsToPass.size(); i != e; ++i) {
2309       Chain = DAG.getCopyToReg(Chain, dl, RegsToPass[i].first,
2310                                RegsToPass[i].second, InFlag);
2311       InFlag = Chain.getValue(1);
2312     }
2313
2314   if (Subtarget->isPICStyleGOT()) {
2315     // ELF / PIC requires GOT in the EBX register before function calls via PLT
2316     // GOT pointer.
2317     if (!isTailCall) {
2318       Chain = DAG.getCopyToReg(Chain, dl, X86::EBX,
2319                                DAG.getNode(X86ISD::GlobalBaseReg,
2320                                            DebugLoc(), getPointerTy()),
2321                                InFlag);
2322       InFlag = Chain.getValue(1);
2323     } else {
2324       // If we are tail calling and generating PIC/GOT style code load the
2325       // address of the callee into ECX. The value in ecx is used as target of
2326       // the tail jump. This is done to circumvent the ebx/callee-saved problem
2327       // for tail calls on PIC/GOT architectures. Normally we would just put the
2328       // address of GOT into ebx and then call target@PLT. But for tail calls
2329       // ebx would be restored (since ebx is callee saved) before jumping to the
2330       // target@PLT.
2331
2332       // Note: The actual moving to ECX is done further down.
2333       GlobalAddressSDNode *G = dyn_cast<GlobalAddressSDNode>(Callee);
2334       if (G && !G->getGlobal()->hasHiddenVisibility() &&
2335           !G->getGlobal()->hasProtectedVisibility())
2336         Callee = LowerGlobalAddress(Callee, DAG);
2337       else if (isa<ExternalSymbolSDNode>(Callee))
2338         Callee = LowerExternalSymbol(Callee, DAG);
2339     }
2340   }
2341
2342   if (Is64Bit && isVarArg && !IsWin64) {
2343     // From AMD64 ABI document:
2344     // For calls that may call functions that use varargs or stdargs
2345     // (prototype-less calls or calls to functions containing ellipsis (...) in
2346     // the declaration) %al is used as hidden argument to specify the number
2347     // of SSE registers used. The contents of %al do not need to match exactly
2348     // the number of registers, but must be an ubound on the number of SSE
2349     // registers used and is in the range 0 - 8 inclusive.
2350
2351     // Count the number of XMM registers allocated.
2352     static const uint16_t XMMArgRegs[] = {
2353       X86::XMM0, X86::XMM1, X86::XMM2, X86::XMM3,
2354       X86::XMM4, X86::XMM5, X86::XMM6, X86::XMM7
2355     };
2356     unsigned NumXMMRegs = CCInfo.getFirstUnallocated(XMMArgRegs, 8);
2357     assert((Subtarget->hasSSE1() || !NumXMMRegs)
2358            && "SSE registers cannot be used when SSE is disabled");
2359
2360     Chain = DAG.getCopyToReg(Chain, dl, X86::AL,
2361                              DAG.getConstant(NumXMMRegs, MVT::i8), InFlag);
2362     InFlag = Chain.getValue(1);
2363   }
2364
2365
2366   // For tail calls lower the arguments to the 'real' stack slot.
2367   if (isTailCall) {
2368     // Force all the incoming stack arguments to be loaded from the stack
2369     // before any new outgoing arguments are stored to the stack, because the
2370     // outgoing stack slots may alias the incoming argument stack slots, and
2371     // the alias isn't otherwise explicit. This is slightly more conservative
2372     // than necessary, because it means that each store effectively depends
2373     // on every argument instead of just those arguments it would clobber.
2374     SDValue ArgChain = DAG.getStackArgumentTokenFactor(Chain);
2375
2376     SmallVector<SDValue, 8> MemOpChains2;
2377     SDValue FIN;
2378     int FI = 0;
2379     // Do not flag preceding copytoreg stuff together with the following stuff.
2380     InFlag = SDValue();
2381     if (getTargetMachine().Options.GuaranteedTailCallOpt) {
2382       for (unsigned i = 0, e = ArgLocs.size(); i != e; ++i) {
2383         CCValAssign &VA = ArgLocs[i];
2384         if (VA.isRegLoc())
2385           continue;
2386         assert(VA.isMemLoc());
2387         SDValue Arg = OutVals[i];
2388         ISD::ArgFlagsTy Flags = Outs[i].Flags;
2389         // Create frame index.
2390         int32_t Offset = VA.getLocMemOffset()+FPDiff;
2391         uint32_t OpSize = (VA.getLocVT().getSizeInBits()+7)/8;
2392         FI = MF.getFrameInfo()->CreateFixedObject(OpSize, Offset, true);
2393         FIN = DAG.getFrameIndex(FI, getPointerTy());
2394
2395         if (Flags.isByVal()) {
2396           // Copy relative to framepointer.
2397           SDValue Source = DAG.getIntPtrConstant(VA.getLocMemOffset());
2398           if (StackPtr.getNode() == 0)
2399             StackPtr = DAG.getCopyFromReg(Chain, dl, X86StackPtr,
2400                                           getPointerTy());
2401           Source = DAG.getNode(ISD::ADD, dl, getPointerTy(), StackPtr, Source);
2402
2403           MemOpChains2.push_back(CreateCopyOfByValArgument(Source, FIN,
2404                                                            ArgChain,
2405                                                            Flags, DAG, dl));
2406         } else {
2407           // Store relative to framepointer.
2408           MemOpChains2.push_back(
2409             DAG.getStore(ArgChain, dl, Arg, FIN,
2410                          MachinePointerInfo::getFixedStack(FI),
2411                          false, false, 0));
2412         }
2413       }
2414     }
2415
2416     if (!MemOpChains2.empty())
2417       Chain = DAG.getNode(ISD::TokenFactor, dl, MVT::Other,
2418                           &MemOpChains2[0], MemOpChains2.size());
2419
2420     // Copy arguments to their registers.
2421     for (unsigned i = 0, e = RegsToPass.size(); i != e; ++i) {
2422       Chain = DAG.getCopyToReg(Chain, dl, RegsToPass[i].first,
2423                                RegsToPass[i].second, InFlag);
2424       InFlag = Chain.getValue(1);
2425     }
2426     InFlag =SDValue();
2427
2428     // Store the return address to the appropriate stack slot.
2429     Chain = EmitTailCallStoreRetAddr(DAG, MF, Chain, RetAddrFrIdx, Is64Bit,
2430                                      FPDiff, dl);
2431   }
2432
2433   if (getTargetMachine().getCodeModel() == CodeModel::Large) {
2434     assert(Is64Bit && "Large code model is only legal in 64-bit mode.");
2435     // In the 64-bit large code model, we have to make all calls
2436     // through a register, since the call instruction's 32-bit
2437     // pc-relative offset may not be large enough to hold the whole
2438     // address.
2439   } else if (GlobalAddressSDNode *G = dyn_cast<GlobalAddressSDNode>(Callee)) {
2440     // If the callee is a GlobalAddress node (quite common, every direct call
2441     // is) turn it into a TargetGlobalAddress node so that legalize doesn't hack
2442     // it.
2443
2444     // We should use extra load for direct calls to dllimported functions in
2445     // non-JIT mode.
2446     const GlobalValue *GV = G->getGlobal();
2447     if (!GV->hasDLLImportLinkage()) {
2448       unsigned char OpFlags = 0;
2449       bool ExtraLoad = false;
2450       unsigned WrapperKind = ISD::DELETED_NODE;
2451
2452       // On ELF targets, in both X86-64 and X86-32 mode, direct calls to
2453       // external symbols most go through the PLT in PIC mode.  If the symbol
2454       // has hidden or protected visibility, or if it is static or local, then
2455       // we don't need to use the PLT - we can directly call it.
2456       if (Subtarget->isTargetELF() &&
2457           getTargetMachine().getRelocationModel() == Reloc::PIC_ &&
2458           GV->hasDefaultVisibility() && !GV->hasLocalLinkage()) {
2459         OpFlags = X86II::MO_PLT;
2460       } else if (Subtarget->isPICStyleStubAny() &&
2461                  (GV->isDeclaration() || GV->isWeakForLinker()) &&
2462                  (!Subtarget->getTargetTriple().isMacOSX() ||
2463                   Subtarget->getTargetTriple().isMacOSXVersionLT(10, 5))) {
2464         // PC-relative references to external symbols should go through $stub,
2465         // unless we're building with the leopard linker or later, which
2466         // automatically synthesizes these stubs.
2467         OpFlags = X86II::MO_DARWIN_STUB;
2468       } else if (Subtarget->isPICStyleRIPRel() &&
2469                  isa<Function>(GV) &&
2470                  cast<Function>(GV)->hasFnAttr(Attribute::NonLazyBind)) {
2471         // If the function is marked as non-lazy, generate an indirect call
2472         // which loads from the GOT directly. This avoids runtime overhead
2473         // at the cost of eager binding (and one extra byte of encoding).
2474         OpFlags = X86II::MO_GOTPCREL;
2475         WrapperKind = X86ISD::WrapperRIP;
2476         ExtraLoad = true;
2477       }
2478
2479       Callee = DAG.getTargetGlobalAddress(GV, dl, getPointerTy(),
2480                                           G->getOffset(), OpFlags);
2481
2482       // Add a wrapper if needed.
2483       if (WrapperKind != ISD::DELETED_NODE)
2484         Callee = DAG.getNode(X86ISD::WrapperRIP, dl, getPointerTy(), Callee);
2485       // Add extra indirection if needed.
2486       if (ExtraLoad)
2487         Callee = DAG.getLoad(getPointerTy(), dl, DAG.getEntryNode(), Callee,
2488                              MachinePointerInfo::getGOT(),
2489                              false, false, false, 0);
2490     }
2491   } else if (ExternalSymbolSDNode *S = dyn_cast<ExternalSymbolSDNode>(Callee)) {
2492     unsigned char OpFlags = 0;
2493
2494     // On ELF targets, in either X86-64 or X86-32 mode, direct calls to
2495     // external symbols should go through the PLT.
2496     if (Subtarget->isTargetELF() &&
2497         getTargetMachine().getRelocationModel() == Reloc::PIC_) {
2498       OpFlags = X86II::MO_PLT;
2499     } else if (Subtarget->isPICStyleStubAny() &&
2500                (!Subtarget->getTargetTriple().isMacOSX() ||
2501                 Subtarget->getTargetTriple().isMacOSXVersionLT(10, 5))) {
2502       // PC-relative references to external symbols should go through $stub,
2503       // unless we're building with the leopard linker or later, which
2504       // automatically synthesizes these stubs.
2505       OpFlags = X86II::MO_DARWIN_STUB;
2506     }
2507
2508     Callee = DAG.getTargetExternalSymbol(S->getSymbol(), getPointerTy(),
2509                                          OpFlags);
2510   }
2511
2512   // Returns a chain & a flag for retval copy to use.
2513   SDVTList NodeTys = DAG.getVTList(MVT::Other, MVT::Glue);
2514   SmallVector<SDValue, 8> Ops;
2515
2516   if (!IsSibcall && isTailCall) {
2517     Chain = DAG.getCALLSEQ_END(Chain, DAG.getIntPtrConstant(NumBytes, true),
2518                            DAG.getIntPtrConstant(0, true), InFlag);
2519     InFlag = Chain.getValue(1);
2520   }
2521
2522   Ops.push_back(Chain);
2523   Ops.push_back(Callee);
2524
2525   if (isTailCall)
2526     Ops.push_back(DAG.getConstant(FPDiff, MVT::i32));
2527
2528   // Add argument registers to the end of the list so that they are known live
2529   // into the call.
2530   for (unsigned i = 0, e = RegsToPass.size(); i != e; ++i)
2531     Ops.push_back(DAG.getRegister(RegsToPass[i].first,
2532                                   RegsToPass[i].second.getValueType()));
2533
2534   // Add an implicit use GOT pointer in EBX.
2535   if (!isTailCall && Subtarget->isPICStyleGOT())
2536     Ops.push_back(DAG.getRegister(X86::EBX, getPointerTy()));
2537
2538   // Add an implicit use of AL for non-Windows x86 64-bit vararg functions.
2539   if (Is64Bit && isVarArg && !IsWin64)
2540     Ops.push_back(DAG.getRegister(X86::AL, MVT::i8));
2541
2542   // Add a register mask operand representing the call-preserved registers.
2543   const TargetRegisterInfo *TRI = getTargetMachine().getRegisterInfo();
2544   const uint32_t *Mask = TRI->getCallPreservedMask(CallConv);
2545   assert(Mask && "Missing call preserved mask for calling convention");
2546   Ops.push_back(DAG.getRegisterMask(Mask));
2547
2548   if (InFlag.getNode())
2549     Ops.push_back(InFlag);
2550
2551   if (isTailCall) {
2552     // We used to do:
2553     //// If this is the first return lowered for this function, add the regs
2554     //// to the liveout set for the function.
2555     // This isn't right, although it's probably harmless on x86; liveouts
2556     // should be computed from returns not tail calls.  Consider a void
2557     // function making a tail call to a function returning int.
2558     return DAG.getNode(X86ISD::TC_RETURN, dl,
2559                        NodeTys, &Ops[0], Ops.size());
2560   }
2561
2562   Chain = DAG.getNode(X86ISD::CALL, dl, NodeTys, &Ops[0], Ops.size());
2563   InFlag = Chain.getValue(1);
2564
2565   // Create the CALLSEQ_END node.
2566   unsigned NumBytesForCalleeToPush;
2567   if (X86::isCalleePop(CallConv, Is64Bit, isVarArg,
2568                        getTargetMachine().Options.GuaranteedTailCallOpt))
2569     NumBytesForCalleeToPush = NumBytes;    // Callee pops everything
2570   else if (!Is64Bit && !IsTailCallConvention(CallConv) && !IsWindows &&
2571            IsStructRet)
2572     // If this is a call to a struct-return function, the callee
2573     // pops the hidden struct pointer, so we have to push it back.
2574     // This is common for Darwin/X86, Linux & Mingw32 targets.
2575     // For MSVC Win32 targets, the caller pops the hidden struct pointer.
2576     NumBytesForCalleeToPush = 4;
2577   else
2578     NumBytesForCalleeToPush = 0;  // Callee pops nothing.
2579
2580   // Returns a flag for retval copy to use.
2581   if (!IsSibcall) {
2582     Chain = DAG.getCALLSEQ_END(Chain,
2583                                DAG.getIntPtrConstant(NumBytes, true),
2584                                DAG.getIntPtrConstant(NumBytesForCalleeToPush,
2585                                                      true),
2586                                InFlag);
2587     InFlag = Chain.getValue(1);
2588   }
2589
2590   // Handle result values, copying them out of physregs into vregs that we
2591   // return.
2592   return LowerCallResult(Chain, InFlag, CallConv, isVarArg,
2593                          Ins, dl, DAG, InVals);
2594 }
2595
2596
2597 //===----------------------------------------------------------------------===//
2598 //                Fast Calling Convention (tail call) implementation
2599 //===----------------------------------------------------------------------===//
2600
2601 //  Like std call, callee cleans arguments, convention except that ECX is
2602 //  reserved for storing the tail called function address. Only 2 registers are
2603 //  free for argument passing (inreg). Tail call optimization is performed
2604 //  provided:
2605 //                * tailcallopt is enabled
2606 //                * caller/callee are fastcc
2607 //  On X86_64 architecture with GOT-style position independent code only local
2608 //  (within module) calls are supported at the moment.
2609 //  To keep the stack aligned according to platform abi the function
2610 //  GetAlignedArgumentStackSize ensures that argument delta is always multiples
2611 //  of stack alignment. (Dynamic linkers need this - darwin's dyld for example)
2612 //  If a tail called function callee has more arguments than the caller the
2613 //  caller needs to make sure that there is room to move the RETADDR to. This is
2614 //  achieved by reserving an area the size of the argument delta right after the
2615 //  original REtADDR, but before the saved framepointer or the spilled registers
2616 //  e.g. caller(arg1, arg2) calls callee(arg1, arg2,arg3,arg4)
2617 //  stack layout:
2618 //    arg1
2619 //    arg2
2620 //    RETADDR
2621 //    [ new RETADDR
2622 //      move area ]
2623 //    (possible EBP)
2624 //    ESI
2625 //    EDI
2626 //    local1 ..
2627
2628 /// GetAlignedArgumentStackSize - Make the stack size align e.g 16n + 12 aligned
2629 /// for a 16 byte align requirement.
2630 unsigned
2631 X86TargetLowering::GetAlignedArgumentStackSize(unsigned StackSize,
2632                                                SelectionDAG& DAG) const {
2633   MachineFunction &MF = DAG.getMachineFunction();
2634   const TargetMachine &TM = MF.getTarget();
2635   const TargetFrameLowering &TFI = *TM.getFrameLowering();
2636   unsigned StackAlignment = TFI.getStackAlignment();
2637   uint64_t AlignMask = StackAlignment - 1;
2638   int64_t Offset = StackSize;
2639   uint64_t SlotSize = TD->getPointerSize();
2640   if ( (Offset & AlignMask) <= (StackAlignment - SlotSize) ) {
2641     // Number smaller than 12 so just add the difference.
2642     Offset += ((StackAlignment - SlotSize) - (Offset & AlignMask));
2643   } else {
2644     // Mask out lower bits, add stackalignment once plus the 12 bytes.
2645     Offset = ((~AlignMask) & Offset) + StackAlignment +
2646       (StackAlignment-SlotSize);
2647   }
2648   return Offset;
2649 }
2650
2651 /// MatchingStackOffset - Return true if the given stack call argument is
2652 /// already available in the same position (relatively) of the caller's
2653 /// incoming argument stack.
2654 static
2655 bool MatchingStackOffset(SDValue Arg, unsigned Offset, ISD::ArgFlagsTy Flags,
2656                          MachineFrameInfo *MFI, const MachineRegisterInfo *MRI,
2657                          const X86InstrInfo *TII) {
2658   unsigned Bytes = Arg.getValueType().getSizeInBits() / 8;
2659   int FI = INT_MAX;
2660   if (Arg.getOpcode() == ISD::CopyFromReg) {
2661     unsigned VR = cast<RegisterSDNode>(Arg.getOperand(1))->getReg();
2662     if (!TargetRegisterInfo::isVirtualRegister(VR))
2663       return false;
2664     MachineInstr *Def = MRI->getVRegDef(VR);
2665     if (!Def)
2666       return false;
2667     if (!Flags.isByVal()) {
2668       if (!TII->isLoadFromStackSlot(Def, FI))
2669         return false;
2670     } else {
2671       unsigned Opcode = Def->getOpcode();
2672       if ((Opcode == X86::LEA32r || Opcode == X86::LEA64r) &&
2673           Def->getOperand(1).isFI()) {
2674         FI = Def->getOperand(1).getIndex();
2675         Bytes = Flags.getByValSize();
2676       } else
2677         return false;
2678     }
2679   } else if (LoadSDNode *Ld = dyn_cast<LoadSDNode>(Arg)) {
2680     if (Flags.isByVal())
2681       // ByVal argument is passed in as a pointer but it's now being
2682       // dereferenced. e.g.
2683       // define @foo(%struct.X* %A) {
2684       //   tail call @bar(%struct.X* byval %A)
2685       // }
2686       return false;
2687     SDValue Ptr = Ld->getBasePtr();
2688     FrameIndexSDNode *FINode = dyn_cast<FrameIndexSDNode>(Ptr);
2689     if (!FINode)
2690       return false;
2691     FI = FINode->getIndex();
2692   } else if (Arg.getOpcode() == ISD::FrameIndex && Flags.isByVal()) {
2693     FrameIndexSDNode *FINode = cast<FrameIndexSDNode>(Arg);
2694     FI = FINode->getIndex();
2695     Bytes = Flags.getByValSize();
2696   } else
2697     return false;
2698
2699   assert(FI != INT_MAX);
2700   if (!MFI->isFixedObjectIndex(FI))
2701     return false;
2702   return Offset == MFI->getObjectOffset(FI) && Bytes == MFI->getObjectSize(FI);
2703 }
2704
2705 /// IsEligibleForTailCallOptimization - Check whether the call is eligible
2706 /// for tail call optimization. Targets which want to do tail call
2707 /// optimization should implement this function.
2708 bool
2709 X86TargetLowering::IsEligibleForTailCallOptimization(SDValue Callee,
2710                                                      CallingConv::ID CalleeCC,
2711                                                      bool isVarArg,
2712                                                      bool isCalleeStructRet,
2713                                                      bool isCallerStructRet,
2714                                     const SmallVectorImpl<ISD::OutputArg> &Outs,
2715                                     const SmallVectorImpl<SDValue> &OutVals,
2716                                     const SmallVectorImpl<ISD::InputArg> &Ins,
2717                                                      SelectionDAG& DAG) const {
2718   if (!IsTailCallConvention(CalleeCC) &&
2719       CalleeCC != CallingConv::C)
2720     return false;
2721
2722   // If -tailcallopt is specified, make fastcc functions tail-callable.
2723   const MachineFunction &MF = DAG.getMachineFunction();
2724   const Function *CallerF = DAG.getMachineFunction().getFunction();
2725   CallingConv::ID CallerCC = CallerF->getCallingConv();
2726   bool CCMatch = CallerCC == CalleeCC;
2727
2728   if (getTargetMachine().Options.GuaranteedTailCallOpt) {
2729     if (IsTailCallConvention(CalleeCC) && CCMatch)
2730       return true;
2731     return false;
2732   }
2733
2734   // Look for obvious safe cases to perform tail call optimization that do not
2735   // require ABI changes. This is what gcc calls sibcall.
2736
2737   // Can't do sibcall if stack needs to be dynamically re-aligned. PEI needs to
2738   // emit a special epilogue.
2739   if (RegInfo->needsStackRealignment(MF))
2740     return false;
2741
2742   // Also avoid sibcall optimization if either caller or callee uses struct
2743   // return semantics.
2744   if (isCalleeStructRet || isCallerStructRet)
2745     return false;
2746
2747   // An stdcall caller is expected to clean up its arguments; the callee
2748   // isn't going to do that.
2749   if (!CCMatch && CallerCC==CallingConv::X86_StdCall)
2750     return false;
2751
2752   // Do not sibcall optimize vararg calls unless all arguments are passed via
2753   // registers.
2754   if (isVarArg && !Outs.empty()) {
2755
2756     // Optimizing for varargs on Win64 is unlikely to be safe without
2757     // additional testing.
2758     if (Subtarget->isTargetWin64())
2759       return false;
2760
2761     SmallVector<CCValAssign, 16> ArgLocs;
2762     CCState CCInfo(CalleeCC, isVarArg, DAG.getMachineFunction(),
2763                    getTargetMachine(), ArgLocs, *DAG.getContext());
2764
2765     CCInfo.AnalyzeCallOperands(Outs, CC_X86);
2766     for (unsigned i = 0, e = ArgLocs.size(); i != e; ++i)
2767       if (!ArgLocs[i].isRegLoc())
2768         return false;
2769   }
2770
2771   // If the call result is in ST0 / ST1, it needs to be popped off the x87
2772   // stack.  Therefore, if it's not used by the call it is not safe to optimize
2773   // this into a sibcall.
2774   bool Unused = false;
2775   for (unsigned i = 0, e = Ins.size(); i != e; ++i) {
2776     if (!Ins[i].Used) {
2777       Unused = true;
2778       break;
2779     }
2780   }
2781   if (Unused) {
2782     SmallVector<CCValAssign, 16> RVLocs;
2783     CCState CCInfo(CalleeCC, false, DAG.getMachineFunction(),
2784                    getTargetMachine(), RVLocs, *DAG.getContext());
2785     CCInfo.AnalyzeCallResult(Ins, RetCC_X86);
2786     for (unsigned i = 0, e = RVLocs.size(); i != e; ++i) {
2787       CCValAssign &VA = RVLocs[i];
2788       if (VA.getLocReg() == X86::ST0 || VA.getLocReg() == X86::ST1)
2789         return false;
2790     }
2791   }
2792
2793   // If the calling conventions do not match, then we'd better make sure the
2794   // results are returned in the same way as what the caller expects.
2795   if (!CCMatch) {
2796     SmallVector<CCValAssign, 16> RVLocs1;
2797     CCState CCInfo1(CalleeCC, false, DAG.getMachineFunction(),
2798                     getTargetMachine(), RVLocs1, *DAG.getContext());
2799     CCInfo1.AnalyzeCallResult(Ins, RetCC_X86);
2800
2801     SmallVector<CCValAssign, 16> RVLocs2;
2802     CCState CCInfo2(CallerCC, false, DAG.getMachineFunction(),
2803                     getTargetMachine(), RVLocs2, *DAG.getContext());
2804     CCInfo2.AnalyzeCallResult(Ins, RetCC_X86);
2805
2806     if (RVLocs1.size() != RVLocs2.size())
2807       return false;
2808     for (unsigned i = 0, e = RVLocs1.size(); i != e; ++i) {
2809       if (RVLocs1[i].isRegLoc() != RVLocs2[i].isRegLoc())
2810         return false;
2811       if (RVLocs1[i].getLocInfo() != RVLocs2[i].getLocInfo())
2812         return false;
2813       if (RVLocs1[i].isRegLoc()) {
2814         if (RVLocs1[i].getLocReg() != RVLocs2[i].getLocReg())
2815           return false;
2816       } else {
2817         if (RVLocs1[i].getLocMemOffset() != RVLocs2[i].getLocMemOffset())
2818           return false;
2819       }
2820     }
2821   }
2822
2823   // If the callee takes no arguments then go on to check the results of the
2824   // call.
2825   if (!Outs.empty()) {
2826     // Check if stack adjustment is needed. For now, do not do this if any
2827     // argument is passed on the stack.
2828     SmallVector<CCValAssign, 16> ArgLocs;
2829     CCState CCInfo(CalleeCC, isVarArg, DAG.getMachineFunction(),
2830                    getTargetMachine(), ArgLocs, *DAG.getContext());
2831
2832     // Allocate shadow area for Win64
2833     if (Subtarget->isTargetWin64()) {
2834       CCInfo.AllocateStack(32, 8);
2835     }
2836
2837     CCInfo.AnalyzeCallOperands(Outs, CC_X86);
2838     if (CCInfo.getNextStackOffset()) {
2839       MachineFunction &MF = DAG.getMachineFunction();
2840       if (MF.getInfo<X86MachineFunctionInfo>()->getBytesToPopOnReturn())
2841         return false;
2842
2843       // Check if the arguments are already laid out in the right way as
2844       // the caller's fixed stack objects.
2845       MachineFrameInfo *MFI = MF.getFrameInfo();
2846       const MachineRegisterInfo *MRI = &MF.getRegInfo();
2847       const X86InstrInfo *TII =
2848         ((X86TargetMachine&)getTargetMachine()).getInstrInfo();
2849       for (unsigned i = 0, e = ArgLocs.size(); i != e; ++i) {
2850         CCValAssign &VA = ArgLocs[i];
2851         SDValue Arg = OutVals[i];
2852         ISD::ArgFlagsTy Flags = Outs[i].Flags;
2853         if (VA.getLocInfo() == CCValAssign::Indirect)
2854           return false;
2855         if (!VA.isRegLoc()) {
2856           if (!MatchingStackOffset(Arg, VA.getLocMemOffset(), Flags,
2857                                    MFI, MRI, TII))
2858             return false;
2859         }
2860       }
2861     }
2862
2863     // If the tailcall address may be in a register, then make sure it's
2864     // possible to register allocate for it. In 32-bit, the call address can
2865     // only target EAX, EDX, or ECX since the tail call must be scheduled after
2866     // callee-saved registers are restored. These happen to be the same
2867     // registers used to pass 'inreg' arguments so watch out for those.
2868     if (!Subtarget->is64Bit() &&
2869         !isa<GlobalAddressSDNode>(Callee) &&
2870         !isa<ExternalSymbolSDNode>(Callee)) {
2871       unsigned NumInRegs = 0;
2872       for (unsigned i = 0, e = ArgLocs.size(); i != e; ++i) {
2873         CCValAssign &VA = ArgLocs[i];
2874         if (!VA.isRegLoc())
2875           continue;
2876         unsigned Reg = VA.getLocReg();
2877         switch (Reg) {
2878         default: break;
2879         case X86::EAX: case X86::EDX: case X86::ECX:
2880           if (++NumInRegs == 3)
2881             return false;
2882           break;
2883         }
2884       }
2885     }
2886   }
2887
2888   return true;
2889 }
2890
2891 FastISel *
2892 X86TargetLowering::createFastISel(FunctionLoweringInfo &funcInfo) const {
2893   return X86::createFastISel(funcInfo);
2894 }
2895
2896
2897 //===----------------------------------------------------------------------===//
2898 //                           Other Lowering Hooks
2899 //===----------------------------------------------------------------------===//
2900
2901 static bool MayFoldLoad(SDValue Op) {
2902   return Op.hasOneUse() && ISD::isNormalLoad(Op.getNode());
2903 }
2904
2905 static bool MayFoldIntoStore(SDValue Op) {
2906   return Op.hasOneUse() && ISD::isNormalStore(*Op.getNode()->use_begin());
2907 }
2908
2909 static bool isTargetShuffle(unsigned Opcode) {
2910   switch(Opcode) {
2911   default: return false;
2912   case X86ISD::PSHUFD:
2913   case X86ISD::PSHUFHW:
2914   case X86ISD::PSHUFLW:
2915   case X86ISD::SHUFP:
2916   case X86ISD::PALIGN:
2917   case X86ISD::MOVLHPS:
2918   case X86ISD::MOVLHPD:
2919   case X86ISD::MOVHLPS:
2920   case X86ISD::MOVLPS:
2921   case X86ISD::MOVLPD:
2922   case X86ISD::MOVSHDUP:
2923   case X86ISD::MOVSLDUP:
2924   case X86ISD::MOVDDUP:
2925   case X86ISD::MOVSS:
2926   case X86ISD::MOVSD:
2927   case X86ISD::UNPCKL:
2928   case X86ISD::UNPCKH:
2929   case X86ISD::VPERMILP:
2930   case X86ISD::VPERM2X128:
2931   case X86ISD::VPERMI:
2932     return true;
2933   }
2934 }
2935
2936 static SDValue getTargetShuffleNode(unsigned Opc, DebugLoc dl, EVT VT,
2937                                     SDValue V1, SelectionDAG &DAG) {
2938   switch(Opc) {
2939   default: llvm_unreachable("Unknown x86 shuffle node");
2940   case X86ISD::MOVSHDUP:
2941   case X86ISD::MOVSLDUP:
2942   case X86ISD::MOVDDUP:
2943     return DAG.getNode(Opc, dl, VT, V1);
2944   }
2945 }
2946
2947 static SDValue getTargetShuffleNode(unsigned Opc, DebugLoc dl, EVT VT,
2948                                     SDValue V1, unsigned TargetMask,
2949                                     SelectionDAG &DAG) {
2950   switch(Opc) {
2951   default: llvm_unreachable("Unknown x86 shuffle node");
2952   case X86ISD::PSHUFD:
2953   case X86ISD::PSHUFHW:
2954   case X86ISD::PSHUFLW:
2955   case X86ISD::VPERMILP:
2956   case X86ISD::VPERMI:
2957     return DAG.getNode(Opc, dl, VT, V1, DAG.getConstant(TargetMask, MVT::i8));
2958   }
2959 }
2960
2961 static SDValue getTargetShuffleNode(unsigned Opc, DebugLoc dl, EVT VT,
2962                                     SDValue V1, SDValue V2, unsigned TargetMask,
2963                                     SelectionDAG &DAG) {
2964   switch(Opc) {
2965   default: llvm_unreachable("Unknown x86 shuffle node");
2966   case X86ISD::PALIGN:
2967   case X86ISD::SHUFP:
2968   case X86ISD::VPERM2X128:
2969     return DAG.getNode(Opc, dl, VT, V1, V2,
2970                        DAG.getConstant(TargetMask, MVT::i8));
2971   }
2972 }
2973
2974 static SDValue getTargetShuffleNode(unsigned Opc, DebugLoc dl, EVT VT,
2975                                     SDValue V1, SDValue V2, SelectionDAG &DAG) {
2976   switch(Opc) {
2977   default: llvm_unreachable("Unknown x86 shuffle node");
2978   case X86ISD::MOVLHPS:
2979   case X86ISD::MOVLHPD:
2980   case X86ISD::MOVHLPS:
2981   case X86ISD::MOVLPS:
2982   case X86ISD::MOVLPD:
2983   case X86ISD::MOVSS:
2984   case X86ISD::MOVSD:
2985   case X86ISD::UNPCKL:
2986   case X86ISD::UNPCKH:
2987     return DAG.getNode(Opc, dl, VT, V1, V2);
2988   }
2989 }
2990
2991 SDValue X86TargetLowering::getReturnAddressFrameIndex(SelectionDAG &DAG) const {
2992   MachineFunction &MF = DAG.getMachineFunction();
2993   X86MachineFunctionInfo *FuncInfo = MF.getInfo<X86MachineFunctionInfo>();
2994   int ReturnAddrIndex = FuncInfo->getRAIndex();
2995
2996   if (ReturnAddrIndex == 0) {
2997     // Set up a frame object for the return address.
2998     uint64_t SlotSize = TD->getPointerSize();
2999     ReturnAddrIndex = MF.getFrameInfo()->CreateFixedObject(SlotSize, -SlotSize,
3000                                                            false);
3001     FuncInfo->setRAIndex(ReturnAddrIndex);
3002   }
3003
3004   return DAG.getFrameIndex(ReturnAddrIndex, getPointerTy());
3005 }
3006
3007
3008 bool X86::isOffsetSuitableForCodeModel(int64_t Offset, CodeModel::Model M,
3009                                        bool hasSymbolicDisplacement) {
3010   // Offset should fit into 32 bit immediate field.
3011   if (!isInt<32>(Offset))
3012     return false;
3013
3014   // If we don't have a symbolic displacement - we don't have any extra
3015   // restrictions.
3016   if (!hasSymbolicDisplacement)
3017     return true;
3018
3019   // FIXME: Some tweaks might be needed for medium code model.
3020   if (M != CodeModel::Small && M != CodeModel::Kernel)
3021     return false;
3022
3023   // For small code model we assume that latest object is 16MB before end of 31
3024   // bits boundary. We may also accept pretty large negative constants knowing
3025   // that all objects are in the positive half of address space.
3026   if (M == CodeModel::Small && Offset < 16*1024*1024)
3027     return true;
3028
3029   // For kernel code model we know that all object resist in the negative half
3030   // of 32bits address space. We may not accept negative offsets, since they may
3031   // be just off and we may accept pretty large positive ones.
3032   if (M == CodeModel::Kernel && Offset > 0)
3033     return true;
3034
3035   return false;
3036 }
3037
3038 /// isCalleePop - Determines whether the callee is required to pop its
3039 /// own arguments. Callee pop is necessary to support tail calls.
3040 bool X86::isCalleePop(CallingConv::ID CallingConv,
3041                       bool is64Bit, bool IsVarArg, bool TailCallOpt) {
3042   if (IsVarArg)
3043     return false;
3044
3045   switch (CallingConv) {
3046   default:
3047     return false;
3048   case CallingConv::X86_StdCall:
3049     return !is64Bit;
3050   case CallingConv::X86_FastCall:
3051     return !is64Bit;
3052   case CallingConv::X86_ThisCall:
3053     return !is64Bit;
3054   case CallingConv::Fast:
3055     return TailCallOpt;
3056   case CallingConv::GHC:
3057     return TailCallOpt;
3058   }
3059 }
3060
3061 /// TranslateX86CC - do a one to one translation of a ISD::CondCode to the X86
3062 /// specific condition code, returning the condition code and the LHS/RHS of the
3063 /// comparison to make.
3064 static unsigned TranslateX86CC(ISD::CondCode SetCCOpcode, bool isFP,
3065                                SDValue &LHS, SDValue &RHS, SelectionDAG &DAG) {
3066   if (!isFP) {
3067     if (ConstantSDNode *RHSC = dyn_cast<ConstantSDNode>(RHS)) {
3068       if (SetCCOpcode == ISD::SETGT && RHSC->isAllOnesValue()) {
3069         // X > -1   -> X == 0, jump !sign.
3070         RHS = DAG.getConstant(0, RHS.getValueType());
3071         return X86::COND_NS;
3072       }
3073       if (SetCCOpcode == ISD::SETLT && RHSC->isNullValue()) {
3074         // X < 0   -> X == 0, jump on sign.
3075         return X86::COND_S;
3076       }
3077       if (SetCCOpcode == ISD::SETLT && RHSC->getZExtValue() == 1) {
3078         // X < 1   -> X <= 0
3079         RHS = DAG.getConstant(0, RHS.getValueType());
3080         return X86::COND_LE;
3081       }
3082     }
3083
3084     switch (SetCCOpcode) {
3085     default: llvm_unreachable("Invalid integer condition!");
3086     case ISD::SETEQ:  return X86::COND_E;
3087     case ISD::SETGT:  return X86::COND_G;
3088     case ISD::SETGE:  return X86::COND_GE;
3089     case ISD::SETLT:  return X86::COND_L;
3090     case ISD::SETLE:  return X86::COND_LE;
3091     case ISD::SETNE:  return X86::COND_NE;
3092     case ISD::SETULT: return X86::COND_B;
3093     case ISD::SETUGT: return X86::COND_A;
3094     case ISD::SETULE: return X86::COND_BE;
3095     case ISD::SETUGE: return X86::COND_AE;
3096     }
3097   }
3098
3099   // First determine if it is required or is profitable to flip the operands.
3100
3101   // If LHS is a foldable load, but RHS is not, flip the condition.
3102   if (ISD::isNON_EXTLoad(LHS.getNode()) &&
3103       !ISD::isNON_EXTLoad(RHS.getNode())) {
3104     SetCCOpcode = getSetCCSwappedOperands(SetCCOpcode);
3105     std::swap(LHS, RHS);
3106   }
3107
3108   switch (SetCCOpcode) {
3109   default: break;
3110   case ISD::SETOLT:
3111   case ISD::SETOLE:
3112   case ISD::SETUGT:
3113   case ISD::SETUGE:
3114     std::swap(LHS, RHS);
3115     break;
3116   }
3117
3118   // On a floating point condition, the flags are set as follows:
3119   // ZF  PF  CF   op
3120   //  0 | 0 | 0 | X > Y
3121   //  0 | 0 | 1 | X < Y
3122   //  1 | 0 | 0 | X == Y
3123   //  1 | 1 | 1 | unordered
3124   switch (SetCCOpcode) {
3125   default: llvm_unreachable("Condcode should be pre-legalized away");
3126   case ISD::SETUEQ:
3127   case ISD::SETEQ:   return X86::COND_E;
3128   case ISD::SETOLT:              // flipped
3129   case ISD::SETOGT:
3130   case ISD::SETGT:   return X86::COND_A;
3131   case ISD::SETOLE:              // flipped
3132   case ISD::SETOGE:
3133   case ISD::SETGE:   return X86::COND_AE;
3134   case ISD::SETUGT:              // flipped
3135   case ISD::SETULT:
3136   case ISD::SETLT:   return X86::COND_B;
3137   case ISD::SETUGE:              // flipped
3138   case ISD::SETULE:
3139   case ISD::SETLE:   return X86::COND_BE;
3140   case ISD::SETONE:
3141   case ISD::SETNE:   return X86::COND_NE;
3142   case ISD::SETUO:   return X86::COND_P;
3143   case ISD::SETO:    return X86::COND_NP;
3144   case ISD::SETOEQ:
3145   case ISD::SETUNE:  return X86::COND_INVALID;
3146   }
3147 }
3148
3149 /// hasFPCMov - is there a floating point cmov for the specific X86 condition
3150 /// code. Current x86 isa includes the following FP cmov instructions:
3151 /// fcmovb, fcomvbe, fcomve, fcmovu, fcmovae, fcmova, fcmovne, fcmovnu.
3152 static bool hasFPCMov(unsigned X86CC) {
3153   switch (X86CC) {
3154   default:
3155     return false;
3156   case X86::COND_B:
3157   case X86::COND_BE:
3158   case X86::COND_E:
3159   case X86::COND_P:
3160   case X86::COND_A:
3161   case X86::COND_AE:
3162   case X86::COND_NE:
3163   case X86::COND_NP:
3164     return true;
3165   }
3166 }
3167
3168 /// isFPImmLegal - Returns true if the target can instruction select the
3169 /// specified FP immediate natively. If false, the legalizer will
3170 /// materialize the FP immediate as a load from a constant pool.
3171 bool X86TargetLowering::isFPImmLegal(const APFloat &Imm, EVT VT) const {
3172   for (unsigned i = 0, e = LegalFPImmediates.size(); i != e; ++i) {
3173     if (Imm.bitwiseIsEqual(LegalFPImmediates[i]))
3174       return true;
3175   }
3176   return false;
3177 }
3178
3179 /// isUndefOrInRange - Return true if Val is undef or if its value falls within
3180 /// the specified range (L, H].
3181 static bool isUndefOrInRange(int Val, int Low, int Hi) {
3182   return (Val < 0) || (Val >= Low && Val < Hi);
3183 }
3184
3185 /// isUndefOrEqual - Val is either less than zero (undef) or equal to the
3186 /// specified value.
3187 static bool isUndefOrEqual(int Val, int CmpVal) {
3188   if (Val < 0 || Val == CmpVal)
3189     return true;
3190   return false;
3191 }
3192
3193 /// isSequentialOrUndefInRange - Return true if every element in Mask, beginning
3194 /// from position Pos and ending in Pos+Size, falls within the specified
3195 /// sequential range (L, L+Pos]. or is undef.
3196 static bool isSequentialOrUndefInRange(ArrayRef<int> Mask,
3197                                        unsigned Pos, unsigned Size, int Low) {
3198   for (unsigned i = Pos, e = Pos+Size; i != e; ++i, ++Low)
3199     if (!isUndefOrEqual(Mask[i], Low))
3200       return false;
3201   return true;
3202 }
3203
3204 /// isPSHUFDMask - Return true if the node specifies a shuffle of elements that
3205 /// is suitable for input to PSHUFD or PSHUFW.  That is, it doesn't reference
3206 /// the second operand.
3207 static bool isPSHUFDMask(ArrayRef<int> Mask, EVT VT) {
3208   if (VT == MVT::v4f32 || VT == MVT::v4i32 )
3209     return (Mask[0] < 4 && Mask[1] < 4 && Mask[2] < 4 && Mask[3] < 4);
3210   if (VT == MVT::v2f64 || VT == MVT::v2i64)
3211     return (Mask[0] < 2 && Mask[1] < 2);
3212   return false;
3213 }
3214
3215 /// isPSHUFHWMask - Return true if the node specifies a shuffle of elements that
3216 /// is suitable for input to PSHUFHW.
3217 static bool isPSHUFHWMask(ArrayRef<int> Mask, EVT VT, bool HasAVX2) {
3218   if (VT != MVT::v8i16 && (!HasAVX2 || VT != MVT::v16i16))
3219     return false;
3220
3221   // Lower quadword copied in order or undef.
3222   if (!isSequentialOrUndefInRange(Mask, 0, 4, 0))
3223     return false;
3224
3225   // Upper quadword shuffled.
3226   for (unsigned i = 4; i != 8; ++i)
3227     if (!isUndefOrInRange(Mask[i], 4, 8))
3228       return false;
3229
3230   if (VT == MVT::v16i16) {
3231     // Lower quadword copied in order or undef.
3232     if (!isSequentialOrUndefInRange(Mask, 8, 4, 8))
3233       return false;
3234
3235     // Upper quadword shuffled.
3236     for (unsigned i = 12; i != 16; ++i)
3237       if (!isUndefOrInRange(Mask[i], 12, 16))
3238         return false;
3239   }
3240
3241   return true;
3242 }
3243
3244 /// isPSHUFLWMask - Return true if the node specifies a shuffle of elements that
3245 /// is suitable for input to PSHUFLW.
3246 static bool isPSHUFLWMask(ArrayRef<int> Mask, EVT VT, bool HasAVX2) {
3247   if (VT != MVT::v8i16 && (!HasAVX2 || VT != MVT::v16i16))
3248     return false;
3249
3250   // Upper quadword copied in order.
3251   if (!isSequentialOrUndefInRange(Mask, 4, 4, 4))
3252     return false;
3253
3254   // Lower quadword shuffled.
3255   for (unsigned i = 0; i != 4; ++i)
3256     if (!isUndefOrInRange(Mask[i], 0, 4))
3257       return false;
3258
3259   if (VT == MVT::v16i16) {
3260     // Upper quadword copied in order.
3261     if (!isSequentialOrUndefInRange(Mask, 12, 4, 12))
3262       return false;
3263
3264     // Lower quadword shuffled.
3265     for (unsigned i = 8; i != 12; ++i)
3266       if (!isUndefOrInRange(Mask[i], 8, 12))
3267         return false;
3268   }
3269
3270   return true;
3271 }
3272
3273 /// isPALIGNRMask - Return true if the node specifies a shuffle of elements that
3274 /// is suitable for input to PALIGNR.
3275 static bool isPALIGNRMask(ArrayRef<int> Mask, EVT VT,
3276                           const X86Subtarget *Subtarget) {
3277   if ((VT.getSizeInBits() == 128 && !Subtarget->hasSSSE3()) ||
3278       (VT.getSizeInBits() == 256 && !Subtarget->hasAVX2()))
3279     return false;
3280
3281   unsigned NumElts = VT.getVectorNumElements();
3282   unsigned NumLanes = VT.getSizeInBits()/128;
3283   unsigned NumLaneElts = NumElts/NumLanes;
3284
3285   // Do not handle 64-bit element shuffles with palignr.
3286   if (NumLaneElts == 2)
3287     return false;
3288
3289   for (unsigned l = 0; l != NumElts; l+=NumLaneElts) {
3290     unsigned i;
3291     for (i = 0; i != NumLaneElts; ++i) {
3292       if (Mask[i+l] >= 0)
3293         break;
3294     }
3295
3296     // Lane is all undef, go to next lane
3297     if (i == NumLaneElts)
3298       continue;
3299
3300     int Start = Mask[i+l];
3301
3302     // Make sure its in this lane in one of the sources
3303     if (!isUndefOrInRange(Start, l, l+NumLaneElts) &&
3304         !isUndefOrInRange(Start, l+NumElts, l+NumElts+NumLaneElts))
3305       return false;
3306
3307     // If not lane 0, then we must match lane 0
3308     if (l != 0 && Mask[i] >= 0 && !isUndefOrEqual(Start, Mask[i]+l))
3309       return false;
3310
3311     // Correct second source to be contiguous with first source
3312     if (Start >= (int)NumElts)
3313       Start -= NumElts - NumLaneElts;
3314
3315     // Make sure we're shifting in the right direction.
3316     if (Start <= (int)(i+l))
3317       return false;
3318
3319     Start -= i;
3320
3321     // Check the rest of the elements to see if they are consecutive.
3322     for (++i; i != NumLaneElts; ++i) {
3323       int Idx = Mask[i+l];
3324
3325       // Make sure its in this lane
3326       if (!isUndefOrInRange(Idx, l, l+NumLaneElts) &&
3327           !isUndefOrInRange(Idx, l+NumElts, l+NumElts+NumLaneElts))
3328         return false;
3329
3330       // If not lane 0, then we must match lane 0
3331       if (l != 0 && Mask[i] >= 0 && !isUndefOrEqual(Idx, Mask[i]+l))
3332         return false;
3333
3334       if (Idx >= (int)NumElts)
3335         Idx -= NumElts - NumLaneElts;
3336
3337       if (!isUndefOrEqual(Idx, Start+i))
3338         return false;
3339
3340     }
3341   }
3342
3343   return true;
3344 }
3345
3346 /// CommuteVectorShuffleMask - Change values in a shuffle permute mask assuming
3347 /// the two vector operands have swapped position.
3348 static void CommuteVectorShuffleMask(SmallVectorImpl<int> &Mask,
3349                                      unsigned NumElems) {
3350   for (unsigned i = 0; i != NumElems; ++i) {
3351     int idx = Mask[i];
3352     if (idx < 0)
3353       continue;
3354     else if (idx < (int)NumElems)
3355       Mask[i] = idx + NumElems;
3356     else
3357       Mask[i] = idx - NumElems;
3358   }
3359 }
3360
3361 /// isSHUFPMask - Return true if the specified VECTOR_SHUFFLE operand
3362 /// specifies a shuffle of elements that is suitable for input to 128/256-bit
3363 /// SHUFPS and SHUFPD. If Commuted is true, then it checks for sources to be
3364 /// reverse of what x86 shuffles want.
3365 static bool isSHUFPMask(ArrayRef<int> Mask, EVT VT, bool HasAVX,
3366                         bool Commuted = false) {
3367   if (!HasAVX && VT.getSizeInBits() == 256)
3368     return false;
3369
3370   unsigned NumElems = VT.getVectorNumElements();
3371   unsigned NumLanes = VT.getSizeInBits()/128;
3372   unsigned NumLaneElems = NumElems/NumLanes;
3373
3374   if (NumLaneElems != 2 && NumLaneElems != 4)
3375     return false;
3376
3377   // VSHUFPSY divides the resulting vector into 4 chunks.
3378   // The sources are also splitted into 4 chunks, and each destination
3379   // chunk must come from a different source chunk.
3380   //
3381   //  SRC1 =>   X7    X6    X5    X4    X3    X2    X1    X0
3382   //  SRC2 =>   Y7    Y6    Y5    Y4    Y3    Y2    Y1    Y9
3383   //
3384   //  DST  =>  Y7..Y4,   Y7..Y4,   X7..X4,   X7..X4,
3385   //           Y3..Y0,   Y3..Y0,   X3..X0,   X3..X0
3386   //
3387   // VSHUFPDY divides the resulting vector into 4 chunks.
3388   // The sources are also splitted into 4 chunks, and each destination
3389   // chunk must come from a different source chunk.
3390   //
3391   //  SRC1 =>      X3       X2       X1       X0
3392   //  SRC2 =>      Y3       Y2       Y1       Y0
3393   //
3394   //  DST  =>  Y3..Y2,  X3..X2,  Y1..Y0,  X1..X0
3395   //
3396   unsigned HalfLaneElems = NumLaneElems/2;
3397   for (unsigned l = 0; l != NumElems; l += NumLaneElems) {
3398     for (unsigned i = 0; i != NumLaneElems; ++i) {
3399       int Idx = Mask[i+l];
3400       unsigned RngStart = l + ((Commuted == (i<HalfLaneElems)) ? NumElems : 0);
3401       if (!isUndefOrInRange(Idx, RngStart, RngStart+NumLaneElems))
3402         return false;
3403       // For VSHUFPSY, the mask of the second half must be the same as the
3404       // first but with the appropriate offsets. This works in the same way as
3405       // VPERMILPS works with masks.
3406       if (NumElems != 8 || l == 0 || Mask[i] < 0)
3407         continue;
3408       if (!isUndefOrEqual(Idx, Mask[i]+l))
3409         return false;
3410     }
3411   }
3412
3413   return true;
3414 }
3415
3416 /// isMOVHLPSMask - Return true if the specified VECTOR_SHUFFLE operand
3417 /// specifies a shuffle of elements that is suitable for input to MOVHLPS.
3418 static bool isMOVHLPSMask(ArrayRef<int> Mask, EVT VT) {
3419   unsigned NumElems = VT.getVectorNumElements();
3420
3421   if (VT.getSizeInBits() != 128)
3422     return false;
3423
3424   if (NumElems != 4)
3425     return false;
3426
3427   // Expect bit0 == 6, bit1 == 7, bit2 == 2, bit3 == 3
3428   return isUndefOrEqual(Mask[0], 6) &&
3429          isUndefOrEqual(Mask[1], 7) &&
3430          isUndefOrEqual(Mask[2], 2) &&
3431          isUndefOrEqual(Mask[3], 3);
3432 }
3433
3434 /// isMOVHLPS_v_undef_Mask - Special case of isMOVHLPSMask for canonical form
3435 /// of vector_shuffle v, v, <2, 3, 2, 3>, i.e. vector_shuffle v, undef,
3436 /// <2, 3, 2, 3>
3437 static bool isMOVHLPS_v_undef_Mask(ArrayRef<int> Mask, EVT VT) {
3438   unsigned NumElems = VT.getVectorNumElements();
3439
3440   if (VT.getSizeInBits() != 128)
3441     return false;
3442
3443   if (NumElems != 4)
3444     return false;
3445
3446   return isUndefOrEqual(Mask[0], 2) &&
3447          isUndefOrEqual(Mask[1], 3) &&
3448          isUndefOrEqual(Mask[2], 2) &&
3449          isUndefOrEqual(Mask[3], 3);
3450 }
3451
3452 /// isMOVLPMask - Return true if the specified VECTOR_SHUFFLE operand
3453 /// specifies a shuffle of elements that is suitable for input to MOVLP{S|D}.
3454 static bool isMOVLPMask(ArrayRef<int> Mask, EVT VT) {
3455   if (VT.getSizeInBits() != 128)
3456     return false;
3457
3458   unsigned NumElems = VT.getVectorNumElements();
3459
3460   if (NumElems != 2 && NumElems != 4)
3461     return false;
3462
3463   for (unsigned i = 0, e = NumElems/2; i != e; ++i)
3464     if (!isUndefOrEqual(Mask[i], i + NumElems))
3465       return false;
3466
3467   for (unsigned i = NumElems/2, e = NumElems; i != e; ++i)
3468     if (!isUndefOrEqual(Mask[i], i))
3469       return false;
3470
3471   return true;
3472 }
3473
3474 /// isMOVLHPSMask - Return true if the specified VECTOR_SHUFFLE operand
3475 /// specifies a shuffle of elements that is suitable for input to MOVLHPS.
3476 static bool isMOVLHPSMask(ArrayRef<int> Mask, EVT VT) {
3477   unsigned NumElems = VT.getVectorNumElements();
3478
3479   if ((NumElems != 2 && NumElems != 4)
3480       || VT.getSizeInBits() > 128)
3481     return false;
3482
3483   for (unsigned i = 0, e = NumElems/2; i != e; ++i)
3484     if (!isUndefOrEqual(Mask[i], i))
3485       return false;
3486
3487   for (unsigned i = 0, e = NumElems/2; i != e; ++i)
3488     if (!isUndefOrEqual(Mask[i + e], i + NumElems))
3489       return false;
3490
3491   return true;
3492 }
3493
3494 /// isUNPCKLMask - Return true if the specified VECTOR_SHUFFLE operand
3495 /// specifies a shuffle of elements that is suitable for input to UNPCKL.
3496 static bool isUNPCKLMask(ArrayRef<int> Mask, EVT VT,
3497                          bool HasAVX2, bool V2IsSplat = false) {
3498   unsigned NumElts = VT.getVectorNumElements();
3499
3500   assert((VT.is128BitVector() || VT.is256BitVector()) &&
3501          "Unsupported vector type for unpckh");
3502
3503   if (VT.getSizeInBits() == 256 && NumElts != 4 && NumElts != 8 &&
3504       (!HasAVX2 || (NumElts != 16 && NumElts != 32)))
3505     return false;
3506
3507   // Handle 128 and 256-bit vector lengths. AVX defines UNPCK* to operate
3508   // independently on 128-bit lanes.
3509   unsigned NumLanes = VT.getSizeInBits()/128;
3510   unsigned NumLaneElts = NumElts/NumLanes;
3511
3512   for (unsigned l = 0; l != NumLanes; ++l) {
3513     for (unsigned i = l*NumLaneElts, j = l*NumLaneElts;
3514          i != (l+1)*NumLaneElts;
3515          i += 2, ++j) {
3516       int BitI  = Mask[i];
3517       int BitI1 = Mask[i+1];
3518       if (!isUndefOrEqual(BitI, j))
3519         return false;
3520       if (V2IsSplat) {
3521         if (!isUndefOrEqual(BitI1, NumElts))
3522           return false;
3523       } else {
3524         if (!isUndefOrEqual(BitI1, j + NumElts))
3525           return false;
3526       }
3527     }
3528   }
3529
3530   return true;
3531 }
3532
3533 /// isUNPCKHMask - Return true if the specified VECTOR_SHUFFLE operand
3534 /// specifies a shuffle of elements that is suitable for input to UNPCKH.
3535 static bool isUNPCKHMask(ArrayRef<int> Mask, EVT VT,
3536                          bool HasAVX2, bool V2IsSplat = false) {
3537   unsigned NumElts = VT.getVectorNumElements();
3538
3539   assert((VT.is128BitVector() || VT.is256BitVector()) &&
3540          "Unsupported vector type for unpckh");
3541
3542   if (VT.getSizeInBits() == 256 && NumElts != 4 && NumElts != 8 &&
3543       (!HasAVX2 || (NumElts != 16 && NumElts != 32)))
3544     return false;
3545
3546   // Handle 128 and 256-bit vector lengths. AVX defines UNPCK* to operate
3547   // independently on 128-bit lanes.
3548   unsigned NumLanes = VT.getSizeInBits()/128;
3549   unsigned NumLaneElts = NumElts/NumLanes;
3550
3551   for (unsigned l = 0; l != NumLanes; ++l) {
3552     for (unsigned i = l*NumLaneElts, j = (l*NumLaneElts)+NumLaneElts/2;
3553          i != (l+1)*NumLaneElts; i += 2, ++j) {
3554       int BitI  = Mask[i];
3555       int BitI1 = Mask[i+1];
3556       if (!isUndefOrEqual(BitI, j))
3557         return false;
3558       if (V2IsSplat) {
3559         if (isUndefOrEqual(BitI1, NumElts))
3560           return false;
3561       } else {
3562         if (!isUndefOrEqual(BitI1, j+NumElts))
3563           return false;
3564       }
3565     }
3566   }
3567   return true;
3568 }
3569
3570 /// isUNPCKL_v_undef_Mask - Special case of isUNPCKLMask for canonical form
3571 /// of vector_shuffle v, v, <0, 4, 1, 5>, i.e. vector_shuffle v, undef,
3572 /// <0, 0, 1, 1>
3573 static bool isUNPCKL_v_undef_Mask(ArrayRef<int> Mask, EVT VT,
3574                                   bool HasAVX2) {
3575   unsigned NumElts = VT.getVectorNumElements();
3576
3577   assert((VT.is128BitVector() || VT.is256BitVector()) &&
3578          "Unsupported vector type for unpckh");
3579
3580   if (VT.getSizeInBits() == 256 && NumElts != 4 && NumElts != 8 &&
3581       (!HasAVX2 || (NumElts != 16 && NumElts != 32)))
3582     return false;
3583
3584   // For 256-bit i64/f64, use MOVDDUPY instead, so reject the matching pattern
3585   // FIXME: Need a better way to get rid of this, there's no latency difference
3586   // between UNPCKLPD and MOVDDUP, the later should always be checked first and
3587   // the former later. We should also remove the "_undef" special mask.
3588   if (NumElts == 4 && VT.getSizeInBits() == 256)
3589     return false;
3590
3591   // Handle 128 and 256-bit vector lengths. AVX defines UNPCK* to operate
3592   // independently on 128-bit lanes.
3593   unsigned NumLanes = VT.getSizeInBits()/128;
3594   unsigned NumLaneElts = NumElts/NumLanes;
3595
3596   for (unsigned l = 0; l != NumLanes; ++l) {
3597     for (unsigned i = l*NumLaneElts, j = l*NumLaneElts;
3598          i != (l+1)*NumLaneElts;
3599          i += 2, ++j) {
3600       int BitI  = Mask[i];
3601       int BitI1 = Mask[i+1];
3602
3603       if (!isUndefOrEqual(BitI, j))
3604         return false;
3605       if (!isUndefOrEqual(BitI1, j))
3606         return false;
3607     }
3608   }
3609
3610   return true;
3611 }
3612
3613 /// isUNPCKH_v_undef_Mask - Special case of isUNPCKHMask for canonical form
3614 /// of vector_shuffle v, v, <2, 6, 3, 7>, i.e. vector_shuffle v, undef,
3615 /// <2, 2, 3, 3>
3616 static bool isUNPCKH_v_undef_Mask(ArrayRef<int> Mask, EVT VT, bool HasAVX2) {
3617   unsigned NumElts = VT.getVectorNumElements();
3618
3619   assert((VT.is128BitVector() || VT.is256BitVector()) &&
3620          "Unsupported vector type for unpckh");
3621
3622   if (VT.getSizeInBits() == 256 && NumElts != 4 && NumElts != 8 &&
3623       (!HasAVX2 || (NumElts != 16 && NumElts != 32)))
3624     return false;
3625
3626   // Handle 128 and 256-bit vector lengths. AVX defines UNPCK* to operate
3627   // independently on 128-bit lanes.
3628   unsigned NumLanes = VT.getSizeInBits()/128;
3629   unsigned NumLaneElts = NumElts/NumLanes;
3630
3631   for (unsigned l = 0; l != NumLanes; ++l) {
3632     for (unsigned i = l*NumLaneElts, j = (l*NumLaneElts)+NumLaneElts/2;
3633          i != (l+1)*NumLaneElts; i += 2, ++j) {
3634       int BitI  = Mask[i];
3635       int BitI1 = Mask[i+1];
3636       if (!isUndefOrEqual(BitI, j))
3637         return false;
3638       if (!isUndefOrEqual(BitI1, j))
3639         return false;
3640     }
3641   }
3642   return true;
3643 }
3644
3645 /// isMOVLMask - Return true if the specified VECTOR_SHUFFLE operand
3646 /// specifies a shuffle of elements that is suitable for input to MOVSS,
3647 /// MOVSD, and MOVD, i.e. setting the lowest element.
3648 static bool isMOVLMask(ArrayRef<int> Mask, EVT VT) {
3649   if (VT.getVectorElementType().getSizeInBits() < 32)
3650     return false;
3651   if (VT.getSizeInBits() == 256)
3652     return false;
3653
3654   unsigned NumElts = VT.getVectorNumElements();
3655
3656   if (!isUndefOrEqual(Mask[0], NumElts))
3657     return false;
3658
3659   for (unsigned i = 1; i != NumElts; ++i)
3660     if (!isUndefOrEqual(Mask[i], i))
3661       return false;
3662
3663   return true;
3664 }
3665
3666 /// isVPERM2X128Mask - Match 256-bit shuffles where the elements are considered
3667 /// as permutations between 128-bit chunks or halves. As an example: this
3668 /// shuffle bellow:
3669 ///   vector_shuffle <4, 5, 6, 7, 12, 13, 14, 15>
3670 /// The first half comes from the second half of V1 and the second half from the
3671 /// the second half of V2.
3672 static bool isVPERM2X128Mask(ArrayRef<int> Mask, EVT VT, bool HasAVX) {
3673   if (!HasAVX || VT.getSizeInBits() != 256)
3674     return false;
3675
3676   // The shuffle result is divided into half A and half B. In total the two
3677   // sources have 4 halves, namely: C, D, E, F. The final values of A and
3678   // B must come from C, D, E or F.
3679   unsigned HalfSize = VT.getVectorNumElements()/2;
3680   bool MatchA = false, MatchB = false;
3681
3682   // Check if A comes from one of C, D, E, F.
3683   for (unsigned Half = 0; Half != 4; ++Half) {
3684     if (isSequentialOrUndefInRange(Mask, 0, HalfSize, Half*HalfSize)) {
3685       MatchA = true;
3686       break;
3687     }
3688   }
3689
3690   // Check if B comes from one of C, D, E, F.
3691   for (unsigned Half = 0; Half != 4; ++Half) {
3692     if (isSequentialOrUndefInRange(Mask, HalfSize, HalfSize, Half*HalfSize)) {
3693       MatchB = true;
3694       break;
3695     }
3696   }
3697
3698   return MatchA && MatchB;
3699 }
3700
3701 /// getShuffleVPERM2X128Immediate - Return the appropriate immediate to shuffle
3702 /// the specified VECTOR_MASK mask with VPERM2F128/VPERM2I128 instructions.
3703 static unsigned getShuffleVPERM2X128Immediate(ShuffleVectorSDNode *SVOp) {
3704   EVT VT = SVOp->getValueType(0);
3705
3706   unsigned HalfSize = VT.getVectorNumElements()/2;
3707
3708   unsigned FstHalf = 0, SndHalf = 0;
3709   for (unsigned i = 0; i < HalfSize; ++i) {
3710     if (SVOp->getMaskElt(i) > 0) {
3711       FstHalf = SVOp->getMaskElt(i)/HalfSize;
3712       break;
3713     }
3714   }
3715   for (unsigned i = HalfSize; i < HalfSize*2; ++i) {
3716     if (SVOp->getMaskElt(i) > 0) {
3717       SndHalf = SVOp->getMaskElt(i)/HalfSize;
3718       break;
3719     }
3720   }
3721
3722   return (FstHalf | (SndHalf << 4));
3723 }
3724
3725 /// isVPERMILPMask - Return true if the specified VECTOR_SHUFFLE operand
3726 /// specifies a shuffle of elements that is suitable for input to VPERMILPD*.
3727 /// Note that VPERMIL mask matching is different depending whether theunderlying
3728 /// type is 32 or 64. In the VPERMILPS the high half of the mask should point
3729 /// to the same elements of the low, but to the higher half of the source.
3730 /// In VPERMILPD the two lanes could be shuffled independently of each other
3731 /// with the same restriction that lanes can't be crossed. Also handles PSHUFDY.
3732 static bool isVPERMILPMask(ArrayRef<int> Mask, EVT VT, bool HasAVX) {
3733   if (!HasAVX)
3734     return false;
3735
3736   unsigned NumElts = VT.getVectorNumElements();
3737   // Only match 256-bit with 32/64-bit types
3738   if (VT.getSizeInBits() != 256 || (NumElts != 4 && NumElts != 8))
3739     return false;
3740
3741   unsigned NumLanes = VT.getSizeInBits()/128;
3742   unsigned LaneSize = NumElts/NumLanes;
3743   for (unsigned l = 0; l != NumElts; l += LaneSize) {
3744     for (unsigned i = 0; i != LaneSize; ++i) {
3745       if (!isUndefOrInRange(Mask[i+l], l, l+LaneSize))
3746         return false;
3747       if (NumElts != 8 || l == 0)
3748         continue;
3749       // VPERMILPS handling
3750       if (Mask[i] < 0)
3751         continue;
3752       if (!isUndefOrEqual(Mask[i+l], Mask[i]+l))
3753         return false;
3754     }
3755   }
3756
3757   return true;
3758 }
3759
3760 /// isCommutedMOVLMask - Returns true if the shuffle mask is except the reverse
3761 /// of what x86 movss want. X86 movs requires the lowest  element to be lowest
3762 /// element of vector 2 and the other elements to come from vector 1 in order.
3763 static bool isCommutedMOVLMask(ArrayRef<int> Mask, EVT VT,
3764                                bool V2IsSplat = false, bool V2IsUndef = false) {
3765   unsigned NumOps = VT.getVectorNumElements();
3766   if (VT.getSizeInBits() == 256)
3767     return false;
3768   if (NumOps != 2 && NumOps != 4 && NumOps != 8 && NumOps != 16)
3769     return false;
3770
3771   if (!isUndefOrEqual(Mask[0], 0))
3772     return false;
3773
3774   for (unsigned i = 1; i != NumOps; ++i)
3775     if (!(isUndefOrEqual(Mask[i], i+NumOps) ||
3776           (V2IsUndef && isUndefOrInRange(Mask[i], NumOps, NumOps*2)) ||
3777           (V2IsSplat && isUndefOrEqual(Mask[i], NumOps))))
3778       return false;
3779
3780   return true;
3781 }
3782
3783 /// isMOVSHDUPMask - Return true if the specified VECTOR_SHUFFLE operand
3784 /// specifies a shuffle of elements that is suitable for input to MOVSHDUP.
3785 /// Masks to match: <1, 1, 3, 3> or <1, 1, 3, 3, 5, 5, 7, 7>
3786 static bool isMOVSHDUPMask(ArrayRef<int> Mask, EVT VT,
3787                            const X86Subtarget *Subtarget) {
3788   if (!Subtarget->hasSSE3())
3789     return false;
3790
3791   unsigned NumElems = VT.getVectorNumElements();
3792
3793   if ((VT.getSizeInBits() == 128 && NumElems != 4) ||
3794       (VT.getSizeInBits() == 256 && NumElems != 8))
3795     return false;
3796
3797   // "i+1" is the value the indexed mask element must have
3798   for (unsigned i = 0; i != NumElems; i += 2)
3799     if (!isUndefOrEqual(Mask[i], i+1) ||
3800         !isUndefOrEqual(Mask[i+1], i+1))
3801       return false;
3802
3803   return true;
3804 }
3805
3806 /// isMOVSLDUPMask - Return true if the specified VECTOR_SHUFFLE operand
3807 /// specifies a shuffle of elements that is suitable for input to MOVSLDUP.
3808 /// Masks to match: <0, 0, 2, 2> or <0, 0, 2, 2, 4, 4, 6, 6>
3809 static bool isMOVSLDUPMask(ArrayRef<int> Mask, EVT VT,
3810                            const X86Subtarget *Subtarget) {
3811   if (!Subtarget->hasSSE3())
3812     return false;
3813
3814   unsigned NumElems = VT.getVectorNumElements();
3815
3816   if ((VT.getSizeInBits() == 128 && NumElems != 4) ||
3817       (VT.getSizeInBits() == 256 && NumElems != 8))
3818     return false;
3819
3820   // "i" is the value the indexed mask element must have
3821   for (unsigned i = 0; i != NumElems; i += 2)
3822     if (!isUndefOrEqual(Mask[i], i) ||
3823         !isUndefOrEqual(Mask[i+1], i))
3824       return false;
3825
3826   return true;
3827 }
3828
3829 /// isMOVDDUPYMask - Return true if the specified VECTOR_SHUFFLE operand
3830 /// specifies a shuffle of elements that is suitable for input to 256-bit
3831 /// version of MOVDDUP.
3832 static bool isMOVDDUPYMask(ArrayRef<int> Mask, EVT VT, bool HasAVX) {
3833   unsigned NumElts = VT.getVectorNumElements();
3834
3835   if (!HasAVX || VT.getSizeInBits() != 256 || NumElts != 4)
3836     return false;
3837
3838   for (unsigned i = 0; i != NumElts/2; ++i)
3839     if (!isUndefOrEqual(Mask[i], 0))
3840       return false;
3841   for (unsigned i = NumElts/2; i != NumElts; ++i)
3842     if (!isUndefOrEqual(Mask[i], NumElts/2))
3843       return false;
3844   return true;
3845 }
3846
3847 /// isMOVDDUPMask - Return true if the specified VECTOR_SHUFFLE operand
3848 /// specifies a shuffle of elements that is suitable for input to 128-bit
3849 /// version of MOVDDUP.
3850 static bool isMOVDDUPMask(ArrayRef<int> Mask, EVT VT) {
3851   if (VT.getSizeInBits() != 128)
3852     return false;
3853
3854   unsigned e = VT.getVectorNumElements() / 2;
3855   for (unsigned i = 0; i != e; ++i)
3856     if (!isUndefOrEqual(Mask[i], i))
3857       return false;
3858   for (unsigned i = 0; i != e; ++i)
3859     if (!isUndefOrEqual(Mask[e+i], i))
3860       return false;
3861   return true;
3862 }
3863
3864 /// isVEXTRACTF128Index - Return true if the specified
3865 /// EXTRACT_SUBVECTOR operand specifies a vector extract that is
3866 /// suitable for input to VEXTRACTF128.
3867 bool X86::isVEXTRACTF128Index(SDNode *N) {
3868   if (!isa<ConstantSDNode>(N->getOperand(1).getNode()))
3869     return false;
3870
3871   // The index should be aligned on a 128-bit boundary.
3872   uint64_t Index =
3873     cast<ConstantSDNode>(N->getOperand(1).getNode())->getZExtValue();
3874
3875   unsigned VL = N->getValueType(0).getVectorNumElements();
3876   unsigned VBits = N->getValueType(0).getSizeInBits();
3877   unsigned ElSize = VBits / VL;
3878   bool Result = (Index * ElSize) % 128 == 0;
3879
3880   return Result;
3881 }
3882
3883 /// isVINSERTF128Index - Return true if the specified INSERT_SUBVECTOR
3884 /// operand specifies a subvector insert that is suitable for input to
3885 /// VINSERTF128.
3886 bool X86::isVINSERTF128Index(SDNode *N) {
3887   if (!isa<ConstantSDNode>(N->getOperand(2).getNode()))
3888     return false;
3889
3890   // The index should be aligned on a 128-bit boundary.
3891   uint64_t Index =
3892     cast<ConstantSDNode>(N->getOperand(2).getNode())->getZExtValue();
3893
3894   unsigned VL = N->getValueType(0).getVectorNumElements();
3895   unsigned VBits = N->getValueType(0).getSizeInBits();
3896   unsigned ElSize = VBits / VL;
3897   bool Result = (Index * ElSize) % 128 == 0;
3898
3899   return Result;
3900 }
3901
3902 /// getShuffleSHUFImmediate - Return the appropriate immediate to shuffle
3903 /// the specified VECTOR_SHUFFLE mask with PSHUF* and SHUFP* instructions.
3904 /// Handles 128-bit and 256-bit.
3905 static unsigned getShuffleSHUFImmediate(ShuffleVectorSDNode *N) {
3906   EVT VT = N->getValueType(0);
3907
3908   assert((VT.is128BitVector() || VT.is256BitVector()) &&
3909          "Unsupported vector type for PSHUF/SHUFP");
3910
3911   // Handle 128 and 256-bit vector lengths. AVX defines PSHUF/SHUFP to operate
3912   // independently on 128-bit lanes.
3913   unsigned NumElts = VT.getVectorNumElements();
3914   unsigned NumLanes = VT.getSizeInBits()/128;
3915   unsigned NumLaneElts = NumElts/NumLanes;
3916
3917   assert((NumLaneElts == 2 || NumLaneElts == 4) &&
3918          "Only supports 2 or 4 elements per lane");
3919
3920   unsigned Shift = (NumLaneElts == 4) ? 1 : 0;
3921   unsigned Mask = 0;
3922   for (unsigned i = 0; i != NumElts; ++i) {
3923     int Elt = N->getMaskElt(i);
3924     if (Elt < 0) continue;
3925     Elt &= NumLaneElts - 1;
3926     unsigned ShAmt = (i << Shift) % 8;
3927     Mask |= Elt << ShAmt;
3928   }
3929
3930   return Mask;
3931 }
3932
3933 /// getShufflePSHUFHWImmediate - Return the appropriate immediate to shuffle
3934 /// the specified VECTOR_SHUFFLE mask with the PSHUFHW instruction.
3935 static unsigned getShufflePSHUFHWImmediate(ShuffleVectorSDNode *N) {
3936   EVT VT = N->getValueType(0);
3937
3938   assert((VT == MVT::v8i16 || VT == MVT::v16i16) &&
3939          "Unsupported vector type for PSHUFHW");
3940
3941   unsigned NumElts = VT.getVectorNumElements();
3942
3943   unsigned Mask = 0;
3944   for (unsigned l = 0; l != NumElts; l += 8) {
3945     // 8 nodes per lane, but we only care about the last 4.
3946     for (unsigned i = 0; i < 4; ++i) {
3947       int Elt = N->getMaskElt(l+i+4);
3948       if (Elt < 0) continue;
3949       Elt &= 0x3; // only 2-bits.
3950       Mask |= Elt << (i * 2);
3951     }
3952   }
3953
3954   return Mask;
3955 }
3956
3957 /// getShufflePSHUFLWImmediate - Return the appropriate immediate to shuffle
3958 /// the specified VECTOR_SHUFFLE mask with the PSHUFLW instruction.
3959 static unsigned getShufflePSHUFLWImmediate(ShuffleVectorSDNode *N) {
3960   EVT VT = N->getValueType(0);
3961
3962   assert((VT == MVT::v8i16 || VT == MVT::v16i16) &&
3963          "Unsupported vector type for PSHUFHW");
3964
3965   unsigned NumElts = VT.getVectorNumElements();
3966
3967   unsigned Mask = 0;
3968   for (unsigned l = 0; l != NumElts; l += 8) {
3969     // 8 nodes per lane, but we only care about the first 4.
3970     for (unsigned i = 0; i < 4; ++i) {
3971       int Elt = N->getMaskElt(l+i);
3972       if (Elt < 0) continue;
3973       Elt &= 0x3; // only 2-bits
3974       Mask |= Elt << (i * 2);
3975     }
3976   }
3977
3978   return Mask;
3979 }
3980
3981 /// getShufflePALIGNRImmediate - Return the appropriate immediate to shuffle
3982 /// the specified VECTOR_SHUFFLE mask with the PALIGNR instruction.
3983 static unsigned getShufflePALIGNRImmediate(ShuffleVectorSDNode *SVOp) {
3984   EVT VT = SVOp->getValueType(0);
3985   unsigned EltSize = VT.getVectorElementType().getSizeInBits() >> 3;
3986
3987   unsigned NumElts = VT.getVectorNumElements();
3988   unsigned NumLanes = VT.getSizeInBits()/128;
3989   unsigned NumLaneElts = NumElts/NumLanes;
3990
3991   int Val = 0;
3992   unsigned i;
3993   for (i = 0; i != NumElts; ++i) {
3994     Val = SVOp->getMaskElt(i);
3995     if (Val >= 0)
3996       break;
3997   }
3998   if (Val >= (int)NumElts)
3999     Val -= NumElts - NumLaneElts;
4000
4001   assert(Val - i > 0 && "PALIGNR imm should be positive");
4002   return (Val - i) * EltSize;
4003 }
4004
4005 /// getExtractVEXTRACTF128Immediate - Return the appropriate immediate
4006 /// to extract the specified EXTRACT_SUBVECTOR index with VEXTRACTF128
4007 /// instructions.
4008 unsigned X86::getExtractVEXTRACTF128Immediate(SDNode *N) {
4009   if (!isa<ConstantSDNode>(N->getOperand(1).getNode()))
4010     llvm_unreachable("Illegal extract subvector for VEXTRACTF128");
4011
4012   uint64_t Index =
4013     cast<ConstantSDNode>(N->getOperand(1).getNode())->getZExtValue();
4014
4015   EVT VecVT = N->getOperand(0).getValueType();
4016   EVT ElVT = VecVT.getVectorElementType();
4017
4018   unsigned NumElemsPerChunk = 128 / ElVT.getSizeInBits();
4019   return Index / NumElemsPerChunk;
4020 }
4021
4022 /// getInsertVINSERTF128Immediate - Return the appropriate immediate
4023 /// to insert at the specified INSERT_SUBVECTOR index with VINSERTF128
4024 /// instructions.
4025 unsigned X86::getInsertVINSERTF128Immediate(SDNode *N) {
4026   if (!isa<ConstantSDNode>(N->getOperand(2).getNode()))
4027     llvm_unreachable("Illegal insert subvector for VINSERTF128");
4028
4029   uint64_t Index =
4030     cast<ConstantSDNode>(N->getOperand(2).getNode())->getZExtValue();
4031
4032   EVT VecVT = N->getValueType(0);
4033   EVT ElVT = VecVT.getVectorElementType();
4034
4035   unsigned NumElemsPerChunk = 128 / ElVT.getSizeInBits();
4036   return Index / NumElemsPerChunk;
4037 }
4038
4039 /// getShuffleCLImmediate - Return the appropriate immediate to shuffle
4040 /// the specified VECTOR_SHUFFLE mask with VPERMQ and VPERMPD instructions.
4041 /// Handles 256-bit.
4042 static unsigned getShuffleCLImmediate(ShuffleVectorSDNode *N) {
4043   EVT VT = N->getValueType(0);
4044
4045   unsigned NumElts = VT.getVectorNumElements();
4046
4047   assert((VT.is256BitVector() && NumElts == 4) &&
4048          "Unsupported vector type for VPERMQ/VPERMPD");
4049
4050   unsigned Mask = 0;
4051   for (unsigned i = 0; i != NumElts; ++i) {
4052     int Elt = N->getMaskElt(i);
4053     if (Elt < 0)
4054       continue;
4055     Mask |= Elt << (i*2);
4056   }
4057
4058   return Mask;
4059 }
4060 /// isZeroNode - Returns true if Elt is a constant zero or a floating point
4061 /// constant +0.0.
4062 bool X86::isZeroNode(SDValue Elt) {
4063   return ((isa<ConstantSDNode>(Elt) &&
4064            cast<ConstantSDNode>(Elt)->isNullValue()) ||
4065           (isa<ConstantFPSDNode>(Elt) &&
4066            cast<ConstantFPSDNode>(Elt)->getValueAPF().isPosZero()));
4067 }
4068
4069 /// CommuteVectorShuffle - Swap vector_shuffle operands as well as values in
4070 /// their permute mask.
4071 static SDValue CommuteVectorShuffle(ShuffleVectorSDNode *SVOp,
4072                                     SelectionDAG &DAG) {
4073   EVT VT = SVOp->getValueType(0);
4074   unsigned NumElems = VT.getVectorNumElements();
4075   SmallVector<int, 8> MaskVec;
4076
4077   for (unsigned i = 0; i != NumElems; ++i) {
4078     int Idx = SVOp->getMaskElt(i);
4079     if (Idx >= 0) {
4080       if (Idx < (int)NumElems)
4081         Idx += NumElems;
4082       else
4083         Idx -= NumElems;
4084     }
4085     MaskVec.push_back(Idx);
4086   }
4087   return DAG.getVectorShuffle(VT, SVOp->getDebugLoc(), SVOp->getOperand(1),
4088                               SVOp->getOperand(0), &MaskVec[0]);
4089 }
4090
4091 /// ShouldXformToMOVHLPS - Return true if the node should be transformed to
4092 /// match movhlps. The lower half elements should come from upper half of
4093 /// V1 (and in order), and the upper half elements should come from the upper
4094 /// half of V2 (and in order).
4095 static bool ShouldXformToMOVHLPS(ArrayRef<int> Mask, EVT VT) {
4096   if (VT.getSizeInBits() != 128)
4097     return false;
4098   if (VT.getVectorNumElements() != 4)
4099     return false;
4100   for (unsigned i = 0, e = 2; i != e; ++i)
4101     if (!isUndefOrEqual(Mask[i], i+2))
4102       return false;
4103   for (unsigned i = 2; i != 4; ++i)
4104     if (!isUndefOrEqual(Mask[i], i+4))
4105       return false;
4106   return true;
4107 }
4108
4109 /// isScalarLoadToVector - Returns true if the node is a scalar load that
4110 /// is promoted to a vector. It also returns the LoadSDNode by reference if
4111 /// required.
4112 static bool isScalarLoadToVector(SDNode *N, LoadSDNode **LD = NULL) {
4113   if (N->getOpcode() != ISD::SCALAR_TO_VECTOR)
4114     return false;
4115   N = N->getOperand(0).getNode();
4116   if (!ISD::isNON_EXTLoad(N))
4117     return false;
4118   if (LD)
4119     *LD = cast<LoadSDNode>(N);
4120   return true;
4121 }
4122
4123 // Test whether the given value is a vector value which will be legalized
4124 // into a load.
4125 static bool WillBeConstantPoolLoad(SDNode *N) {
4126   if (N->getOpcode() != ISD::BUILD_VECTOR)
4127     return false;
4128
4129   // Check for any non-constant elements.
4130   for (unsigned i = 0, e = N->getNumOperands(); i != e; ++i)
4131     switch (N->getOperand(i).getNode()->getOpcode()) {
4132     case ISD::UNDEF:
4133     case ISD::ConstantFP:
4134     case ISD::Constant:
4135       break;
4136     default:
4137       return false;
4138     }
4139
4140   // Vectors of all-zeros and all-ones are materialized with special
4141   // instructions rather than being loaded.
4142   return !ISD::isBuildVectorAllZeros(N) &&
4143          !ISD::isBuildVectorAllOnes(N);
4144 }
4145
4146 /// ShouldXformToMOVLP{S|D} - Return true if the node should be transformed to
4147 /// match movlp{s|d}. The lower half elements should come from lower half of
4148 /// V1 (and in order), and the upper half elements should come from the upper
4149 /// half of V2 (and in order). And since V1 will become the source of the
4150 /// MOVLP, it must be either a vector load or a scalar load to vector.
4151 static bool ShouldXformToMOVLP(SDNode *V1, SDNode *V2,
4152                                ArrayRef<int> Mask, EVT VT) {
4153   if (VT.getSizeInBits() != 128)
4154     return false;
4155
4156   if (!ISD::isNON_EXTLoad(V1) && !isScalarLoadToVector(V1))
4157     return false;
4158   // Is V2 is a vector load, don't do this transformation. We will try to use
4159   // load folding shufps op.
4160   if (ISD::isNON_EXTLoad(V2) || WillBeConstantPoolLoad(V2))
4161     return false;
4162
4163   unsigned NumElems = VT.getVectorNumElements();
4164
4165   if (NumElems != 2 && NumElems != 4)
4166     return false;
4167   for (unsigned i = 0, e = NumElems/2; i != e; ++i)
4168     if (!isUndefOrEqual(Mask[i], i))
4169       return false;
4170   for (unsigned i = NumElems/2, e = NumElems; i != e; ++i)
4171     if (!isUndefOrEqual(Mask[i], i+NumElems))
4172       return false;
4173   return true;
4174 }
4175
4176 /// isSplatVector - Returns true if N is a BUILD_VECTOR node whose elements are
4177 /// all the same.
4178 static bool isSplatVector(SDNode *N) {
4179   if (N->getOpcode() != ISD::BUILD_VECTOR)
4180     return false;
4181
4182   SDValue SplatValue = N->getOperand(0);
4183   for (unsigned i = 1, e = N->getNumOperands(); i != e; ++i)
4184     if (N->getOperand(i) != SplatValue)
4185       return false;
4186   return true;
4187 }
4188
4189 /// isZeroShuffle - Returns true if N is a VECTOR_SHUFFLE that can be resolved
4190 /// to an zero vector.
4191 /// FIXME: move to dag combiner / method on ShuffleVectorSDNode
4192 static bool isZeroShuffle(ShuffleVectorSDNode *N) {
4193   SDValue V1 = N->getOperand(0);
4194   SDValue V2 = N->getOperand(1);
4195   unsigned NumElems = N->getValueType(0).getVectorNumElements();
4196   for (unsigned i = 0; i != NumElems; ++i) {
4197     int Idx = N->getMaskElt(i);
4198     if (Idx >= (int)NumElems) {
4199       unsigned Opc = V2.getOpcode();
4200       if (Opc == ISD::UNDEF || ISD::isBuildVectorAllZeros(V2.getNode()))
4201         continue;
4202       if (Opc != ISD::BUILD_VECTOR ||
4203           !X86::isZeroNode(V2.getOperand(Idx-NumElems)))
4204         return false;
4205     } else if (Idx >= 0) {
4206       unsigned Opc = V1.getOpcode();
4207       if (Opc == ISD::UNDEF || ISD::isBuildVectorAllZeros(V1.getNode()))
4208         continue;
4209       if (Opc != ISD::BUILD_VECTOR ||
4210           !X86::isZeroNode(V1.getOperand(Idx)))
4211         return false;
4212     }
4213   }
4214   return true;
4215 }
4216
4217 /// getZeroVector - Returns a vector of specified type with all zero elements.
4218 ///
4219 static SDValue getZeroVector(EVT VT, const X86Subtarget *Subtarget,
4220                              SelectionDAG &DAG, DebugLoc dl) {
4221   assert(VT.isVector() && "Expected a vector type");
4222   unsigned Size = VT.getSizeInBits();
4223
4224   // Always build SSE zero vectors as <4 x i32> bitcasted
4225   // to their dest type. This ensures they get CSE'd.
4226   SDValue Vec;
4227   if (Size == 128) {  // SSE
4228     if (Subtarget->hasSSE2()) {  // SSE2
4229       SDValue Cst = DAG.getTargetConstant(0, MVT::i32);
4230       Vec = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v4i32, Cst, Cst, Cst, Cst);
4231     } else { // SSE1
4232       SDValue Cst = DAG.getTargetConstantFP(+0.0, MVT::f32);
4233       Vec = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v4f32, Cst, Cst, Cst, Cst);
4234     }
4235   } else if (Size == 256) { // AVX
4236     if (Subtarget->hasAVX2()) { // AVX2
4237       SDValue Cst = DAG.getTargetConstant(0, MVT::i32);
4238       SDValue Ops[] = { Cst, Cst, Cst, Cst, Cst, Cst, Cst, Cst };
4239       Vec = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v8i32, Ops, 8);
4240     } else {
4241       // 256-bit logic and arithmetic instructions in AVX are all
4242       // floating-point, no support for integer ops. Emit fp zeroed vectors.
4243       SDValue Cst = DAG.getTargetConstantFP(+0.0, MVT::f32);
4244       SDValue Ops[] = { Cst, Cst, Cst, Cst, Cst, Cst, Cst, Cst };
4245       Vec = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v8f32, Ops, 8);
4246     }
4247   } else
4248     llvm_unreachable("Unexpected vector type");
4249
4250   return DAG.getNode(ISD::BITCAST, dl, VT, Vec);
4251 }
4252
4253 /// getOnesVector - Returns a vector of specified type with all bits set.
4254 /// Always build ones vectors as <4 x i32> or <8 x i32>. For 256-bit types with
4255 /// no AVX2 supprt, use two <4 x i32> inserted in a <8 x i32> appropriately.
4256 /// Then bitcast to their original type, ensuring they get CSE'd.
4257 static SDValue getOnesVector(EVT VT, bool HasAVX2, SelectionDAG &DAG,
4258                              DebugLoc dl) {
4259   assert(VT.isVector() && "Expected a vector type");
4260   unsigned Size = VT.getSizeInBits();
4261
4262   SDValue Cst = DAG.getTargetConstant(~0U, MVT::i32);
4263   SDValue Vec;
4264   if (Size == 256) {
4265     if (HasAVX2) { // AVX2
4266       SDValue Ops[] = { Cst, Cst, Cst, Cst, Cst, Cst, Cst, Cst };
4267       Vec = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v8i32, Ops, 8);
4268     } else { // AVX
4269       Vec = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v4i32, Cst, Cst, Cst, Cst);
4270       Vec = Concat128BitVectors(Vec, Vec, MVT::v8i32, 8, DAG, dl);
4271     }
4272   } else if (Size == 128) {
4273     Vec = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v4i32, Cst, Cst, Cst, Cst);
4274   } else
4275     llvm_unreachable("Unexpected vector type");
4276
4277   return DAG.getNode(ISD::BITCAST, dl, VT, Vec);
4278 }
4279
4280 /// NormalizeMask - V2 is a splat, modify the mask (if needed) so all elements
4281 /// that point to V2 points to its first element.
4282 static void NormalizeMask(SmallVectorImpl<int> &Mask, unsigned NumElems) {
4283   for (unsigned i = 0; i != NumElems; ++i) {
4284     if (Mask[i] > (int)NumElems) {
4285       Mask[i] = NumElems;
4286     }
4287   }
4288 }
4289
4290 /// getMOVLMask - Returns a vector_shuffle mask for an movs{s|d}, movd
4291 /// operation of specified width.
4292 static SDValue getMOVL(SelectionDAG &DAG, DebugLoc dl, EVT VT, SDValue V1,
4293                        SDValue V2) {
4294   unsigned NumElems = VT.getVectorNumElements();
4295   SmallVector<int, 8> Mask;
4296   Mask.push_back(NumElems);
4297   for (unsigned i = 1; i != NumElems; ++i)
4298     Mask.push_back(i);
4299   return DAG.getVectorShuffle(VT, dl, V1, V2, &Mask[0]);
4300 }
4301
4302 /// getUnpackl - Returns a vector_shuffle node for an unpackl operation.
4303 static SDValue getUnpackl(SelectionDAG &DAG, DebugLoc dl, EVT VT, SDValue V1,
4304                           SDValue V2) {
4305   unsigned NumElems = VT.getVectorNumElements();
4306   SmallVector<int, 8> Mask;
4307   for (unsigned i = 0, e = NumElems/2; i != e; ++i) {
4308     Mask.push_back(i);
4309     Mask.push_back(i + NumElems);
4310   }
4311   return DAG.getVectorShuffle(VT, dl, V1, V2, &Mask[0]);
4312 }
4313
4314 /// getUnpackh - Returns a vector_shuffle node for an unpackh operation.
4315 static SDValue getUnpackh(SelectionDAG &DAG, DebugLoc dl, EVT VT, SDValue V1,
4316                           SDValue V2) {
4317   unsigned NumElems = VT.getVectorNumElements();
4318   SmallVector<int, 8> Mask;
4319   for (unsigned i = 0, Half = NumElems/2; i != Half; ++i) {
4320     Mask.push_back(i + Half);
4321     Mask.push_back(i + NumElems + Half);
4322   }
4323   return DAG.getVectorShuffle(VT, dl, V1, V2, &Mask[0]);
4324 }
4325
4326 // PromoteSplati8i16 - All i16 and i8 vector types can't be used directly by
4327 // a generic shuffle instruction because the target has no such instructions.
4328 // Generate shuffles which repeat i16 and i8 several times until they can be
4329 // represented by v4f32 and then be manipulated by target suported shuffles.
4330 static SDValue PromoteSplati8i16(SDValue V, SelectionDAG &DAG, int &EltNo) {
4331   EVT VT = V.getValueType();
4332   int NumElems = VT.getVectorNumElements();
4333   DebugLoc dl = V.getDebugLoc();
4334
4335   while (NumElems > 4) {
4336     if (EltNo < NumElems/2) {
4337       V = getUnpackl(DAG, dl, VT, V, V);
4338     } else {
4339       V = getUnpackh(DAG, dl, VT, V, V);
4340       EltNo -= NumElems/2;
4341     }
4342     NumElems >>= 1;
4343   }
4344   return V;
4345 }
4346
4347 /// getLegalSplat - Generate a legal splat with supported x86 shuffles
4348 static SDValue getLegalSplat(SelectionDAG &DAG, SDValue V, int EltNo) {
4349   EVT VT = V.getValueType();
4350   DebugLoc dl = V.getDebugLoc();
4351   unsigned Size = VT.getSizeInBits();
4352
4353   if (Size == 128) {
4354     V = DAG.getNode(ISD::BITCAST, dl, MVT::v4f32, V);
4355     int SplatMask[4] = { EltNo, EltNo, EltNo, EltNo };
4356     V = DAG.getVectorShuffle(MVT::v4f32, dl, V, DAG.getUNDEF(MVT::v4f32),
4357                              &SplatMask[0]);
4358   } else if (Size == 256) {
4359     // To use VPERMILPS to splat scalars, the second half of indicies must
4360     // refer to the higher part, which is a duplication of the lower one,
4361     // because VPERMILPS can only handle in-lane permutations.
4362     int SplatMask[8] = { EltNo, EltNo, EltNo, EltNo,
4363                          EltNo+4, EltNo+4, EltNo+4, EltNo+4 };
4364
4365     V = DAG.getNode(ISD::BITCAST, dl, MVT::v8f32, V);
4366     V = DAG.getVectorShuffle(MVT::v8f32, dl, V, DAG.getUNDEF(MVT::v8f32),
4367                              &SplatMask[0]);
4368   } else
4369     llvm_unreachable("Vector size not supported");
4370
4371   return DAG.getNode(ISD::BITCAST, dl, VT, V);
4372 }
4373
4374 /// PromoteSplat - Splat is promoted to target supported vector shuffles.
4375 static SDValue PromoteSplat(ShuffleVectorSDNode *SV, SelectionDAG &DAG) {
4376   EVT SrcVT = SV->getValueType(0);
4377   SDValue V1 = SV->getOperand(0);
4378   DebugLoc dl = SV->getDebugLoc();
4379
4380   int EltNo = SV->getSplatIndex();
4381   int NumElems = SrcVT.getVectorNumElements();
4382   unsigned Size = SrcVT.getSizeInBits();
4383
4384   assert(((Size == 128 && NumElems > 4) || Size == 256) &&
4385           "Unknown how to promote splat for type");
4386
4387   // Extract the 128-bit part containing the splat element and update
4388   // the splat element index when it refers to the higher register.
4389   if (Size == 256) {
4390     V1 = Extract128BitVector(V1, EltNo, DAG, dl);
4391     if (EltNo >= NumElems/2)
4392       EltNo -= NumElems/2;
4393   }
4394
4395   // All i16 and i8 vector types can't be used directly by a generic shuffle
4396   // instruction because the target has no such instruction. Generate shuffles
4397   // which repeat i16 and i8 several times until they fit in i32, and then can
4398   // be manipulated by target suported shuffles.
4399   EVT EltVT = SrcVT.getVectorElementType();
4400   if (EltVT == MVT::i8 || EltVT == MVT::i16)
4401     V1 = PromoteSplati8i16(V1, DAG, EltNo);
4402
4403   // Recreate the 256-bit vector and place the same 128-bit vector
4404   // into the low and high part. This is necessary because we want
4405   // to use VPERM* to shuffle the vectors
4406   if (Size == 256) {
4407     V1 = DAG.getNode(ISD::CONCAT_VECTORS, dl, SrcVT, V1, V1);
4408   }
4409
4410   return getLegalSplat(DAG, V1, EltNo);
4411 }
4412
4413 /// getShuffleVectorZeroOrUndef - Return a vector_shuffle of the specified
4414 /// vector of zero or undef vector.  This produces a shuffle where the low
4415 /// element of V2 is swizzled into the zero/undef vector, landing at element
4416 /// Idx.  This produces a shuffle mask like 4,1,2,3 (idx=0) or  0,1,2,4 (idx=3).
4417 static SDValue getShuffleVectorZeroOrUndef(SDValue V2, unsigned Idx,
4418                                            bool IsZero,
4419                                            const X86Subtarget *Subtarget,
4420                                            SelectionDAG &DAG) {
4421   EVT VT = V2.getValueType();
4422   SDValue V1 = IsZero
4423     ? getZeroVector(VT, Subtarget, DAG, V2.getDebugLoc()) : DAG.getUNDEF(VT);
4424   unsigned NumElems = VT.getVectorNumElements();
4425   SmallVector<int, 16> MaskVec;
4426   for (unsigned i = 0; i != NumElems; ++i)
4427     // If this is the insertion idx, put the low elt of V2 here.
4428     MaskVec.push_back(i == Idx ? NumElems : i);
4429   return DAG.getVectorShuffle(VT, V2.getDebugLoc(), V1, V2, &MaskVec[0]);
4430 }
4431
4432 /// getTargetShuffleMask - Calculates the shuffle mask corresponding to the
4433 /// target specific opcode. Returns true if the Mask could be calculated.
4434 /// Sets IsUnary to true if only uses one source.
4435 static bool getTargetShuffleMask(SDNode *N, MVT VT,
4436                                  SmallVectorImpl<int> &Mask, bool &IsUnary) {
4437   unsigned NumElems = VT.getVectorNumElements();
4438   SDValue ImmN;
4439
4440   IsUnary = false;
4441   switch(N->getOpcode()) {
4442   case X86ISD::SHUFP:
4443     ImmN = N->getOperand(N->getNumOperands()-1);
4444     DecodeSHUFPMask(VT, cast<ConstantSDNode>(ImmN)->getZExtValue(), Mask);
4445     break;
4446   case X86ISD::UNPCKH:
4447     DecodeUNPCKHMask(VT, Mask);
4448     break;
4449   case X86ISD::UNPCKL:
4450     DecodeUNPCKLMask(VT, Mask);
4451     break;
4452   case X86ISD::MOVHLPS:
4453     DecodeMOVHLPSMask(NumElems, Mask);
4454     break;
4455   case X86ISD::MOVLHPS:
4456     DecodeMOVLHPSMask(NumElems, Mask);
4457     break;
4458   case X86ISD::PSHUFD:
4459   case X86ISD::VPERMILP:
4460     ImmN = N->getOperand(N->getNumOperands()-1);
4461     DecodePSHUFMask(VT, cast<ConstantSDNode>(ImmN)->getZExtValue(), Mask);
4462     IsUnary = true;
4463     break;
4464   case X86ISD::PSHUFHW:
4465     ImmN = N->getOperand(N->getNumOperands()-1);
4466     DecodePSHUFHWMask(VT, cast<ConstantSDNode>(ImmN)->getZExtValue(), Mask);
4467     IsUnary = true;
4468     break;
4469   case X86ISD::PSHUFLW:
4470     ImmN = N->getOperand(N->getNumOperands()-1);
4471     DecodePSHUFLWMask(VT, cast<ConstantSDNode>(ImmN)->getZExtValue(), Mask);
4472     IsUnary = true;
4473     break;
4474   case X86ISD::VPERMI:
4475     ImmN = N->getOperand(N->getNumOperands()-1);
4476     DecodeVPERMMask(cast<ConstantSDNode>(ImmN)->getZExtValue(), Mask);
4477     IsUnary = true;
4478     break;
4479   case X86ISD::MOVSS:
4480   case X86ISD::MOVSD: {
4481     // The index 0 always comes from the first element of the second source,
4482     // this is why MOVSS and MOVSD are used in the first place. The other
4483     // elements come from the other positions of the first source vector
4484     Mask.push_back(NumElems);
4485     for (unsigned i = 1; i != NumElems; ++i) {
4486       Mask.push_back(i);
4487     }
4488     break;
4489   }
4490   case X86ISD::VPERM2X128:
4491     ImmN = N->getOperand(N->getNumOperands()-1);
4492     DecodeVPERM2X128Mask(VT, cast<ConstantSDNode>(ImmN)->getZExtValue(), Mask);
4493     if (Mask.empty()) return false;
4494     break;
4495   case X86ISD::MOVDDUP:
4496   case X86ISD::MOVLHPD:
4497   case X86ISD::MOVLPD:
4498   case X86ISD::MOVLPS:
4499   case X86ISD::MOVSHDUP:
4500   case X86ISD::MOVSLDUP:
4501   case X86ISD::PALIGN:
4502     // Not yet implemented
4503     return false;
4504   default: llvm_unreachable("unknown target shuffle node");
4505   }
4506
4507   return true;
4508 }
4509
4510 /// getShuffleScalarElt - Returns the scalar element that will make up the ith
4511 /// element of the result of the vector shuffle.
4512 static SDValue getShuffleScalarElt(SDNode *N, unsigned Index, SelectionDAG &DAG,
4513                                    unsigned Depth) {
4514   if (Depth == 6)
4515     return SDValue();  // Limit search depth.
4516
4517   SDValue V = SDValue(N, 0);
4518   EVT VT = V.getValueType();
4519   unsigned Opcode = V.getOpcode();
4520
4521   // Recurse into ISD::VECTOR_SHUFFLE node to find scalars.
4522   if (const ShuffleVectorSDNode *SV = dyn_cast<ShuffleVectorSDNode>(N)) {
4523     int Elt = SV->getMaskElt(Index);
4524
4525     if (Elt < 0)
4526       return DAG.getUNDEF(VT.getVectorElementType());
4527
4528     unsigned NumElems = VT.getVectorNumElements();
4529     SDValue NewV = (Elt < (int)NumElems) ? SV->getOperand(0)
4530                                          : SV->getOperand(1);
4531     return getShuffleScalarElt(NewV.getNode(), Elt % NumElems, DAG, Depth+1);
4532   }
4533
4534   // Recurse into target specific vector shuffles to find scalars.
4535   if (isTargetShuffle(Opcode)) {
4536     MVT ShufVT = V.getValueType().getSimpleVT();
4537     unsigned NumElems = ShufVT.getVectorNumElements();
4538     SmallVector<int, 16> ShuffleMask;
4539     SDValue ImmN;
4540     bool IsUnary;
4541
4542     if (!getTargetShuffleMask(N, ShufVT, ShuffleMask, IsUnary))
4543       return SDValue();
4544
4545     int Elt = ShuffleMask[Index];
4546     if (Elt < 0)
4547       return DAG.getUNDEF(ShufVT.getVectorElementType());
4548
4549     SDValue NewV = (Elt < (int)NumElems) ? N->getOperand(0)
4550                                          : N->getOperand(1);
4551     return getShuffleScalarElt(NewV.getNode(), Elt % NumElems, DAG,
4552                                Depth+1);
4553   }
4554
4555   // Actual nodes that may contain scalar elements
4556   if (Opcode == ISD::BITCAST) {
4557     V = V.getOperand(0);
4558     EVT SrcVT = V.getValueType();
4559     unsigned NumElems = VT.getVectorNumElements();
4560
4561     if (!SrcVT.isVector() || SrcVT.getVectorNumElements() != NumElems)
4562       return SDValue();
4563   }
4564
4565   if (V.getOpcode() == ISD::SCALAR_TO_VECTOR)
4566     return (Index == 0) ? V.getOperand(0)
4567                         : DAG.getUNDEF(VT.getVectorElementType());
4568
4569   if (V.getOpcode() == ISD::BUILD_VECTOR)
4570     return V.getOperand(Index);
4571
4572   return SDValue();
4573 }
4574
4575 /// getNumOfConsecutiveZeros - Return the number of elements of a vector
4576 /// shuffle operation which come from a consecutively from a zero. The
4577 /// search can start in two different directions, from left or right.
4578 static
4579 unsigned getNumOfConsecutiveZeros(ShuffleVectorSDNode *SVOp, unsigned NumElems,
4580                                   bool ZerosFromLeft, SelectionDAG &DAG) {
4581   unsigned i;
4582   for (i = 0; i != NumElems; ++i) {
4583     unsigned Index = ZerosFromLeft ? i : NumElems-i-1;
4584     SDValue Elt = getShuffleScalarElt(SVOp, Index, DAG, 0);
4585     if (!(Elt.getNode() &&
4586          (Elt.getOpcode() == ISD::UNDEF || X86::isZeroNode(Elt))))
4587       break;
4588   }
4589
4590   return i;
4591 }
4592
4593 /// isShuffleMaskConsecutive - Check if the shuffle mask indicies [MaskI, MaskE)
4594 /// correspond consecutively to elements from one of the vector operands,
4595 /// starting from its index OpIdx. Also tell OpNum which source vector operand.
4596 static
4597 bool isShuffleMaskConsecutive(ShuffleVectorSDNode *SVOp,
4598                               unsigned MaskI, unsigned MaskE, unsigned OpIdx,
4599                               unsigned NumElems, unsigned &OpNum) {
4600   bool SeenV1 = false;
4601   bool SeenV2 = false;
4602
4603   for (unsigned i = MaskI; i != MaskE; ++i, ++OpIdx) {
4604     int Idx = SVOp->getMaskElt(i);
4605     // Ignore undef indicies
4606     if (Idx < 0)
4607       continue;
4608
4609     if (Idx < (int)NumElems)
4610       SeenV1 = true;
4611     else
4612       SeenV2 = true;
4613
4614     // Only accept consecutive elements from the same vector
4615     if ((Idx % NumElems != OpIdx) || (SeenV1 && SeenV2))
4616       return false;
4617   }
4618
4619   OpNum = SeenV1 ? 0 : 1;
4620   return true;
4621 }
4622
4623 /// isVectorShiftRight - Returns true if the shuffle can be implemented as a
4624 /// logical left shift of a vector.
4625 static bool isVectorShiftRight(ShuffleVectorSDNode *SVOp, SelectionDAG &DAG,
4626                                bool &isLeft, SDValue &ShVal, unsigned &ShAmt) {
4627   unsigned NumElems = SVOp->getValueType(0).getVectorNumElements();
4628   unsigned NumZeros = getNumOfConsecutiveZeros(SVOp, NumElems,
4629               false /* check zeros from right */, DAG);
4630   unsigned OpSrc;
4631
4632   if (!NumZeros)
4633     return false;
4634
4635   // Considering the elements in the mask that are not consecutive zeros,
4636   // check if they consecutively come from only one of the source vectors.
4637   //
4638   //               V1 = {X, A, B, C}     0
4639   //                         \  \  \    /
4640   //   vector_shuffle V1, V2 <1, 2, 3, X>
4641   //
4642   if (!isShuffleMaskConsecutive(SVOp,
4643             0,                   // Mask Start Index
4644             NumElems-NumZeros,   // Mask End Index(exclusive)
4645             NumZeros,            // Where to start looking in the src vector
4646             NumElems,            // Number of elements in vector
4647             OpSrc))              // Which source operand ?
4648     return false;
4649
4650   isLeft = false;
4651   ShAmt = NumZeros;
4652   ShVal = SVOp->getOperand(OpSrc);
4653   return true;
4654 }
4655
4656 /// isVectorShiftLeft - Returns true if the shuffle can be implemented as a
4657 /// logical left shift of a vector.
4658 static bool isVectorShiftLeft(ShuffleVectorSDNode *SVOp, SelectionDAG &DAG,
4659                               bool &isLeft, SDValue &ShVal, unsigned &ShAmt) {
4660   unsigned NumElems = SVOp->getValueType(0).getVectorNumElements();
4661   unsigned NumZeros = getNumOfConsecutiveZeros(SVOp, NumElems,
4662               true /* check zeros from left */, DAG);
4663   unsigned OpSrc;
4664
4665   if (!NumZeros)
4666     return false;
4667
4668   // Considering the elements in the mask that are not consecutive zeros,
4669   // check if they consecutively come from only one of the source vectors.
4670   //
4671   //                           0    { A, B, X, X } = V2
4672   //                          / \    /  /
4673   //   vector_shuffle V1, V2 <X, X, 4, 5>
4674   //
4675   if (!isShuffleMaskConsecutive(SVOp,
4676             NumZeros,     // Mask Start Index
4677             NumElems,     // Mask End Index(exclusive)
4678             0,            // Where to start looking in the src vector
4679             NumElems,     // Number of elements in vector
4680             OpSrc))       // Which source operand ?
4681     return false;
4682
4683   isLeft = true;
4684   ShAmt = NumZeros;
4685   ShVal = SVOp->getOperand(OpSrc);
4686   return true;
4687 }
4688
4689 /// isVectorShift - Returns true if the shuffle can be implemented as a
4690 /// logical left or right shift of a vector.
4691 static bool isVectorShift(ShuffleVectorSDNode *SVOp, SelectionDAG &DAG,
4692                           bool &isLeft, SDValue &ShVal, unsigned &ShAmt) {
4693   // Although the logic below support any bitwidth size, there are no
4694   // shift instructions which handle more than 128-bit vectors.
4695   if (SVOp->getValueType(0).getSizeInBits() > 128)
4696     return false;
4697
4698   if (isVectorShiftLeft(SVOp, DAG, isLeft, ShVal, ShAmt) ||
4699       isVectorShiftRight(SVOp, DAG, isLeft, ShVal, ShAmt))
4700     return true;
4701
4702   return false;
4703 }
4704
4705 /// LowerBuildVectorv16i8 - Custom lower build_vector of v16i8.
4706 ///
4707 static SDValue LowerBuildVectorv16i8(SDValue Op, unsigned NonZeros,
4708                                        unsigned NumNonZero, unsigned NumZero,
4709                                        SelectionDAG &DAG,
4710                                        const X86Subtarget* Subtarget,
4711                                        const TargetLowering &TLI) {
4712   if (NumNonZero > 8)
4713     return SDValue();
4714
4715   DebugLoc dl = Op.getDebugLoc();
4716   SDValue V(0, 0);
4717   bool First = true;
4718   for (unsigned i = 0; i < 16; ++i) {
4719     bool ThisIsNonZero = (NonZeros & (1 << i)) != 0;
4720     if (ThisIsNonZero && First) {
4721       if (NumZero)
4722         V = getZeroVector(MVT::v8i16, Subtarget, DAG, dl);
4723       else
4724         V = DAG.getUNDEF(MVT::v8i16);
4725       First = false;
4726     }
4727
4728     if ((i & 1) != 0) {
4729       SDValue ThisElt(0, 0), LastElt(0, 0);
4730       bool LastIsNonZero = (NonZeros & (1 << (i-1))) != 0;
4731       if (LastIsNonZero) {
4732         LastElt = DAG.getNode(ISD::ZERO_EXTEND, dl,
4733                               MVT::i16, Op.getOperand(i-1));
4734       }
4735       if (ThisIsNonZero) {
4736         ThisElt = DAG.getNode(ISD::ZERO_EXTEND, dl, MVT::i16, Op.getOperand(i));
4737         ThisElt = DAG.getNode(ISD::SHL, dl, MVT::i16,
4738                               ThisElt, DAG.getConstant(8, MVT::i8));
4739         if (LastIsNonZero)
4740           ThisElt = DAG.getNode(ISD::OR, dl, MVT::i16, ThisElt, LastElt);
4741       } else
4742         ThisElt = LastElt;
4743
4744       if (ThisElt.getNode())
4745         V = DAG.getNode(ISD::INSERT_VECTOR_ELT, dl, MVT::v8i16, V, ThisElt,
4746                         DAG.getIntPtrConstant(i/2));
4747     }
4748   }
4749
4750   return DAG.getNode(ISD::BITCAST, dl, MVT::v16i8, V);
4751 }
4752
4753 /// LowerBuildVectorv8i16 - Custom lower build_vector of v8i16.
4754 ///
4755 static SDValue LowerBuildVectorv8i16(SDValue Op, unsigned NonZeros,
4756                                      unsigned NumNonZero, unsigned NumZero,
4757                                      SelectionDAG &DAG,
4758                                      const X86Subtarget* Subtarget,
4759                                      const TargetLowering &TLI) {
4760   if (NumNonZero > 4)
4761     return SDValue();
4762
4763   DebugLoc dl = Op.getDebugLoc();
4764   SDValue V(0, 0);
4765   bool First = true;
4766   for (unsigned i = 0; i < 8; ++i) {
4767     bool isNonZero = (NonZeros & (1 << i)) != 0;
4768     if (isNonZero) {
4769       if (First) {
4770         if (NumZero)
4771           V = getZeroVector(MVT::v8i16, Subtarget, DAG, dl);
4772         else
4773           V = DAG.getUNDEF(MVT::v8i16);
4774         First = false;
4775       }
4776       V = DAG.getNode(ISD::INSERT_VECTOR_ELT, dl,
4777                       MVT::v8i16, V, Op.getOperand(i),
4778                       DAG.getIntPtrConstant(i));
4779     }
4780   }
4781
4782   return V;
4783 }
4784
4785 /// getVShift - Return a vector logical shift node.
4786 ///
4787 static SDValue getVShift(bool isLeft, EVT VT, SDValue SrcOp,
4788                          unsigned NumBits, SelectionDAG &DAG,
4789                          const TargetLowering &TLI, DebugLoc dl) {
4790   assert(VT.getSizeInBits() == 128 && "Unknown type for VShift");
4791   EVT ShVT = MVT::v2i64;
4792   unsigned Opc = isLeft ? X86ISD::VSHLDQ : X86ISD::VSRLDQ;
4793   SrcOp = DAG.getNode(ISD::BITCAST, dl, ShVT, SrcOp);
4794   return DAG.getNode(ISD::BITCAST, dl, VT,
4795                      DAG.getNode(Opc, dl, ShVT, SrcOp,
4796                              DAG.getConstant(NumBits,
4797                                   TLI.getShiftAmountTy(SrcOp.getValueType()))));
4798 }
4799
4800 SDValue
4801 X86TargetLowering::LowerAsSplatVectorLoad(SDValue SrcOp, EVT VT, DebugLoc dl,
4802                                           SelectionDAG &DAG) const {
4803
4804   // Check if the scalar load can be widened into a vector load. And if
4805   // the address is "base + cst" see if the cst can be "absorbed" into
4806   // the shuffle mask.
4807   if (LoadSDNode *LD = dyn_cast<LoadSDNode>(SrcOp)) {
4808     SDValue Ptr = LD->getBasePtr();
4809     if (!ISD::isNormalLoad(LD) || LD->isVolatile())
4810       return SDValue();
4811     EVT PVT = LD->getValueType(0);
4812     if (PVT != MVT::i32 && PVT != MVT::f32)
4813       return SDValue();
4814
4815     int FI = -1;
4816     int64_t Offset = 0;
4817     if (FrameIndexSDNode *FINode = dyn_cast<FrameIndexSDNode>(Ptr)) {
4818       FI = FINode->getIndex();
4819       Offset = 0;
4820     } else if (DAG.isBaseWithConstantOffset(Ptr) &&
4821                isa<FrameIndexSDNode>(Ptr.getOperand(0))) {
4822       FI = cast<FrameIndexSDNode>(Ptr.getOperand(0))->getIndex();
4823       Offset = Ptr.getConstantOperandVal(1);
4824       Ptr = Ptr.getOperand(0);
4825     } else {
4826       return SDValue();
4827     }
4828
4829     // FIXME: 256-bit vector instructions don't require a strict alignment,
4830     // improve this code to support it better.
4831     unsigned RequiredAlign = VT.getSizeInBits()/8;
4832     SDValue Chain = LD->getChain();
4833     // Make sure the stack object alignment is at least 16 or 32.
4834     MachineFrameInfo *MFI = DAG.getMachineFunction().getFrameInfo();
4835     if (DAG.InferPtrAlignment(Ptr) < RequiredAlign) {
4836       if (MFI->isFixedObjectIndex(FI)) {
4837         // Can't change the alignment. FIXME: It's possible to compute
4838         // the exact stack offset and reference FI + adjust offset instead.
4839         // If someone *really* cares about this. That's the way to implement it.
4840         return SDValue();
4841       } else {
4842         MFI->setObjectAlignment(FI, RequiredAlign);
4843       }
4844     }
4845
4846     // (Offset % 16 or 32) must be multiple of 4. Then address is then
4847     // Ptr + (Offset & ~15).
4848     if (Offset < 0)
4849       return SDValue();
4850     if ((Offset % RequiredAlign) & 3)
4851       return SDValue();
4852     int64_t StartOffset = Offset & ~(RequiredAlign-1);
4853     if (StartOffset)
4854       Ptr = DAG.getNode(ISD::ADD, Ptr.getDebugLoc(), Ptr.getValueType(),
4855                         Ptr,DAG.getConstant(StartOffset, Ptr.getValueType()));
4856
4857     int EltNo = (Offset - StartOffset) >> 2;
4858     unsigned NumElems = VT.getVectorNumElements();
4859
4860     EVT NVT = EVT::getVectorVT(*DAG.getContext(), PVT, NumElems);
4861     SDValue V1 = DAG.getLoad(NVT, dl, Chain, Ptr,
4862                              LD->getPointerInfo().getWithOffset(StartOffset),
4863                              false, false, false, 0);
4864
4865     SmallVector<int, 8> Mask;
4866     for (unsigned i = 0; i != NumElems; ++i)
4867       Mask.push_back(EltNo);
4868
4869     return DAG.getVectorShuffle(NVT, dl, V1, DAG.getUNDEF(NVT), &Mask[0]);
4870   }
4871
4872   return SDValue();
4873 }
4874
4875 /// EltsFromConsecutiveLoads - Given the initializing elements 'Elts' of a
4876 /// vector of type 'VT', see if the elements can be replaced by a single large
4877 /// load which has the same value as a build_vector whose operands are 'elts'.
4878 ///
4879 /// Example: <load i32 *a, load i32 *a+4, undef, undef> -> zextload a
4880 ///
4881 /// FIXME: we'd also like to handle the case where the last elements are zero
4882 /// rather than undef via VZEXT_LOAD, but we do not detect that case today.
4883 /// There's even a handy isZeroNode for that purpose.
4884 static SDValue EltsFromConsecutiveLoads(EVT VT, SmallVectorImpl<SDValue> &Elts,
4885                                         DebugLoc &DL, SelectionDAG &DAG) {
4886   EVT EltVT = VT.getVectorElementType();
4887   unsigned NumElems = Elts.size();
4888
4889   LoadSDNode *LDBase = NULL;
4890   unsigned LastLoadedElt = -1U;
4891
4892   // For each element in the initializer, see if we've found a load or an undef.
4893   // If we don't find an initial load element, or later load elements are
4894   // non-consecutive, bail out.
4895   for (unsigned i = 0; i < NumElems; ++i) {
4896     SDValue Elt = Elts[i];
4897
4898     if (!Elt.getNode() ||
4899         (Elt.getOpcode() != ISD::UNDEF && !ISD::isNON_EXTLoad(Elt.getNode())))
4900       return SDValue();
4901     if (!LDBase) {
4902       if (Elt.getNode()->getOpcode() == ISD::UNDEF)
4903         return SDValue();
4904       LDBase = cast<LoadSDNode>(Elt.getNode());
4905       LastLoadedElt = i;
4906       continue;
4907     }
4908     if (Elt.getOpcode() == ISD::UNDEF)
4909       continue;
4910
4911     LoadSDNode *LD = cast<LoadSDNode>(Elt);
4912     if (!DAG.isConsecutiveLoad(LD, LDBase, EltVT.getSizeInBits()/8, i))
4913       return SDValue();
4914     LastLoadedElt = i;
4915   }
4916
4917   // If we have found an entire vector of loads and undefs, then return a large
4918   // load of the entire vector width starting at the base pointer.  If we found
4919   // consecutive loads for the low half, generate a vzext_load node.
4920   if (LastLoadedElt == NumElems - 1) {
4921     if (DAG.InferPtrAlignment(LDBase->getBasePtr()) >= 16)
4922       return DAG.getLoad(VT, DL, LDBase->getChain(), LDBase->getBasePtr(),
4923                          LDBase->getPointerInfo(),
4924                          LDBase->isVolatile(), LDBase->isNonTemporal(),
4925                          LDBase->isInvariant(), 0);
4926     return DAG.getLoad(VT, DL, LDBase->getChain(), LDBase->getBasePtr(),
4927                        LDBase->getPointerInfo(),
4928                        LDBase->isVolatile(), LDBase->isNonTemporal(),
4929                        LDBase->isInvariant(), LDBase->getAlignment());
4930   }
4931   if (NumElems == 4 && LastLoadedElt == 1 &&
4932       DAG.getTargetLoweringInfo().isTypeLegal(MVT::v2i64)) {
4933     SDVTList Tys = DAG.getVTList(MVT::v2i64, MVT::Other);
4934     SDValue Ops[] = { LDBase->getChain(), LDBase->getBasePtr() };
4935     SDValue ResNode =
4936         DAG.getMemIntrinsicNode(X86ISD::VZEXT_LOAD, DL, Tys, Ops, 2, MVT::i64,
4937                                 LDBase->getPointerInfo(),
4938                                 LDBase->getAlignment(),
4939                                 false/*isVolatile*/, true/*ReadMem*/,
4940                                 false/*WriteMem*/);
4941     return DAG.getNode(ISD::BITCAST, DL, VT, ResNode);
4942   }
4943   return SDValue();
4944 }
4945
4946 /// LowerVectorBroadcast - Attempt to use the vbroadcast instruction
4947 /// to generate a splat value for the following cases:
4948 /// 1. A splat BUILD_VECTOR which uses a single scalar load, or a constant.
4949 /// 2. A splat shuffle which uses a scalar_to_vector node which comes from
4950 /// a scalar load, or a constant.
4951 /// The VBROADCAST node is returned when a pattern is found,
4952 /// or SDValue() otherwise.
4953 SDValue
4954 X86TargetLowering::LowerVectorBroadcast(SDValue &Op, SelectionDAG &DAG) const {
4955   if (!Subtarget->hasAVX())
4956     return SDValue();
4957
4958   EVT VT = Op.getValueType();
4959   DebugLoc dl = Op.getDebugLoc();
4960
4961   assert((VT.is128BitVector() || VT.is256BitVector()) &&
4962          "Unsupported vector type for broadcast.");
4963
4964   SDValue Ld;
4965   bool ConstSplatVal;
4966
4967   switch (Op.getOpcode()) {
4968     default:
4969       // Unknown pattern found.
4970       return SDValue();
4971
4972     case ISD::BUILD_VECTOR: {
4973       // The BUILD_VECTOR node must be a splat.
4974       if (!isSplatVector(Op.getNode()))
4975         return SDValue();
4976
4977       Ld = Op.getOperand(0);
4978       ConstSplatVal = (Ld.getOpcode() == ISD::Constant ||
4979                      Ld.getOpcode() == ISD::ConstantFP);
4980
4981       // The suspected load node has several users. Make sure that all
4982       // of its users are from the BUILD_VECTOR node.
4983       // Constants may have multiple users.
4984       if (!ConstSplatVal && !Ld->hasNUsesOfValue(VT.getVectorNumElements(), 0))
4985         return SDValue();
4986       break;
4987     }
4988
4989     case ISD::VECTOR_SHUFFLE: {
4990       ShuffleVectorSDNode *SVOp = cast<ShuffleVectorSDNode>(Op);
4991
4992       // Shuffles must have a splat mask where the first element is
4993       // broadcasted.
4994       if ((!SVOp->isSplat()) || SVOp->getMaskElt(0) != 0)
4995         return SDValue();
4996
4997       SDValue Sc = Op.getOperand(0);
4998       if (Sc.getOpcode() != ISD::SCALAR_TO_VECTOR &&
4999           Sc.getOpcode() != ISD::BUILD_VECTOR)
5000         return SDValue();
5001
5002       Ld = Sc.getOperand(0);
5003       ConstSplatVal = (Ld.getOpcode() == ISD::Constant ||
5004                        Ld.getOpcode() == ISD::ConstantFP);
5005
5006       // The scalar_to_vector node and the suspected
5007       // load node must have exactly one user.
5008       // Constants may have multiple users.
5009       if (!ConstSplatVal && (!Sc.hasOneUse() || !Ld.hasOneUse()))
5010         return SDValue();
5011       break;
5012     }
5013   }
5014
5015   bool Is256 = VT.getSizeInBits() == 256;
5016
5017   // Handle the broadcasting a single constant scalar from the constant pool
5018   // into a vector. On Sandybridge it is still better to load a constant vector
5019   // from the constant pool and not to broadcast it from a scalar.
5020   if (ConstSplatVal && Subtarget->hasAVX2()) {
5021     EVT CVT = Ld.getValueType();
5022     assert(!CVT.isVector() && "Must not broadcast a vector type");
5023     unsigned ScalarSize = CVT.getSizeInBits();
5024
5025     if (ScalarSize == 32 || (Is256 && ScalarSize == 64)) {
5026       const Constant *C = 0;
5027       if (ConstantSDNode *CI = dyn_cast<ConstantSDNode>(Ld))
5028         C = CI->getConstantIntValue();
5029       else if (ConstantFPSDNode *CF = dyn_cast<ConstantFPSDNode>(Ld))
5030         C = CF->getConstantFPValue();
5031
5032       assert(C && "Invalid constant type");
5033
5034       SDValue CP = DAG.getConstantPool(C, getPointerTy());
5035       unsigned Alignment = cast<ConstantPoolSDNode>(CP)->getAlignment();
5036       Ld = DAG.getLoad(CVT, dl, DAG.getEntryNode(), CP,
5037                        MachinePointerInfo::getConstantPool(),
5038                        false, false, false, Alignment);
5039
5040       return DAG.getNode(X86ISD::VBROADCAST, dl, VT, Ld);
5041     }
5042   }
5043
5044   bool IsLoad = ISD::isNormalLoad(Ld.getNode());
5045   unsigned ScalarSize = Ld.getValueType().getSizeInBits();
5046
5047   // Handle AVX2 in-register broadcasts.
5048   if (!IsLoad && Subtarget->hasAVX2() &&
5049       (ScalarSize == 32 || (Is256 && ScalarSize == 64)))
5050     return DAG.getNode(X86ISD::VBROADCAST, dl, VT, Ld);
5051
5052   // The scalar source must be a normal load.
5053   if (!IsLoad)
5054     return SDValue();
5055
5056   if (ScalarSize == 32 || (Is256 && ScalarSize == 64))
5057     return DAG.getNode(X86ISD::VBROADCAST, dl, VT, Ld);
5058
5059   // The integer check is needed for the 64-bit into 128-bit so it doesn't match
5060   // double since there is no vbroadcastsd xmm
5061   if (Subtarget->hasAVX2() && Ld.getValueType().isInteger()) {
5062     if (ScalarSize == 8 || ScalarSize == 16 || ScalarSize == 64)
5063       return DAG.getNode(X86ISD::VBROADCAST, dl, VT, Ld);
5064   }
5065
5066   // Unsupported broadcast.
5067   return SDValue();
5068 }
5069
5070 SDValue
5071 X86TargetLowering::LowerBUILD_VECTOR(SDValue Op, SelectionDAG &DAG) const {
5072   DebugLoc dl = Op.getDebugLoc();
5073
5074   EVT VT = Op.getValueType();
5075   EVT ExtVT = VT.getVectorElementType();
5076   unsigned NumElems = Op.getNumOperands();
5077
5078   // Vectors containing all zeros can be matched by pxor and xorps later
5079   if (ISD::isBuildVectorAllZeros(Op.getNode())) {
5080     // Canonicalize this to <4 x i32> to 1) ensure the zero vectors are CSE'd
5081     // and 2) ensure that i64 scalars are eliminated on x86-32 hosts.
5082     if (VT == MVT::v4i32 || VT == MVT::v8i32)
5083       return Op;
5084
5085     return getZeroVector(VT, Subtarget, DAG, dl);
5086   }
5087
5088   // Vectors containing all ones can be matched by pcmpeqd on 128-bit width
5089   // vectors or broken into v4i32 operations on 256-bit vectors. AVX2 can use
5090   // vpcmpeqd on 256-bit vectors.
5091   if (ISD::isBuildVectorAllOnes(Op.getNode())) {
5092     if (VT == MVT::v4i32 || (VT == MVT::v8i32 && Subtarget->hasAVX2()))
5093       return Op;
5094
5095     return getOnesVector(VT, Subtarget->hasAVX2(), DAG, dl);
5096   }
5097
5098   SDValue Broadcast = LowerVectorBroadcast(Op, DAG);
5099   if (Broadcast.getNode())
5100     return Broadcast;
5101
5102   unsigned EVTBits = ExtVT.getSizeInBits();
5103
5104   unsigned NumZero  = 0;
5105   unsigned NumNonZero = 0;
5106   unsigned NonZeros = 0;
5107   bool IsAllConstants = true;
5108   SmallSet<SDValue, 8> Values;
5109   for (unsigned i = 0; i < NumElems; ++i) {
5110     SDValue Elt = Op.getOperand(i);
5111     if (Elt.getOpcode() == ISD::UNDEF)
5112       continue;
5113     Values.insert(Elt);
5114     if (Elt.getOpcode() != ISD::Constant &&
5115         Elt.getOpcode() != ISD::ConstantFP)
5116       IsAllConstants = false;
5117     if (X86::isZeroNode(Elt))
5118       NumZero++;
5119     else {
5120       NonZeros |= (1 << i);
5121       NumNonZero++;
5122     }
5123   }
5124
5125   // All undef vector. Return an UNDEF.  All zero vectors were handled above.
5126   if (NumNonZero == 0)
5127     return DAG.getUNDEF(VT);
5128
5129   // Special case for single non-zero, non-undef, element.
5130   if (NumNonZero == 1) {
5131     unsigned Idx = CountTrailingZeros_32(NonZeros);
5132     SDValue Item = Op.getOperand(Idx);
5133
5134     // If this is an insertion of an i64 value on x86-32, and if the top bits of
5135     // the value are obviously zero, truncate the value to i32 and do the
5136     // insertion that way.  Only do this if the value is non-constant or if the
5137     // value is a constant being inserted into element 0.  It is cheaper to do
5138     // a constant pool load than it is to do a movd + shuffle.
5139     if (ExtVT == MVT::i64 && !Subtarget->is64Bit() &&
5140         (!IsAllConstants || Idx == 0)) {
5141       if (DAG.MaskedValueIsZero(Item, APInt::getBitsSet(64, 32, 64))) {
5142         // Handle SSE only.
5143         assert(VT == MVT::v2i64 && "Expected an SSE value type!");
5144         EVT VecVT = MVT::v4i32;
5145         unsigned VecElts = 4;
5146
5147         // Truncate the value (which may itself be a constant) to i32, and
5148         // convert it to a vector with movd (S2V+shuffle to zero extend).
5149         Item = DAG.getNode(ISD::TRUNCATE, dl, MVT::i32, Item);
5150         Item = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, VecVT, Item);
5151         Item = getShuffleVectorZeroOrUndef(Item, 0, true, Subtarget, DAG);
5152
5153         // Now we have our 32-bit value zero extended in the low element of
5154         // a vector.  If Idx != 0, swizzle it into place.
5155         if (Idx != 0) {
5156           SmallVector<int, 4> Mask;
5157           Mask.push_back(Idx);
5158           for (unsigned i = 1; i != VecElts; ++i)
5159             Mask.push_back(i);
5160           Item = DAG.getVectorShuffle(VecVT, dl, Item, DAG.getUNDEF(VecVT),
5161                                       &Mask[0]);
5162         }
5163         return DAG.getNode(ISD::BITCAST, dl, VT, Item);
5164       }
5165     }
5166
5167     // If we have a constant or non-constant insertion into the low element of
5168     // a vector, we can do this with SCALAR_TO_VECTOR + shuffle of zero into
5169     // the rest of the elements.  This will be matched as movd/movq/movss/movsd
5170     // depending on what the source datatype is.
5171     if (Idx == 0) {
5172       if (NumZero == 0)
5173         return DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, VT, Item);
5174
5175       if (ExtVT == MVT::i32 || ExtVT == MVT::f32 || ExtVT == MVT::f64 ||
5176           (ExtVT == MVT::i64 && Subtarget->is64Bit())) {
5177         if (VT.getSizeInBits() == 256) {
5178           SDValue ZeroVec = getZeroVector(VT, Subtarget, DAG, dl);
5179           return DAG.getNode(ISD::INSERT_VECTOR_ELT, dl, VT, ZeroVec,
5180                              Item, DAG.getIntPtrConstant(0));
5181         }
5182         assert(VT.getSizeInBits() == 128 && "Expected an SSE value type!");
5183         Item = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, VT, Item);
5184         // Turn it into a MOVL (i.e. movss, movsd, or movd) to a zero vector.
5185         return getShuffleVectorZeroOrUndef(Item, 0, true, Subtarget, DAG);
5186       }
5187
5188       if (ExtVT == MVT::i16 || ExtVT == MVT::i8) {
5189         Item = DAG.getNode(ISD::ZERO_EXTEND, dl, MVT::i32, Item);
5190         Item = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, MVT::v4i32, Item);
5191         if (VT.getSizeInBits() == 256) {
5192           SDValue ZeroVec = getZeroVector(MVT::v8i32, Subtarget, DAG, dl);
5193           Item = Insert128BitVector(ZeroVec, Item, 0, DAG, dl);
5194         } else {
5195           assert(VT.getSizeInBits() == 128 && "Expected an SSE value type!");
5196           Item = getShuffleVectorZeroOrUndef(Item, 0, true, Subtarget, DAG);
5197         }
5198         return DAG.getNode(ISD::BITCAST, dl, VT, Item);
5199       }
5200     }
5201
5202     // Is it a vector logical left shift?
5203     if (NumElems == 2 && Idx == 1 &&
5204         X86::isZeroNode(Op.getOperand(0)) &&
5205         !X86::isZeroNode(Op.getOperand(1))) {
5206       unsigned NumBits = VT.getSizeInBits();
5207       return getVShift(true, VT,
5208                        DAG.getNode(ISD::SCALAR_TO_VECTOR, dl,
5209                                    VT, Op.getOperand(1)),
5210                        NumBits/2, DAG, *this, dl);
5211     }
5212
5213     if (IsAllConstants) // Otherwise, it's better to do a constpool load.
5214       return SDValue();
5215
5216     // Otherwise, if this is a vector with i32 or f32 elements, and the element
5217     // is a non-constant being inserted into an element other than the low one,
5218     // we can't use a constant pool load.  Instead, use SCALAR_TO_VECTOR (aka
5219     // movd/movss) to move this into the low element, then shuffle it into
5220     // place.
5221     if (EVTBits == 32) {
5222       Item = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, VT, Item);
5223
5224       // Turn it into a shuffle of zero and zero-extended scalar to vector.
5225       Item = getShuffleVectorZeroOrUndef(Item, 0, NumZero > 0, Subtarget, DAG);
5226       SmallVector<int, 8> MaskVec;
5227       for (unsigned i = 0; i != NumElems; ++i)
5228         MaskVec.push_back(i == Idx ? 0 : 1);
5229       return DAG.getVectorShuffle(VT, dl, Item, DAG.getUNDEF(VT), &MaskVec[0]);
5230     }
5231   }
5232
5233   // Splat is obviously ok. Let legalizer expand it to a shuffle.
5234   if (Values.size() == 1) {
5235     if (EVTBits == 32) {
5236       // Instead of a shuffle like this:
5237       // shuffle (scalar_to_vector (load (ptr + 4))), undef, <0, 0, 0, 0>
5238       // Check if it's possible to issue this instead.
5239       // shuffle (vload ptr)), undef, <1, 1, 1, 1>
5240       unsigned Idx = CountTrailingZeros_32(NonZeros);
5241       SDValue Item = Op.getOperand(Idx);
5242       if (Op.getNode()->isOnlyUserOf(Item.getNode()))
5243         return LowerAsSplatVectorLoad(Item, VT, dl, DAG);
5244     }
5245     return SDValue();
5246   }
5247
5248   // A vector full of immediates; various special cases are already
5249   // handled, so this is best done with a single constant-pool load.
5250   if (IsAllConstants)
5251     return SDValue();
5252
5253   // For AVX-length vectors, build the individual 128-bit pieces and use
5254   // shuffles to put them in place.
5255   if (VT.getSizeInBits() == 256) {
5256     SmallVector<SDValue, 32> V;
5257     for (unsigned i = 0; i != NumElems; ++i)
5258       V.push_back(Op.getOperand(i));
5259
5260     EVT HVT = EVT::getVectorVT(*DAG.getContext(), ExtVT, NumElems/2);
5261
5262     // Build both the lower and upper subvector.
5263     SDValue Lower = DAG.getNode(ISD::BUILD_VECTOR, dl, HVT, &V[0], NumElems/2);
5264     SDValue Upper = DAG.getNode(ISD::BUILD_VECTOR, dl, HVT, &V[NumElems / 2],
5265                                 NumElems/2);
5266
5267     // Recreate the wider vector with the lower and upper part.
5268     return Concat128BitVectors(Lower, Upper, VT, NumElems, DAG, dl);
5269   }
5270
5271   // Let legalizer expand 2-wide build_vectors.
5272   if (EVTBits == 64) {
5273     if (NumNonZero == 1) {
5274       // One half is zero or undef.
5275       unsigned Idx = CountTrailingZeros_32(NonZeros);
5276       SDValue V2 = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, VT,
5277                                  Op.getOperand(Idx));
5278       return getShuffleVectorZeroOrUndef(V2, Idx, true, Subtarget, DAG);
5279     }
5280     return SDValue();
5281   }
5282
5283   // If element VT is < 32 bits, convert it to inserts into a zero vector.
5284   if (EVTBits == 8 && NumElems == 16) {
5285     SDValue V = LowerBuildVectorv16i8(Op, NonZeros,NumNonZero,NumZero, DAG,
5286                                         Subtarget, *this);
5287     if (V.getNode()) return V;
5288   }
5289
5290   if (EVTBits == 16 && NumElems == 8) {
5291     SDValue V = LowerBuildVectorv8i16(Op, NonZeros,NumNonZero,NumZero, DAG,
5292                                       Subtarget, *this);
5293     if (V.getNode()) return V;
5294   }
5295
5296   // If element VT is == 32 bits, turn it into a number of shuffles.
5297   SmallVector<SDValue, 8> V(NumElems);
5298   if (NumElems == 4 && NumZero > 0) {
5299     for (unsigned i = 0; i < 4; ++i) {
5300       bool isZero = !(NonZeros & (1 << i));
5301       if (isZero)
5302         V[i] = getZeroVector(VT, Subtarget, DAG, dl);
5303       else
5304         V[i] = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, VT, Op.getOperand(i));
5305     }
5306
5307     for (unsigned i = 0; i < 2; ++i) {
5308       switch ((NonZeros & (0x3 << i*2)) >> (i*2)) {
5309         default: break;
5310         case 0:
5311           V[i] = V[i*2];  // Must be a zero vector.
5312           break;
5313         case 1:
5314           V[i] = getMOVL(DAG, dl, VT, V[i*2+1], V[i*2]);
5315           break;
5316         case 2:
5317           V[i] = getMOVL(DAG, dl, VT, V[i*2], V[i*2+1]);
5318           break;
5319         case 3:
5320           V[i] = getUnpackl(DAG, dl, VT, V[i*2], V[i*2+1]);
5321           break;
5322       }
5323     }
5324
5325     bool Reverse1 = (NonZeros & 0x3) == 2;
5326     bool Reverse2 = ((NonZeros & (0x3 << 2)) >> 2) == 2;
5327     int MaskVec[] = {
5328       Reverse1 ? 1 : 0,
5329       Reverse1 ? 0 : 1,
5330       static_cast<int>(Reverse2 ? NumElems+1 : NumElems),
5331       static_cast<int>(Reverse2 ? NumElems   : NumElems+1)
5332     };
5333     return DAG.getVectorShuffle(VT, dl, V[0], V[1], &MaskVec[0]);
5334   }
5335
5336   if (Values.size() > 1 && VT.getSizeInBits() == 128) {
5337     // Check for a build vector of consecutive loads.
5338     for (unsigned i = 0; i < NumElems; ++i)
5339       V[i] = Op.getOperand(i);
5340
5341     // Check for elements which are consecutive loads.
5342     SDValue LD = EltsFromConsecutiveLoads(VT, V, dl, DAG);
5343     if (LD.getNode())
5344       return LD;
5345
5346     // For SSE 4.1, use insertps to put the high elements into the low element.
5347     if (getSubtarget()->hasSSE41()) {
5348       SDValue Result;
5349       if (Op.getOperand(0).getOpcode() != ISD::UNDEF)
5350         Result = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, VT, Op.getOperand(0));
5351       else
5352         Result = DAG.getUNDEF(VT);
5353
5354       for (unsigned i = 1; i < NumElems; ++i) {
5355         if (Op.getOperand(i).getOpcode() == ISD::UNDEF) continue;
5356         Result = DAG.getNode(ISD::INSERT_VECTOR_ELT, dl, VT, Result,
5357                              Op.getOperand(i), DAG.getIntPtrConstant(i));
5358       }
5359       return Result;
5360     }
5361
5362     // Otherwise, expand into a number of unpckl*, start by extending each of
5363     // our (non-undef) elements to the full vector width with the element in the
5364     // bottom slot of the vector (which generates no code for SSE).
5365     for (unsigned i = 0; i < NumElems; ++i) {
5366       if (Op.getOperand(i).getOpcode() != ISD::UNDEF)
5367         V[i] = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, VT, Op.getOperand(i));
5368       else
5369         V[i] = DAG.getUNDEF(VT);
5370     }
5371
5372     // Next, we iteratively mix elements, e.g. for v4f32:
5373     //   Step 1: unpcklps 0, 2 ==> X: <?, ?, 2, 0>
5374     //         : unpcklps 1, 3 ==> Y: <?, ?, 3, 1>
5375     //   Step 2: unpcklps X, Y ==>    <3, 2, 1, 0>
5376     unsigned EltStride = NumElems >> 1;
5377     while (EltStride != 0) {
5378       for (unsigned i = 0; i < EltStride; ++i) {
5379         // If V[i+EltStride] is undef and this is the first round of mixing,
5380         // then it is safe to just drop this shuffle: V[i] is already in the
5381         // right place, the one element (since it's the first round) being
5382         // inserted as undef can be dropped.  This isn't safe for successive
5383         // rounds because they will permute elements within both vectors.
5384         if (V[i+EltStride].getOpcode() == ISD::UNDEF &&
5385             EltStride == NumElems/2)
5386           continue;
5387
5388         V[i] = getUnpackl(DAG, dl, VT, V[i], V[i + EltStride]);
5389       }
5390       EltStride >>= 1;
5391     }
5392     return V[0];
5393   }
5394   return SDValue();
5395 }
5396
5397 // LowerMMXCONCAT_VECTORS - We support concatenate two MMX registers and place
5398 // them in a MMX register.  This is better than doing a stack convert.
5399 static SDValue LowerMMXCONCAT_VECTORS(SDValue Op, SelectionDAG &DAG) {
5400   DebugLoc dl = Op.getDebugLoc();
5401   EVT ResVT = Op.getValueType();
5402
5403   assert(ResVT == MVT::v2i64 || ResVT == MVT::v4i32 ||
5404          ResVT == MVT::v8i16 || ResVT == MVT::v16i8);
5405   int Mask[2];
5406   SDValue InVec = DAG.getNode(ISD::BITCAST,dl, MVT::v1i64, Op.getOperand(0));
5407   SDValue VecOp = DAG.getNode(X86ISD::MOVQ2DQ, dl, MVT::v2i64, InVec);
5408   InVec = Op.getOperand(1);
5409   if (InVec.getOpcode() == ISD::SCALAR_TO_VECTOR) {
5410     unsigned NumElts = ResVT.getVectorNumElements();
5411     VecOp = DAG.getNode(ISD::BITCAST, dl, ResVT, VecOp);
5412     VecOp = DAG.getNode(ISD::INSERT_VECTOR_ELT, dl, ResVT, VecOp,
5413                        InVec.getOperand(0), DAG.getIntPtrConstant(NumElts/2+1));
5414   } else {
5415     InVec = DAG.getNode(ISD::BITCAST, dl, MVT::v1i64, InVec);
5416     SDValue VecOp2 = DAG.getNode(X86ISD::MOVQ2DQ, dl, MVT::v2i64, InVec);
5417     Mask[0] = 0; Mask[1] = 2;
5418     VecOp = DAG.getVectorShuffle(MVT::v2i64, dl, VecOp, VecOp2, Mask);
5419   }
5420   return DAG.getNode(ISD::BITCAST, dl, ResVT, VecOp);
5421 }
5422
5423 // LowerAVXCONCAT_VECTORS - 256-bit AVX can use the vinsertf128 instruction
5424 // to create 256-bit vectors from two other 128-bit ones.
5425 static SDValue LowerAVXCONCAT_VECTORS(SDValue Op, SelectionDAG &DAG) {
5426   DebugLoc dl = Op.getDebugLoc();
5427   EVT ResVT = Op.getValueType();
5428
5429   assert(ResVT.getSizeInBits() == 256 && "Value type must be 256-bit wide");
5430
5431   SDValue V1 = Op.getOperand(0);
5432   SDValue V2 = Op.getOperand(1);
5433   unsigned NumElems = ResVT.getVectorNumElements();
5434
5435   return Concat128BitVectors(V1, V2, ResVT, NumElems, DAG, dl);
5436 }
5437
5438 SDValue
5439 X86TargetLowering::LowerCONCAT_VECTORS(SDValue Op, SelectionDAG &DAG) const {
5440   EVT ResVT = Op.getValueType();
5441
5442   assert(Op.getNumOperands() == 2);
5443   assert((ResVT.getSizeInBits() == 128 || ResVT.getSizeInBits() == 256) &&
5444          "Unsupported CONCAT_VECTORS for value type");
5445
5446   // We support concatenate two MMX registers and place them in a MMX register.
5447   // This is better than doing a stack convert.
5448   if (ResVT.is128BitVector())
5449     return LowerMMXCONCAT_VECTORS(Op, DAG);
5450
5451   // 256-bit AVX can use the vinsertf128 instruction to create 256-bit vectors
5452   // from two other 128-bit ones.
5453   return LowerAVXCONCAT_VECTORS(Op, DAG);
5454 }
5455
5456 // Try to lower a shuffle node into a simple blend instruction.
5457 static SDValue LowerVECTOR_SHUFFLEtoBlend(ShuffleVectorSDNode *SVOp,
5458                                           const X86Subtarget *Subtarget,
5459                                           SelectionDAG &DAG) {
5460   SDValue V1 = SVOp->getOperand(0);
5461   SDValue V2 = SVOp->getOperand(1);
5462   DebugLoc dl = SVOp->getDebugLoc();
5463   MVT VT = SVOp->getValueType(0).getSimpleVT();
5464   unsigned NumElems = VT.getVectorNumElements();
5465
5466   if (!Subtarget->hasSSE41())
5467     return SDValue();
5468
5469   unsigned ISDNo = 0;
5470   MVT OpTy;
5471
5472   switch (VT.SimpleTy) {
5473   default: return SDValue();
5474   case MVT::v8i16:
5475     ISDNo = X86ISD::BLENDPW;
5476     OpTy = MVT::v8i16;
5477     break;
5478   case MVT::v4i32:
5479   case MVT::v4f32:
5480     ISDNo = X86ISD::BLENDPS;
5481     OpTy = MVT::v4f32;
5482     break;
5483   case MVT::v2i64:
5484   case MVT::v2f64:
5485     ISDNo = X86ISD::BLENDPD;
5486     OpTy = MVT::v2f64;
5487     break;
5488   case MVT::v8i32:
5489   case MVT::v8f32:
5490     if (!Subtarget->hasAVX())
5491       return SDValue();
5492     ISDNo = X86ISD::BLENDPS;
5493     OpTy = MVT::v8f32;
5494     break;
5495   case MVT::v4i64:
5496   case MVT::v4f64:
5497     if (!Subtarget->hasAVX())
5498       return SDValue();
5499     ISDNo = X86ISD::BLENDPD;
5500     OpTy = MVT::v4f64;
5501     break;
5502   }
5503   assert(ISDNo && "Invalid Op Number");
5504
5505   unsigned MaskVals = 0;
5506
5507   for (unsigned i = 0; i != NumElems; ++i) {
5508     int EltIdx = SVOp->getMaskElt(i);
5509     if (EltIdx == (int)i || EltIdx < 0)
5510       MaskVals |= (1<<i);
5511     else if (EltIdx == (int)(i + NumElems))
5512       continue; // Bit is set to zero;
5513     else
5514       return SDValue();
5515   }
5516
5517   V1 = DAG.getNode(ISD::BITCAST, dl, OpTy, V1);
5518   V2 = DAG.getNode(ISD::BITCAST, dl, OpTy, V2);
5519   SDValue Ret =  DAG.getNode(ISDNo, dl, OpTy, V1, V2,
5520                              DAG.getConstant(MaskVals, MVT::i32));
5521   return DAG.getNode(ISD::BITCAST, dl, VT, Ret);
5522 }
5523
5524 // v8i16 shuffles - Prefer shuffles in the following order:
5525 // 1. [all]   pshuflw, pshufhw, optional move
5526 // 2. [ssse3] 1 x pshufb
5527 // 3. [ssse3] 2 x pshufb + 1 x por
5528 // 4. [all]   mov + pshuflw + pshufhw + N x (pextrw + pinsrw)
5529 SDValue
5530 X86TargetLowering::LowerVECTOR_SHUFFLEv8i16(SDValue Op,
5531                                             SelectionDAG &DAG) const {
5532   ShuffleVectorSDNode *SVOp = cast<ShuffleVectorSDNode>(Op);
5533   SDValue V1 = SVOp->getOperand(0);
5534   SDValue V2 = SVOp->getOperand(1);
5535   DebugLoc dl = SVOp->getDebugLoc();
5536   SmallVector<int, 8> MaskVals;
5537
5538   // Determine if more than 1 of the words in each of the low and high quadwords
5539   // of the result come from the same quadword of one of the two inputs.  Undef
5540   // mask values count as coming from any quadword, for better codegen.
5541   unsigned LoQuad[] = { 0, 0, 0, 0 };
5542   unsigned HiQuad[] = { 0, 0, 0, 0 };
5543   std::bitset<4> InputQuads;
5544   for (unsigned i = 0; i < 8; ++i) {
5545     unsigned *Quad = i < 4 ? LoQuad : HiQuad;
5546     int EltIdx = SVOp->getMaskElt(i);
5547     MaskVals.push_back(EltIdx);
5548     if (EltIdx < 0) {
5549       ++Quad[0];
5550       ++Quad[1];
5551       ++Quad[2];
5552       ++Quad[3];
5553       continue;
5554     }
5555     ++Quad[EltIdx / 4];
5556     InputQuads.set(EltIdx / 4);
5557   }
5558
5559   int BestLoQuad = -1;
5560   unsigned MaxQuad = 1;
5561   for (unsigned i = 0; i < 4; ++i) {
5562     if (LoQuad[i] > MaxQuad) {
5563       BestLoQuad = i;
5564       MaxQuad = LoQuad[i];
5565     }
5566   }
5567
5568   int BestHiQuad = -1;
5569   MaxQuad = 1;
5570   for (unsigned i = 0; i < 4; ++i) {
5571     if (HiQuad[i] > MaxQuad) {
5572       BestHiQuad = i;
5573       MaxQuad = HiQuad[i];
5574     }
5575   }
5576
5577   // For SSSE3, If all 8 words of the result come from only 1 quadword of each
5578   // of the two input vectors, shuffle them into one input vector so only a
5579   // single pshufb instruction is necessary. If There are more than 2 input
5580   // quads, disable the next transformation since it does not help SSSE3.
5581   bool V1Used = InputQuads[0] || InputQuads[1];
5582   bool V2Used = InputQuads[2] || InputQuads[3];
5583   if (Subtarget->hasSSSE3()) {
5584     if (InputQuads.count() == 2 && V1Used && V2Used) {
5585       BestLoQuad = InputQuads[0] ? 0 : 1;
5586       BestHiQuad = InputQuads[2] ? 2 : 3;
5587     }
5588     if (InputQuads.count() > 2) {
5589       BestLoQuad = -1;
5590       BestHiQuad = -1;
5591     }
5592   }
5593
5594   // If BestLoQuad or BestHiQuad are set, shuffle the quads together and update
5595   // the shuffle mask.  If a quad is scored as -1, that means that it contains
5596   // words from all 4 input quadwords.
5597   SDValue NewV;
5598   if (BestLoQuad >= 0 || BestHiQuad >= 0) {
5599     int MaskV[] = {
5600       BestLoQuad < 0 ? 0 : BestLoQuad,
5601       BestHiQuad < 0 ? 1 : BestHiQuad
5602     };
5603     NewV = DAG.getVectorShuffle(MVT::v2i64, dl,
5604                   DAG.getNode(ISD::BITCAST, dl, MVT::v2i64, V1),
5605                   DAG.getNode(ISD::BITCAST, dl, MVT::v2i64, V2), &MaskV[0]);
5606     NewV = DAG.getNode(ISD::BITCAST, dl, MVT::v8i16, NewV);
5607
5608     // Rewrite the MaskVals and assign NewV to V1 if NewV now contains all the
5609     // source words for the shuffle, to aid later transformations.
5610     bool AllWordsInNewV = true;
5611     bool InOrder[2] = { true, true };
5612     for (unsigned i = 0; i != 8; ++i) {
5613       int idx = MaskVals[i];
5614       if (idx != (int)i)
5615         InOrder[i/4] = false;
5616       if (idx < 0 || (idx/4) == BestLoQuad || (idx/4) == BestHiQuad)
5617         continue;
5618       AllWordsInNewV = false;
5619       break;
5620     }
5621
5622     bool pshuflw = AllWordsInNewV, pshufhw = AllWordsInNewV;
5623     if (AllWordsInNewV) {
5624       for (int i = 0; i != 8; ++i) {
5625         int idx = MaskVals[i];
5626         if (idx < 0)
5627           continue;
5628         idx = MaskVals[i] = (idx / 4) == BestLoQuad ? (idx & 3) : (idx & 3) + 4;
5629         if ((idx != i) && idx < 4)
5630           pshufhw = false;
5631         if ((idx != i) && idx > 3)
5632           pshuflw = false;
5633       }
5634       V1 = NewV;
5635       V2Used = false;
5636       BestLoQuad = 0;
5637       BestHiQuad = 1;
5638     }
5639
5640     // If we've eliminated the use of V2, and the new mask is a pshuflw or
5641     // pshufhw, that's as cheap as it gets.  Return the new shuffle.
5642     if ((pshufhw && InOrder[0]) || (pshuflw && InOrder[1])) {
5643       unsigned Opc = pshufhw ? X86ISD::PSHUFHW : X86ISD::PSHUFLW;
5644       unsigned TargetMask = 0;
5645       NewV = DAG.getVectorShuffle(MVT::v8i16, dl, NewV,
5646                                   DAG.getUNDEF(MVT::v8i16), &MaskVals[0]);
5647       ShuffleVectorSDNode *SVOp = cast<ShuffleVectorSDNode>(NewV.getNode());
5648       TargetMask = pshufhw ? getShufflePSHUFHWImmediate(SVOp):
5649                              getShufflePSHUFLWImmediate(SVOp);
5650       V1 = NewV.getOperand(0);
5651       return getTargetShuffleNode(Opc, dl, MVT::v8i16, V1, TargetMask, DAG);
5652     }
5653   }
5654
5655   // If we have SSSE3, and all words of the result are from 1 input vector,
5656   // case 2 is generated, otherwise case 3 is generated.  If no SSSE3
5657   // is present, fall back to case 4.
5658   if (Subtarget->hasSSSE3()) {
5659     SmallVector<SDValue,16> pshufbMask;
5660
5661     // If we have elements from both input vectors, set the high bit of the
5662     // shuffle mask element to zero out elements that come from V2 in the V1
5663     // mask, and elements that come from V1 in the V2 mask, so that the two
5664     // results can be OR'd together.
5665     bool TwoInputs = V1Used && V2Used;
5666     for (unsigned i = 0; i != 8; ++i) {
5667       int EltIdx = MaskVals[i] * 2;
5668       int Idx0 = (TwoInputs && (EltIdx >= 16)) ? 0x80 : EltIdx;
5669       int Idx1 = (TwoInputs && (EltIdx >= 16)) ? 0x80 : EltIdx+1;
5670       pshufbMask.push_back(DAG.getConstant(Idx0,   MVT::i8));
5671       pshufbMask.push_back(DAG.getConstant(Idx1, MVT::i8));
5672     }
5673     V1 = DAG.getNode(ISD::BITCAST, dl, MVT::v16i8, V1);
5674     V1 = DAG.getNode(X86ISD::PSHUFB, dl, MVT::v16i8, V1,
5675                      DAG.getNode(ISD::BUILD_VECTOR, dl,
5676                                  MVT::v16i8, &pshufbMask[0], 16));
5677     if (!TwoInputs)
5678       return DAG.getNode(ISD::BITCAST, dl, MVT::v8i16, V1);
5679
5680     // Calculate the shuffle mask for the second input, shuffle it, and
5681     // OR it with the first shuffled input.
5682     pshufbMask.clear();
5683     for (unsigned i = 0; i != 8; ++i) {
5684       int EltIdx = MaskVals[i] * 2;
5685       int Idx0 = (EltIdx < 16) ? 0x80 : EltIdx - 16;
5686       int Idx1 = (EltIdx < 16) ? 0x80 : EltIdx - 15;
5687       pshufbMask.push_back(DAG.getConstant(Idx0, MVT::i8));
5688       pshufbMask.push_back(DAG.getConstant(Idx1, MVT::i8));
5689     }
5690     V2 = DAG.getNode(ISD::BITCAST, dl, MVT::v16i8, V2);
5691     V2 = DAG.getNode(X86ISD::PSHUFB, dl, MVT::v16i8, V2,
5692                      DAG.getNode(ISD::BUILD_VECTOR, dl,
5693                                  MVT::v16i8, &pshufbMask[0], 16));
5694     V1 = DAG.getNode(ISD::OR, dl, MVT::v16i8, V1, V2);
5695     return DAG.getNode(ISD::BITCAST, dl, MVT::v8i16, V1);
5696   }
5697
5698   // If BestLoQuad >= 0, generate a pshuflw to put the low elements in order,
5699   // and update MaskVals with new element order.
5700   std::bitset<8> InOrder;
5701   if (BestLoQuad >= 0) {
5702     int MaskV[] = { -1, -1, -1, -1, 4, 5, 6, 7 };
5703     for (int i = 0; i != 4; ++i) {
5704       int idx = MaskVals[i];
5705       if (idx < 0) {
5706         InOrder.set(i);
5707       } else if ((idx / 4) == BestLoQuad) {
5708         MaskV[i] = idx & 3;
5709         InOrder.set(i);
5710       }
5711     }
5712     NewV = DAG.getVectorShuffle(MVT::v8i16, dl, NewV, DAG.getUNDEF(MVT::v8i16),
5713                                 &MaskV[0]);
5714
5715     if (NewV.getOpcode() == ISD::VECTOR_SHUFFLE && Subtarget->hasSSSE3()) {
5716       ShuffleVectorSDNode *SVOp = cast<ShuffleVectorSDNode>(NewV.getNode());
5717       NewV = getTargetShuffleNode(X86ISD::PSHUFLW, dl, MVT::v8i16,
5718                                   NewV.getOperand(0),
5719                                   getShufflePSHUFLWImmediate(SVOp), DAG);
5720     }
5721   }
5722
5723   // If BestHi >= 0, generate a pshufhw to put the high elements in order,
5724   // and update MaskVals with the new element order.
5725   if (BestHiQuad >= 0) {
5726     int MaskV[] = { 0, 1, 2, 3, -1, -1, -1, -1 };
5727     for (unsigned i = 4; i != 8; ++i) {
5728       int idx = MaskVals[i];
5729       if (idx < 0) {
5730         InOrder.set(i);
5731       } else if ((idx / 4) == BestHiQuad) {
5732         MaskV[i] = (idx & 3) + 4;
5733         InOrder.set(i);
5734       }
5735     }
5736     NewV = DAG.getVectorShuffle(MVT::v8i16, dl, NewV, DAG.getUNDEF(MVT::v8i16),
5737                                 &MaskV[0]);
5738
5739     if (NewV.getOpcode() == ISD::VECTOR_SHUFFLE && Subtarget->hasSSSE3()) {
5740       ShuffleVectorSDNode *SVOp = cast<ShuffleVectorSDNode>(NewV.getNode());
5741       NewV = getTargetShuffleNode(X86ISD::PSHUFHW, dl, MVT::v8i16,
5742                                   NewV.getOperand(0),
5743                                   getShufflePSHUFHWImmediate(SVOp), DAG);
5744     }
5745   }
5746
5747   // In case BestHi & BestLo were both -1, which means each quadword has a word
5748   // from each of the four input quadwords, calculate the InOrder bitvector now
5749   // before falling through to the insert/extract cleanup.
5750   if (BestLoQuad == -1 && BestHiQuad == -1) {
5751     NewV = V1;
5752     for (int i = 0; i != 8; ++i)
5753       if (MaskVals[i] < 0 || MaskVals[i] == i)
5754         InOrder.set(i);
5755   }
5756
5757   // The other elements are put in the right place using pextrw and pinsrw.
5758   for (unsigned i = 0; i != 8; ++i) {
5759     if (InOrder[i])
5760       continue;
5761     int EltIdx = MaskVals[i];
5762     if (EltIdx < 0)
5763       continue;
5764     SDValue ExtOp = (EltIdx < 8) ?
5765       DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::i16, V1,
5766                   DAG.getIntPtrConstant(EltIdx)) :
5767       DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::i16, V2,
5768                   DAG.getIntPtrConstant(EltIdx - 8));
5769     NewV = DAG.getNode(ISD::INSERT_VECTOR_ELT, dl, MVT::v8i16, NewV, ExtOp,
5770                        DAG.getIntPtrConstant(i));
5771   }
5772   return NewV;
5773 }
5774
5775 // v16i8 shuffles - Prefer shuffles in the following order:
5776 // 1. [ssse3] 1 x pshufb
5777 // 2. [ssse3] 2 x pshufb + 1 x por
5778 // 3. [all]   v8i16 shuffle + N x pextrw + rotate + pinsrw
5779 static
5780 SDValue LowerVECTOR_SHUFFLEv16i8(ShuffleVectorSDNode *SVOp,
5781                                  SelectionDAG &DAG,
5782                                  const X86TargetLowering &TLI) {
5783   SDValue V1 = SVOp->getOperand(0);
5784   SDValue V2 = SVOp->getOperand(1);
5785   DebugLoc dl = SVOp->getDebugLoc();
5786   ArrayRef<int> MaskVals = SVOp->getMask();
5787
5788   bool V2IsUndef = V2.getOpcode() == ISD::UNDEF;
5789
5790   // If we have SSSE3, case 1 is generated when all result bytes come from
5791   // one of  the inputs.  Otherwise, case 2 is generated.  If no SSSE3 is
5792   // present, fall back to case 3.
5793
5794   // If SSSE3, use 1 pshufb instruction per vector with elements in the result.
5795   if (TLI.getSubtarget()->hasSSSE3()) {
5796     SmallVector<SDValue,16> pshufbMask;
5797
5798     // If all result elements are from one input vector, then only translate
5799     // undef mask values to 0x80 (zero out result) in the pshufb mask.
5800     //
5801     // Otherwise, we have elements from both input vectors, and must zero out
5802     // elements that come from V2 in the first mask, and V1 in the second mask
5803     // so that we can OR them together.
5804     for (unsigned i = 0; i != 16; ++i) {
5805       int EltIdx = MaskVals[i];
5806       if (EltIdx < 0 || EltIdx >= 16)
5807         EltIdx = 0x80;
5808       pshufbMask.push_back(DAG.getConstant(EltIdx, MVT::i8));
5809     }
5810     V1 = DAG.getNode(X86ISD::PSHUFB, dl, MVT::v16i8, V1,
5811                      DAG.getNode(ISD::BUILD_VECTOR, dl,
5812                                  MVT::v16i8, &pshufbMask[0], 16));
5813     if (V2IsUndef)
5814       return V1;
5815
5816     // Calculate the shuffle mask for the second input, shuffle it, and
5817     // OR it with the first shuffled input.
5818     pshufbMask.clear();
5819     for (unsigned i = 0; i != 16; ++i) {
5820       int EltIdx = MaskVals[i];
5821       EltIdx = (EltIdx < 16) ? 0x80 : EltIdx - 16;
5822       pshufbMask.push_back(DAG.getConstant(EltIdx, MVT::i8));
5823     }
5824     V2 = DAG.getNode(X86ISD::PSHUFB, dl, MVT::v16i8, V2,
5825                      DAG.getNode(ISD::BUILD_VECTOR, dl,
5826                                  MVT::v16i8, &pshufbMask[0], 16));
5827     return DAG.getNode(ISD::OR, dl, MVT::v16i8, V1, V2);
5828   }
5829
5830   // No SSSE3 - Calculate in place words and then fix all out of place words
5831   // With 0-16 extracts & inserts.  Worst case is 16 bytes out of order from
5832   // the 16 different words that comprise the two doublequadword input vectors.
5833   V1 = DAG.getNode(ISD::BITCAST, dl, MVT::v8i16, V1);
5834   V2 = DAG.getNode(ISD::BITCAST, dl, MVT::v8i16, V2);
5835   SDValue NewV = V1;
5836   for (int i = 0; i != 8; ++i) {
5837     int Elt0 = MaskVals[i*2];
5838     int Elt1 = MaskVals[i*2+1];
5839
5840     // This word of the result is all undef, skip it.
5841     if (Elt0 < 0 && Elt1 < 0)
5842       continue;
5843
5844     // This word of the result is already in the correct place, skip it.
5845     if ((Elt0 == i*2) && (Elt1 == i*2+1))
5846       continue;
5847
5848     SDValue Elt0Src = Elt0 < 16 ? V1 : V2;
5849     SDValue Elt1Src = Elt1 < 16 ? V1 : V2;
5850     SDValue InsElt;
5851
5852     // If Elt0 and Elt1 are defined, are consecutive, and can be load
5853     // using a single extract together, load it and store it.
5854     if ((Elt0 >= 0) && ((Elt0 + 1) == Elt1) && ((Elt0 & 1) == 0)) {
5855       InsElt = DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::i16, Elt1Src,
5856                            DAG.getIntPtrConstant(Elt1 / 2));
5857       NewV = DAG.getNode(ISD::INSERT_VECTOR_ELT, dl, MVT::v8i16, NewV, InsElt,
5858                         DAG.getIntPtrConstant(i));
5859       continue;
5860     }
5861
5862     // If Elt1 is defined, extract it from the appropriate source.  If the
5863     // source byte is not also odd, shift the extracted word left 8 bits
5864     // otherwise clear the bottom 8 bits if we need to do an or.
5865     if (Elt1 >= 0) {
5866       InsElt = DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::i16, Elt1Src,
5867                            DAG.getIntPtrConstant(Elt1 / 2));
5868       if ((Elt1 & 1) == 0)
5869         InsElt = DAG.getNode(ISD::SHL, dl, MVT::i16, InsElt,
5870                              DAG.getConstant(8,
5871                                   TLI.getShiftAmountTy(InsElt.getValueType())));
5872       else if (Elt0 >= 0)
5873         InsElt = DAG.getNode(ISD::AND, dl, MVT::i16, InsElt,
5874                              DAG.getConstant(0xFF00, MVT::i16));
5875     }
5876     // If Elt0 is defined, extract it from the appropriate source.  If the
5877     // source byte is not also even, shift the extracted word right 8 bits. If
5878     // Elt1 was also defined, OR the extracted values together before
5879     // inserting them in the result.
5880     if (Elt0 >= 0) {
5881       SDValue InsElt0 = DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::i16,
5882                                     Elt0Src, DAG.getIntPtrConstant(Elt0 / 2));
5883       if ((Elt0 & 1) != 0)
5884         InsElt0 = DAG.getNode(ISD::SRL, dl, MVT::i16, InsElt0,
5885                               DAG.getConstant(8,
5886                                  TLI.getShiftAmountTy(InsElt0.getValueType())));
5887       else if (Elt1 >= 0)
5888         InsElt0 = DAG.getNode(ISD::AND, dl, MVT::i16, InsElt0,
5889                              DAG.getConstant(0x00FF, MVT::i16));
5890       InsElt = Elt1 >= 0 ? DAG.getNode(ISD::OR, dl, MVT::i16, InsElt, InsElt0)
5891                          : InsElt0;
5892     }
5893     NewV = DAG.getNode(ISD::INSERT_VECTOR_ELT, dl, MVT::v8i16, NewV, InsElt,
5894                        DAG.getIntPtrConstant(i));
5895   }
5896   return DAG.getNode(ISD::BITCAST, dl, MVT::v16i8, NewV);
5897 }
5898
5899 /// RewriteAsNarrowerShuffle - Try rewriting v8i16 and v16i8 shuffles as 4 wide
5900 /// ones, or rewriting v4i32 / v4f32 as 2 wide ones if possible. This can be
5901 /// done when every pair / quad of shuffle mask elements point to elements in
5902 /// the right sequence. e.g.
5903 /// vector_shuffle X, Y, <2, 3, | 10, 11, | 0, 1, | 14, 15>
5904 static
5905 SDValue RewriteAsNarrowerShuffle(ShuffleVectorSDNode *SVOp,
5906                                  SelectionDAG &DAG, DebugLoc dl) {
5907   MVT VT = SVOp->getValueType(0).getSimpleVT();
5908   unsigned NumElems = VT.getVectorNumElements();
5909   MVT NewVT;
5910   unsigned Scale;
5911   switch (VT.SimpleTy) {
5912   default: llvm_unreachable("Unexpected!");
5913   case MVT::v4f32:  NewVT = MVT::v2f64; Scale = 2; break;
5914   case MVT::v4i32:  NewVT = MVT::v2i64; Scale = 2; break;
5915   case MVT::v8i16:  NewVT = MVT::v4i32; Scale = 2; break;
5916   case MVT::v16i8:  NewVT = MVT::v4i32; Scale = 4; break;
5917   case MVT::v16i16: NewVT = MVT::v8i32; Scale = 2; break;
5918   case MVT::v32i8:  NewVT = MVT::v8i32; Scale = 4; break;
5919   }
5920
5921   SmallVector<int, 8> MaskVec;
5922   for (unsigned i = 0; i != NumElems; i += Scale) {
5923     int StartIdx = -1;
5924     for (unsigned j = 0; j != Scale; ++j) {
5925       int EltIdx = SVOp->getMaskElt(i+j);
5926       if (EltIdx < 0)
5927         continue;
5928       if (StartIdx < 0)
5929         StartIdx = (EltIdx / Scale);
5930       if (EltIdx != (int)(StartIdx*Scale + j))
5931         return SDValue();
5932     }
5933     MaskVec.push_back(StartIdx);
5934   }
5935
5936   SDValue V1 = DAG.getNode(ISD::BITCAST, dl, NewVT, SVOp->getOperand(0));
5937   SDValue V2 = DAG.getNode(ISD::BITCAST, dl, NewVT, SVOp->getOperand(1));
5938   return DAG.getVectorShuffle(NewVT, dl, V1, V2, &MaskVec[0]);
5939 }
5940
5941 /// getVZextMovL - Return a zero-extending vector move low node.
5942 ///
5943 static SDValue getVZextMovL(EVT VT, EVT OpVT,
5944                             SDValue SrcOp, SelectionDAG &DAG,
5945                             const X86Subtarget *Subtarget, DebugLoc dl) {
5946   if (VT == MVT::v2f64 || VT == MVT::v4f32) {
5947     LoadSDNode *LD = NULL;
5948     if (!isScalarLoadToVector(SrcOp.getNode(), &LD))
5949       LD = dyn_cast<LoadSDNode>(SrcOp);
5950     if (!LD) {
5951       // movssrr and movsdrr do not clear top bits. Try to use movd, movq
5952       // instead.
5953       MVT ExtVT = (OpVT == MVT::v2f64) ? MVT::i64 : MVT::i32;
5954       if ((ExtVT != MVT::i64 || Subtarget->is64Bit()) &&
5955           SrcOp.getOpcode() == ISD::SCALAR_TO_VECTOR &&
5956           SrcOp.getOperand(0).getOpcode() == ISD::BITCAST &&
5957           SrcOp.getOperand(0).getOperand(0).getValueType() == ExtVT) {
5958         // PR2108
5959         OpVT = (OpVT == MVT::v2f64) ? MVT::v2i64 : MVT::v4i32;
5960         return DAG.getNode(ISD::BITCAST, dl, VT,
5961                            DAG.getNode(X86ISD::VZEXT_MOVL, dl, OpVT,
5962                                        DAG.getNode(ISD::SCALAR_TO_VECTOR, dl,
5963                                                    OpVT,
5964                                                    SrcOp.getOperand(0)
5965                                                           .getOperand(0))));
5966       }
5967     }
5968   }
5969
5970   return DAG.getNode(ISD::BITCAST, dl, VT,
5971                      DAG.getNode(X86ISD::VZEXT_MOVL, dl, OpVT,
5972                                  DAG.getNode(ISD::BITCAST, dl,
5973                                              OpVT, SrcOp)));
5974 }
5975
5976 /// LowerVECTOR_SHUFFLE_256 - Handle all 256-bit wide vectors shuffles
5977 /// which could not be matched by any known target speficic shuffle
5978 static SDValue
5979 LowerVECTOR_SHUFFLE_256(ShuffleVectorSDNode *SVOp, SelectionDAG &DAG) {
5980   EVT VT = SVOp->getValueType(0);
5981
5982   unsigned NumElems = VT.getVectorNumElements();
5983   unsigned NumLaneElems = NumElems / 2;
5984
5985   DebugLoc dl = SVOp->getDebugLoc();
5986   MVT EltVT = VT.getVectorElementType().getSimpleVT();
5987   EVT NVT = MVT::getVectorVT(EltVT, NumLaneElems);
5988   SDValue Output[2];
5989
5990   SmallVector<int, 16> Mask;
5991   for (unsigned l = 0; l < 2; ++l) {
5992     // Build a shuffle mask for the output, discovering on the fly which
5993     // input vectors to use as shuffle operands (recorded in InputUsed).
5994     // If building a suitable shuffle vector proves too hard, then bail
5995     // out with UseBuildVector set.
5996     bool UseBuildVector = false;
5997     int InputUsed[2] = { -1, -1 }; // Not yet discovered.
5998     unsigned LaneStart = l * NumLaneElems;
5999     for (unsigned i = 0; i != NumLaneElems; ++i) {
6000       // The mask element.  This indexes into the input.
6001       int Idx = SVOp->getMaskElt(i+LaneStart);
6002       if (Idx < 0) {
6003         // the mask element does not index into any input vector.
6004         Mask.push_back(-1);
6005         continue;
6006       }
6007
6008       // The input vector this mask element indexes into.
6009       int Input = Idx / NumLaneElems;
6010
6011       // Turn the index into an offset from the start of the input vector.
6012       Idx -= Input * NumLaneElems;
6013
6014       // Find or create a shuffle vector operand to hold this input.
6015       unsigned OpNo;
6016       for (OpNo = 0; OpNo < array_lengthof(InputUsed); ++OpNo) {
6017         if (InputUsed[OpNo] == Input)
6018           // This input vector is already an operand.
6019           break;
6020         if (InputUsed[OpNo] < 0) {
6021           // Create a new operand for this input vector.
6022           InputUsed[OpNo] = Input;
6023           break;
6024         }
6025       }
6026
6027       if (OpNo >= array_lengthof(InputUsed)) {
6028         // More than two input vectors used!  Give up on trying to create a
6029         // shuffle vector.  Insert all elements into a BUILD_VECTOR instead.
6030         UseBuildVector = true;
6031         break;
6032       }
6033
6034       // Add the mask index for the new shuffle vector.
6035       Mask.push_back(Idx + OpNo * NumLaneElems);
6036     }
6037
6038     if (UseBuildVector) {
6039       SmallVector<SDValue, 16> SVOps;
6040       for (unsigned i = 0; i != NumLaneElems; ++i) {
6041         // The mask element.  This indexes into the input.
6042         int Idx = SVOp->getMaskElt(i+LaneStart);
6043         if (Idx < 0) {
6044           SVOps.push_back(DAG.getUNDEF(EltVT));
6045           continue;
6046         }
6047
6048         // The input vector this mask element indexes into.
6049         int Input = Idx / NumElems;
6050
6051         // Turn the index into an offset from the start of the input vector.
6052         Idx -= Input * NumElems;
6053
6054         // Extract the vector element by hand.
6055         SVOps.push_back(DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, EltVT,
6056                                     SVOp->getOperand(Input),
6057                                     DAG.getIntPtrConstant(Idx)));
6058       }
6059
6060       // Construct the output using a BUILD_VECTOR.
6061       Output[l] = DAG.getNode(ISD::BUILD_VECTOR, dl, NVT, &SVOps[0],
6062                               SVOps.size());
6063     } else if (InputUsed[0] < 0) {
6064       // No input vectors were used! The result is undefined.
6065       Output[l] = DAG.getUNDEF(NVT);
6066     } else {
6067       SDValue Op0 = Extract128BitVector(SVOp->getOperand(InputUsed[0] / 2),
6068                                         (InputUsed[0] % 2) * NumLaneElems,
6069                                         DAG, dl);
6070       // If only one input was used, use an undefined vector for the other.
6071       SDValue Op1 = (InputUsed[1] < 0) ? DAG.getUNDEF(NVT) :
6072         Extract128BitVector(SVOp->getOperand(InputUsed[1] / 2),
6073                             (InputUsed[1] % 2) * NumLaneElems, DAG, dl);
6074       // At least one input vector was used. Create a new shuffle vector.
6075       Output[l] = DAG.getVectorShuffle(NVT, dl, Op0, Op1, &Mask[0]);
6076     }
6077
6078     Mask.clear();
6079   }
6080
6081   // Concatenate the result back
6082   return DAG.getNode(ISD::CONCAT_VECTORS, dl, VT, Output[0], Output[1]);
6083 }
6084
6085 /// LowerVECTOR_SHUFFLE_128v4 - Handle all 128-bit wide vectors with
6086 /// 4 elements, and match them with several different shuffle types.
6087 static SDValue
6088 LowerVECTOR_SHUFFLE_128v4(ShuffleVectorSDNode *SVOp, SelectionDAG &DAG) {
6089   SDValue V1 = SVOp->getOperand(0);
6090   SDValue V2 = SVOp->getOperand(1);
6091   DebugLoc dl = SVOp->getDebugLoc();
6092   EVT VT = SVOp->getValueType(0);
6093
6094   assert(VT.getSizeInBits() == 128 && "Unsupported vector size");
6095
6096   std::pair<int, int> Locs[4];
6097   int Mask1[] = { -1, -1, -1, -1 };
6098   SmallVector<int, 8> PermMask(SVOp->getMask().begin(), SVOp->getMask().end());
6099
6100   unsigned NumHi = 0;
6101   unsigned NumLo = 0;
6102   for (unsigned i = 0; i != 4; ++i) {
6103     int Idx = PermMask[i];
6104     if (Idx < 0) {
6105       Locs[i] = std::make_pair(-1, -1);
6106     } else {
6107       assert(Idx < 8 && "Invalid VECTOR_SHUFFLE index!");
6108       if (Idx < 4) {
6109         Locs[i] = std::make_pair(0, NumLo);
6110         Mask1[NumLo] = Idx;
6111         NumLo++;
6112       } else {
6113         Locs[i] = std::make_pair(1, NumHi);
6114         if (2+NumHi < 4)
6115           Mask1[2+NumHi] = Idx;
6116         NumHi++;
6117       }
6118     }
6119   }
6120
6121   if (NumLo <= 2 && NumHi <= 2) {
6122     // If no more than two elements come from either vector. This can be
6123     // implemented with two shuffles. First shuffle gather the elements.
6124     // The second shuffle, which takes the first shuffle as both of its
6125     // vector operands, put the elements into the right order.
6126     V1 = DAG.getVectorShuffle(VT, dl, V1, V2, &Mask1[0]);
6127
6128     int Mask2[] = { -1, -1, -1, -1 };
6129
6130     for (unsigned i = 0; i != 4; ++i)
6131       if (Locs[i].first != -1) {
6132         unsigned Idx = (i < 2) ? 0 : 4;
6133         Idx += Locs[i].first * 2 + Locs[i].second;
6134         Mask2[i] = Idx;
6135       }
6136
6137     return DAG.getVectorShuffle(VT, dl, V1, V1, &Mask2[0]);
6138   }
6139
6140   if (NumLo == 3 || NumHi == 3) {
6141     // Otherwise, we must have three elements from one vector, call it X, and
6142     // one element from the other, call it Y.  First, use a shufps to build an
6143     // intermediate vector with the one element from Y and the element from X
6144     // that will be in the same half in the final destination (the indexes don't
6145     // matter). Then, use a shufps to build the final vector, taking the half
6146     // containing the element from Y from the intermediate, and the other half
6147     // from X.
6148     if (NumHi == 3) {
6149       // Normalize it so the 3 elements come from V1.
6150       CommuteVectorShuffleMask(PermMask, 4);
6151       std::swap(V1, V2);
6152     }
6153
6154     // Find the element from V2.
6155     unsigned HiIndex;
6156     for (HiIndex = 0; HiIndex < 3; ++HiIndex) {
6157       int Val = PermMask[HiIndex];
6158       if (Val < 0)
6159         continue;
6160       if (Val >= 4)
6161         break;
6162     }
6163
6164     Mask1[0] = PermMask[HiIndex];
6165     Mask1[1] = -1;
6166     Mask1[2] = PermMask[HiIndex^1];
6167     Mask1[3] = -1;
6168     V2 = DAG.getVectorShuffle(VT, dl, V1, V2, &Mask1[0]);
6169
6170     if (HiIndex >= 2) {
6171       Mask1[0] = PermMask[0];
6172       Mask1[1] = PermMask[1];
6173       Mask1[2] = HiIndex & 1 ? 6 : 4;
6174       Mask1[3] = HiIndex & 1 ? 4 : 6;
6175       return DAG.getVectorShuffle(VT, dl, V1, V2, &Mask1[0]);
6176     }
6177
6178     Mask1[0] = HiIndex & 1 ? 2 : 0;
6179     Mask1[1] = HiIndex & 1 ? 0 : 2;
6180     Mask1[2] = PermMask[2];
6181     Mask1[3] = PermMask[3];
6182     if (Mask1[2] >= 0)
6183       Mask1[2] += 4;
6184     if (Mask1[3] >= 0)
6185       Mask1[3] += 4;
6186     return DAG.getVectorShuffle(VT, dl, V2, V1, &Mask1[0]);
6187   }
6188
6189   // Break it into (shuffle shuffle_hi, shuffle_lo).
6190   int LoMask[] = { -1, -1, -1, -1 };
6191   int HiMask[] = { -1, -1, -1, -1 };
6192
6193   int *MaskPtr = LoMask;
6194   unsigned MaskIdx = 0;
6195   unsigned LoIdx = 0;
6196   unsigned HiIdx = 2;
6197   for (unsigned i = 0; i != 4; ++i) {
6198     if (i == 2) {
6199       MaskPtr = HiMask;
6200       MaskIdx = 1;
6201       LoIdx = 0;
6202       HiIdx = 2;
6203     }
6204     int Idx = PermMask[i];
6205     if (Idx < 0) {
6206       Locs[i] = std::make_pair(-1, -1);
6207     } else if (Idx < 4) {
6208       Locs[i] = std::make_pair(MaskIdx, LoIdx);
6209       MaskPtr[LoIdx] = Idx;
6210       LoIdx++;
6211     } else {
6212       Locs[i] = std::make_pair(MaskIdx, HiIdx);
6213       MaskPtr[HiIdx] = Idx;
6214       HiIdx++;
6215     }
6216   }
6217
6218   SDValue LoShuffle = DAG.getVectorShuffle(VT, dl, V1, V2, &LoMask[0]);
6219   SDValue HiShuffle = DAG.getVectorShuffle(VT, dl, V1, V2, &HiMask[0]);
6220   int MaskOps[] = { -1, -1, -1, -1 };
6221   for (unsigned i = 0; i != 4; ++i)
6222     if (Locs[i].first != -1)
6223       MaskOps[i] = Locs[i].first * 4 + Locs[i].second;
6224   return DAG.getVectorShuffle(VT, dl, LoShuffle, HiShuffle, &MaskOps[0]);
6225 }
6226
6227 static bool MayFoldVectorLoad(SDValue V) {
6228   if (V.hasOneUse() && V.getOpcode() == ISD::BITCAST)
6229     V = V.getOperand(0);
6230   if (V.hasOneUse() && V.getOpcode() == ISD::SCALAR_TO_VECTOR)
6231     V = V.getOperand(0);
6232   if (V.hasOneUse() && V.getOpcode() == ISD::BUILD_VECTOR &&
6233       V.getNumOperands() == 2 && V.getOperand(1).getOpcode() == ISD::UNDEF)
6234     // BUILD_VECTOR (load), undef
6235     V = V.getOperand(0);
6236   if (MayFoldLoad(V))
6237     return true;
6238   return false;
6239 }
6240
6241 // FIXME: the version above should always be used. Since there's
6242 // a bug where several vector shuffles can't be folded because the
6243 // DAG is not updated during lowering and a node claims to have two
6244 // uses while it only has one, use this version, and let isel match
6245 // another instruction if the load really happens to have more than
6246 // one use. Remove this version after this bug get fixed.
6247 // rdar://8434668, PR8156
6248 static bool RelaxedMayFoldVectorLoad(SDValue V) {
6249   if (V.hasOneUse() && V.getOpcode() == ISD::BITCAST)
6250     V = V.getOperand(0);
6251   if (V.hasOneUse() && V.getOpcode() == ISD::SCALAR_TO_VECTOR)
6252     V = V.getOperand(0);
6253   if (ISD::isNormalLoad(V.getNode()))
6254     return true;
6255   return false;
6256 }
6257
6258 static
6259 SDValue getMOVDDup(SDValue &Op, DebugLoc &dl, SDValue V1, SelectionDAG &DAG) {
6260   EVT VT = Op.getValueType();
6261
6262   // Canonizalize to v2f64.
6263   V1 = DAG.getNode(ISD::BITCAST, dl, MVT::v2f64, V1);
6264   return DAG.getNode(ISD::BITCAST, dl, VT,
6265                      getTargetShuffleNode(X86ISD::MOVDDUP, dl, MVT::v2f64,
6266                                           V1, DAG));
6267 }
6268
6269 static
6270 SDValue getMOVLowToHigh(SDValue &Op, DebugLoc &dl, SelectionDAG &DAG,
6271                         bool HasSSE2) {
6272   SDValue V1 = Op.getOperand(0);
6273   SDValue V2 = Op.getOperand(1);
6274   EVT VT = Op.getValueType();
6275
6276   assert(VT != MVT::v2i64 && "unsupported shuffle type");
6277
6278   if (HasSSE2 && VT == MVT::v2f64)
6279     return getTargetShuffleNode(X86ISD::MOVLHPD, dl, VT, V1, V2, DAG);
6280
6281   // v4f32 or v4i32: canonizalized to v4f32 (which is legal for SSE1)
6282   return DAG.getNode(ISD::BITCAST, dl, VT,
6283                      getTargetShuffleNode(X86ISD::MOVLHPS, dl, MVT::v4f32,
6284                            DAG.getNode(ISD::BITCAST, dl, MVT::v4f32, V1),
6285                            DAG.getNode(ISD::BITCAST, dl, MVT::v4f32, V2), DAG));
6286 }
6287
6288 static
6289 SDValue getMOVHighToLow(SDValue &Op, DebugLoc &dl, SelectionDAG &DAG) {
6290   SDValue V1 = Op.getOperand(0);
6291   SDValue V2 = Op.getOperand(1);
6292   EVT VT = Op.getValueType();
6293
6294   assert((VT == MVT::v4i32 || VT == MVT::v4f32) &&
6295          "unsupported shuffle type");
6296
6297   if (V2.getOpcode() == ISD::UNDEF)
6298     V2 = V1;
6299
6300   // v4i32 or v4f32
6301   return getTargetShuffleNode(X86ISD::MOVHLPS, dl, VT, V1, V2, DAG);
6302 }
6303
6304 static
6305 SDValue getMOVLP(SDValue &Op, DebugLoc &dl, SelectionDAG &DAG, bool HasSSE2) {
6306   SDValue V1 = Op.getOperand(0);
6307   SDValue V2 = Op.getOperand(1);
6308   EVT VT = Op.getValueType();
6309   unsigned NumElems = VT.getVectorNumElements();
6310
6311   // Use MOVLPS and MOVLPD in case V1 or V2 are loads. During isel, the second
6312   // operand of these instructions is only memory, so check if there's a
6313   // potencial load folding here, otherwise use SHUFPS or MOVSD to match the
6314   // same masks.
6315   bool CanFoldLoad = false;
6316
6317   // Trivial case, when V2 comes from a load.
6318   if (MayFoldVectorLoad(V2))
6319     CanFoldLoad = true;
6320
6321   // When V1 is a load, it can be folded later into a store in isel, example:
6322   //  (store (v4f32 (X86Movlps (load addr:$src1), VR128:$src2)), addr:$src1)
6323   //    turns into:
6324   //  (MOVLPSmr addr:$src1, VR128:$src2)
6325   // So, recognize this potential and also use MOVLPS or MOVLPD
6326   else if (MayFoldVectorLoad(V1) && MayFoldIntoStore(Op))
6327     CanFoldLoad = true;
6328
6329   ShuffleVectorSDNode *SVOp = cast<ShuffleVectorSDNode>(Op);
6330   if (CanFoldLoad) {
6331     if (HasSSE2 && NumElems == 2)
6332       return getTargetShuffleNode(X86ISD::MOVLPD, dl, VT, V1, V2, DAG);
6333
6334     if (NumElems == 4)
6335       // If we don't care about the second element, proceed to use movss.
6336       if (SVOp->getMaskElt(1) != -1)
6337         return getTargetShuffleNode(X86ISD::MOVLPS, dl, VT, V1, V2, DAG);
6338   }
6339
6340   // movl and movlp will both match v2i64, but v2i64 is never matched by
6341   // movl earlier because we make it strict to avoid messing with the movlp load
6342   // folding logic (see the code above getMOVLP call). Match it here then,
6343   // this is horrible, but will stay like this until we move all shuffle
6344   // matching to x86 specific nodes. Note that for the 1st condition all
6345   // types are matched with movsd.
6346   if (HasSSE2) {
6347     // FIXME: isMOVLMask should be checked and matched before getMOVLP,
6348     // as to remove this logic from here, as much as possible
6349     if (NumElems == 2 || !isMOVLMask(SVOp->getMask(), VT))
6350       return getTargetShuffleNode(X86ISD::MOVSD, dl, VT, V1, V2, DAG);
6351     return getTargetShuffleNode(X86ISD::MOVSS, dl, VT, V1, V2, DAG);
6352   }
6353
6354   assert(VT != MVT::v4i32 && "unsupported shuffle type");
6355
6356   // Invert the operand order and use SHUFPS to match it.
6357   return getTargetShuffleNode(X86ISD::SHUFP, dl, VT, V2, V1,
6358                               getShuffleSHUFImmediate(SVOp), DAG);
6359 }
6360
6361 SDValue
6362 X86TargetLowering::NormalizeVectorShuffle(SDValue Op, SelectionDAG &DAG) const {
6363   ShuffleVectorSDNode *SVOp = cast<ShuffleVectorSDNode>(Op);
6364   EVT VT = Op.getValueType();
6365   DebugLoc dl = Op.getDebugLoc();
6366   SDValue V1 = Op.getOperand(0);
6367   SDValue V2 = Op.getOperand(1);
6368
6369   if (isZeroShuffle(SVOp))
6370     return getZeroVector(VT, Subtarget, DAG, dl);
6371
6372   // Handle splat operations
6373   if (SVOp->isSplat()) {
6374     unsigned NumElem = VT.getVectorNumElements();
6375     int Size = VT.getSizeInBits();
6376
6377     // Use vbroadcast whenever the splat comes from a foldable load
6378     SDValue Broadcast = LowerVectorBroadcast(Op, DAG);
6379     if (Broadcast.getNode())
6380       return Broadcast;
6381
6382     // Handle splats by matching through known shuffle masks
6383     if ((Size == 128 && NumElem <= 4) ||
6384         (Size == 256 && NumElem < 8))
6385       return SDValue();
6386
6387     // All remaning splats are promoted to target supported vector shuffles.
6388     return PromoteSplat(SVOp, DAG);
6389   }
6390
6391   // If the shuffle can be profitably rewritten as a narrower shuffle, then
6392   // do it!
6393   if (VT == MVT::v8i16  || VT == MVT::v16i8 ||
6394       VT == MVT::v16i16 || VT == MVT::v32i8) {
6395     SDValue NewOp = RewriteAsNarrowerShuffle(SVOp, DAG, dl);
6396     if (NewOp.getNode())
6397       return DAG.getNode(ISD::BITCAST, dl, VT, NewOp);
6398   } else if ((VT == MVT::v4i32 ||
6399              (VT == MVT::v4f32 && Subtarget->hasSSE2()))) {
6400     // FIXME: Figure out a cleaner way to do this.
6401     // Try to make use of movq to zero out the top part.
6402     if (ISD::isBuildVectorAllZeros(V2.getNode())) {
6403       SDValue NewOp = RewriteAsNarrowerShuffle(SVOp, DAG, dl);
6404       if (NewOp.getNode()) {
6405         EVT NewVT = NewOp.getValueType();
6406         if (isCommutedMOVLMask(cast<ShuffleVectorSDNode>(NewOp)->getMask(),
6407                                NewVT, true, false))
6408           return getVZextMovL(VT, NewVT, NewOp.getOperand(0),
6409                               DAG, Subtarget, dl);
6410       }
6411     } else if (ISD::isBuildVectorAllZeros(V1.getNode())) {
6412       SDValue NewOp = RewriteAsNarrowerShuffle(SVOp, DAG, dl);
6413       if (NewOp.getNode()) {
6414         EVT NewVT = NewOp.getValueType();
6415         if (isMOVLMask(cast<ShuffleVectorSDNode>(NewOp)->getMask(), NewVT))
6416           return getVZextMovL(VT, NewVT, NewOp.getOperand(1),
6417                               DAG, Subtarget, dl);
6418       }
6419     }
6420   }
6421   return SDValue();
6422 }
6423
6424 SDValue
6425 X86TargetLowering::LowerVECTOR_SHUFFLE(SDValue Op, SelectionDAG &DAG) const {
6426   ShuffleVectorSDNode *SVOp = cast<ShuffleVectorSDNode>(Op);
6427   SDValue V1 = Op.getOperand(0);
6428   SDValue V2 = Op.getOperand(1);
6429   EVT VT = Op.getValueType();
6430   DebugLoc dl = Op.getDebugLoc();
6431   unsigned NumElems = VT.getVectorNumElements();
6432   bool V1IsUndef = V1.getOpcode() == ISD::UNDEF;
6433   bool V2IsUndef = V2.getOpcode() == ISD::UNDEF;
6434   bool V1IsSplat = false;
6435   bool V2IsSplat = false;
6436   bool HasSSE2 = Subtarget->hasSSE2();
6437   bool HasAVX    = Subtarget->hasAVX();
6438   bool HasAVX2   = Subtarget->hasAVX2();
6439   MachineFunction &MF = DAG.getMachineFunction();
6440   bool OptForSize = MF.getFunction()->hasFnAttr(Attribute::OptimizeForSize);
6441
6442   assert(VT.getSizeInBits() != 64 && "Can't lower MMX shuffles");
6443
6444   if (V1IsUndef && V2IsUndef)
6445     return DAG.getUNDEF(VT);
6446
6447   assert(!V1IsUndef && "Op 1 of shuffle should not be undef");
6448
6449   // Vector shuffle lowering takes 3 steps:
6450   //
6451   // 1) Normalize the input vectors. Here splats, zeroed vectors, profitable
6452   //    narrowing and commutation of operands should be handled.
6453   // 2) Matching of shuffles with known shuffle masks to x86 target specific
6454   //    shuffle nodes.
6455   // 3) Rewriting of unmatched masks into new generic shuffle operations,
6456   //    so the shuffle can be broken into other shuffles and the legalizer can
6457   //    try the lowering again.
6458   //
6459   // The general idea is that no vector_shuffle operation should be left to
6460   // be matched during isel, all of them must be converted to a target specific
6461   // node here.
6462
6463   // Normalize the input vectors. Here splats, zeroed vectors, profitable
6464   // narrowing and commutation of operands should be handled. The actual code
6465   // doesn't include all of those, work in progress...
6466   SDValue NewOp = NormalizeVectorShuffle(Op, DAG);
6467   if (NewOp.getNode())
6468     return NewOp;
6469
6470   SmallVector<int, 8> M(SVOp->getMask().begin(), SVOp->getMask().end());
6471
6472   // NOTE: isPSHUFDMask can also match both masks below (unpckl_undef and
6473   // unpckh_undef). Only use pshufd if speed is more important than size.
6474   if (OptForSize && isUNPCKL_v_undef_Mask(M, VT, HasAVX2))
6475     return getTargetShuffleNode(X86ISD::UNPCKL, dl, VT, V1, V1, DAG);
6476   if (OptForSize && isUNPCKH_v_undef_Mask(M, VT, HasAVX2))
6477     return getTargetShuffleNode(X86ISD::UNPCKH, dl, VT, V1, V1, DAG);
6478
6479   if (isMOVDDUPMask(M, VT) && Subtarget->hasSSE3() &&
6480       V2IsUndef && RelaxedMayFoldVectorLoad(V1))
6481     return getMOVDDup(Op, dl, V1, DAG);
6482
6483   if (isMOVHLPS_v_undef_Mask(M, VT))
6484     return getMOVHighToLow(Op, dl, DAG);
6485
6486   // Use to match splats
6487   if (HasSSE2 && isUNPCKHMask(M, VT, HasAVX2) && V2IsUndef &&
6488       (VT == MVT::v2f64 || VT == MVT::v2i64))
6489     return getTargetShuffleNode(X86ISD::UNPCKH, dl, VT, V1, V1, DAG);
6490
6491   if (isPSHUFDMask(M, VT)) {
6492     // The actual implementation will match the mask in the if above and then
6493     // during isel it can match several different instructions, not only pshufd
6494     // as its name says, sad but true, emulate the behavior for now...
6495     if (isMOVDDUPMask(M, VT) && ((VT == MVT::v4f32 || VT == MVT::v2i64)))
6496       return getTargetShuffleNode(X86ISD::MOVLHPS, dl, VT, V1, V1, DAG);
6497
6498     unsigned TargetMask = getShuffleSHUFImmediate(SVOp);
6499
6500     if (HasAVX && (VT == MVT::v4f32 || VT == MVT::v2f64))
6501       return getTargetShuffleNode(X86ISD::VPERMILP, dl, VT, V1, TargetMask, DAG);
6502
6503     if (HasSSE2 && (VT == MVT::v4f32 || VT == MVT::v4i32))
6504       return getTargetShuffleNode(X86ISD::PSHUFD, dl, VT, V1, TargetMask, DAG);
6505
6506     return getTargetShuffleNode(X86ISD::SHUFP, dl, VT, V1, V1,
6507                                 TargetMask, DAG);
6508   }
6509
6510   // Check if this can be converted into a logical shift.
6511   bool isLeft = false;
6512   unsigned ShAmt = 0;
6513   SDValue ShVal;
6514   bool isShift = HasSSE2 && isVectorShift(SVOp, DAG, isLeft, ShVal, ShAmt);
6515   if (isShift && ShVal.hasOneUse()) {
6516     // If the shifted value has multiple uses, it may be cheaper to use
6517     // v_set0 + movlhps or movhlps, etc.
6518     EVT EltVT = VT.getVectorElementType();
6519     ShAmt *= EltVT.getSizeInBits();
6520     return getVShift(isLeft, VT, ShVal, ShAmt, DAG, *this, dl);
6521   }
6522
6523   if (isMOVLMask(M, VT)) {
6524     if (ISD::isBuildVectorAllZeros(V1.getNode()))
6525       return getVZextMovL(VT, VT, V2, DAG, Subtarget, dl);
6526     if (!isMOVLPMask(M, VT)) {
6527       if (HasSSE2 && (VT == MVT::v2i64 || VT == MVT::v2f64))
6528         return getTargetShuffleNode(X86ISD::MOVSD, dl, VT, V1, V2, DAG);
6529
6530       if (VT == MVT::v4i32 || VT == MVT::v4f32)
6531         return getTargetShuffleNode(X86ISD::MOVSS, dl, VT, V1, V2, DAG);
6532     }
6533   }
6534
6535   // FIXME: fold these into legal mask.
6536   if (isMOVLHPSMask(M, VT) && !isUNPCKLMask(M, VT, HasAVX2))
6537     return getMOVLowToHigh(Op, dl, DAG, HasSSE2);
6538
6539   if (isMOVHLPSMask(M, VT))
6540     return getMOVHighToLow(Op, dl, DAG);
6541
6542   if (V2IsUndef && isMOVSHDUPMask(M, VT, Subtarget))
6543     return getTargetShuffleNode(X86ISD::MOVSHDUP, dl, VT, V1, DAG);
6544
6545   if (V2IsUndef && isMOVSLDUPMask(M, VT, Subtarget))
6546     return getTargetShuffleNode(X86ISD::MOVSLDUP, dl, VT, V1, DAG);
6547
6548   if (isMOVLPMask(M, VT))
6549     return getMOVLP(Op, dl, DAG, HasSSE2);
6550
6551   if (ShouldXformToMOVHLPS(M, VT) ||
6552       ShouldXformToMOVLP(V1.getNode(), V2.getNode(), M, VT))
6553     return CommuteVectorShuffle(SVOp, DAG);
6554
6555   if (isShift) {
6556     // No better options. Use a vshldq / vsrldq.
6557     EVT EltVT = VT.getVectorElementType();
6558     ShAmt *= EltVT.getSizeInBits();
6559     return getVShift(isLeft, VT, ShVal, ShAmt, DAG, *this, dl);
6560   }
6561
6562   bool Commuted = false;
6563   // FIXME: This should also accept a bitcast of a splat?  Be careful, not
6564   // 1,1,1,1 -> v8i16 though.
6565   V1IsSplat = isSplatVector(V1.getNode());
6566   V2IsSplat = isSplatVector(V2.getNode());
6567
6568   // Canonicalize the splat or undef, if present, to be on the RHS.
6569   if (!V2IsUndef && V1IsSplat && !V2IsSplat) {
6570     CommuteVectorShuffleMask(M, NumElems);
6571     std::swap(V1, V2);
6572     std::swap(V1IsSplat, V2IsSplat);
6573     Commuted = true;
6574   }
6575
6576   if (isCommutedMOVLMask(M, VT, V2IsSplat, V2IsUndef)) {
6577     // Shuffling low element of v1 into undef, just return v1.
6578     if (V2IsUndef)
6579       return V1;
6580     // If V2 is a splat, the mask may be malformed such as <4,3,3,3>, which
6581     // the instruction selector will not match, so get a canonical MOVL with
6582     // swapped operands to undo the commute.
6583     return getMOVL(DAG, dl, VT, V2, V1);
6584   }
6585
6586   if (isUNPCKLMask(M, VT, HasAVX2))
6587     return getTargetShuffleNode(X86ISD::UNPCKL, dl, VT, V1, V2, DAG);
6588
6589   if (isUNPCKHMask(M, VT, HasAVX2))
6590     return getTargetShuffleNode(X86ISD::UNPCKH, dl, VT, V1, V2, DAG);
6591
6592   if (V2IsSplat) {
6593     // Normalize mask so all entries that point to V2 points to its first
6594     // element then try to match unpck{h|l} again. If match, return a
6595     // new vector_shuffle with the corrected mask.p
6596     SmallVector<int, 8> NewMask(M.begin(), M.end());
6597     NormalizeMask(NewMask, NumElems);
6598     if (isUNPCKLMask(NewMask, VT, HasAVX2, true))
6599       return getTargetShuffleNode(X86ISD::UNPCKL, dl, VT, V1, V2, DAG);
6600     if (isUNPCKHMask(NewMask, VT, HasAVX2, true))
6601       return getTargetShuffleNode(X86ISD::UNPCKH, dl, VT, V1, V2, DAG);
6602   }
6603
6604   if (Commuted) {
6605     // Commute is back and try unpck* again.
6606     // FIXME: this seems wrong.
6607     CommuteVectorShuffleMask(M, NumElems);
6608     std::swap(V1, V2);
6609     std::swap(V1IsSplat, V2IsSplat);
6610     Commuted = false;
6611
6612     if (isUNPCKLMask(M, VT, HasAVX2))
6613       return getTargetShuffleNode(X86ISD::UNPCKL, dl, VT, V1, V2, DAG);
6614
6615     if (isUNPCKHMask(M, VT, HasAVX2))
6616       return getTargetShuffleNode(X86ISD::UNPCKH, dl, VT, V1, V2, DAG);
6617   }
6618
6619   // Normalize the node to match x86 shuffle ops if needed
6620   if (!V2IsUndef && (isSHUFPMask(M, VT, HasAVX, /* Commuted */ true)))
6621     return CommuteVectorShuffle(SVOp, DAG);
6622
6623   // The checks below are all present in isShuffleMaskLegal, but they are
6624   // inlined here right now to enable us to directly emit target specific
6625   // nodes, and remove one by one until they don't return Op anymore.
6626
6627   if (isPALIGNRMask(M, VT, Subtarget))
6628     return getTargetShuffleNode(X86ISD::PALIGN, dl, VT, V1, V2,
6629                                 getShufflePALIGNRImmediate(SVOp),
6630                                 DAG);
6631
6632   if (ShuffleVectorSDNode::isSplatMask(&M[0], VT) &&
6633       SVOp->getSplatIndex() == 0 && V2IsUndef) {
6634     if (VT == MVT::v2f64 || VT == MVT::v2i64)
6635       return getTargetShuffleNode(X86ISD::UNPCKL, dl, VT, V1, V1, DAG);
6636   }
6637
6638   if (isPSHUFHWMask(M, VT, HasAVX2))
6639     return getTargetShuffleNode(X86ISD::PSHUFHW, dl, VT, V1,
6640                                 getShufflePSHUFHWImmediate(SVOp),
6641                                 DAG);
6642
6643   if (isPSHUFLWMask(M, VT, HasAVX2))
6644     return getTargetShuffleNode(X86ISD::PSHUFLW, dl, VT, V1,
6645                                 getShufflePSHUFLWImmediate(SVOp),
6646                                 DAG);
6647
6648   if (isSHUFPMask(M, VT, HasAVX))
6649     return getTargetShuffleNode(X86ISD::SHUFP, dl, VT, V1, V2,
6650                                 getShuffleSHUFImmediate(SVOp), DAG);
6651
6652   if (isUNPCKL_v_undef_Mask(M, VT, HasAVX2))
6653     return getTargetShuffleNode(X86ISD::UNPCKL, dl, VT, V1, V1, DAG);
6654   if (isUNPCKH_v_undef_Mask(M, VT, HasAVX2))
6655     return getTargetShuffleNode(X86ISD::UNPCKH, dl, VT, V1, V1, DAG);
6656
6657   //===--------------------------------------------------------------------===//
6658   // Generate target specific nodes for 128 or 256-bit shuffles only
6659   // supported in the AVX instruction set.
6660   //
6661
6662   // Handle VMOVDDUPY permutations
6663   if (V2IsUndef && isMOVDDUPYMask(M, VT, HasAVX))
6664     return getTargetShuffleNode(X86ISD::MOVDDUP, dl, VT, V1, DAG);
6665
6666   // Handle VPERMILPS/D* permutations
6667   if (isVPERMILPMask(M, VT, HasAVX)) {
6668     if (HasAVX2 && VT == MVT::v8i32)
6669       return getTargetShuffleNode(X86ISD::PSHUFD, dl, VT, V1,
6670                                   getShuffleSHUFImmediate(SVOp), DAG);
6671     return getTargetShuffleNode(X86ISD::VPERMILP, dl, VT, V1,
6672                                 getShuffleSHUFImmediate(SVOp), DAG);
6673   }
6674
6675   // Handle VPERM2F128/VPERM2I128 permutations
6676   if (isVPERM2X128Mask(M, VT, HasAVX))
6677     return getTargetShuffleNode(X86ISD::VPERM2X128, dl, VT, V1,
6678                                 V2, getShuffleVPERM2X128Immediate(SVOp), DAG);
6679
6680   SDValue BlendOp = LowerVECTOR_SHUFFLEtoBlend(SVOp, Subtarget, DAG);
6681   if (BlendOp.getNode())
6682     return BlendOp;
6683
6684   if (V2IsUndef && HasAVX2 && (VT == MVT::v8i32 || VT == MVT::v8f32)) {
6685     SmallVector<SDValue, 8> permclMask;
6686     for (unsigned i = 0; i != 8; ++i) {
6687       permclMask.push_back(DAG.getConstant((M[i]>=0) ? M[i] : 0, MVT::i32));
6688     }
6689     SDValue Mask = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v8i32,
6690                                &permclMask[0], 8);
6691     // Bitcast is for VPERMPS since mask is v8i32 but node takes v8f32
6692     return DAG.getNode(X86ISD::VPERMV, dl, VT,
6693                        DAG.getNode(ISD::BITCAST, dl, VT, Mask), V1);
6694   }
6695
6696   if (V2IsUndef && HasAVX2 && (VT == MVT::v4i64 || VT == MVT::v4f64))
6697     return getTargetShuffleNode(X86ISD::VPERMI, dl, VT, V1,
6698                                 getShuffleCLImmediate(SVOp), DAG);
6699
6700
6701   //===--------------------------------------------------------------------===//
6702   // Since no target specific shuffle was selected for this generic one,
6703   // lower it into other known shuffles. FIXME: this isn't true yet, but
6704   // this is the plan.
6705   //
6706
6707   // Handle v8i16 specifically since SSE can do byte extraction and insertion.
6708   if (VT == MVT::v8i16) {
6709     SDValue NewOp = LowerVECTOR_SHUFFLEv8i16(Op, DAG);
6710     if (NewOp.getNode())
6711       return NewOp;
6712   }
6713
6714   if (VT == MVT::v16i8) {
6715     SDValue NewOp = LowerVECTOR_SHUFFLEv16i8(SVOp, DAG, *this);
6716     if (NewOp.getNode())
6717       return NewOp;
6718   }
6719
6720   // Handle all 128-bit wide vectors with 4 elements, and match them with
6721   // several different shuffle types.
6722   if (NumElems == 4 && VT.getSizeInBits() == 128)
6723     return LowerVECTOR_SHUFFLE_128v4(SVOp, DAG);
6724
6725   // Handle general 256-bit shuffles
6726   if (VT.is256BitVector())
6727     return LowerVECTOR_SHUFFLE_256(SVOp, DAG);
6728
6729   return SDValue();
6730 }
6731
6732 SDValue
6733 X86TargetLowering::LowerEXTRACT_VECTOR_ELT_SSE4(SDValue Op,
6734                                                 SelectionDAG &DAG) const {
6735   EVT VT = Op.getValueType();
6736   DebugLoc dl = Op.getDebugLoc();
6737
6738   if (Op.getOperand(0).getValueType().getSizeInBits() != 128)
6739     return SDValue();
6740
6741   if (VT.getSizeInBits() == 8) {
6742     SDValue Extract = DAG.getNode(X86ISD::PEXTRB, dl, MVT::i32,
6743                                     Op.getOperand(0), Op.getOperand(1));
6744     SDValue Assert  = DAG.getNode(ISD::AssertZext, dl, MVT::i32, Extract,
6745                                     DAG.getValueType(VT));
6746     return DAG.getNode(ISD::TRUNCATE, dl, VT, Assert);
6747   }
6748
6749   if (VT.getSizeInBits() == 16) {
6750     unsigned Idx = cast<ConstantSDNode>(Op.getOperand(1))->getZExtValue();
6751     // If Idx is 0, it's cheaper to do a move instead of a pextrw.
6752     if (Idx == 0)
6753       return DAG.getNode(ISD::TRUNCATE, dl, MVT::i16,
6754                          DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::i32,
6755                                      DAG.getNode(ISD::BITCAST, dl,
6756                                                  MVT::v4i32,
6757                                                  Op.getOperand(0)),
6758                                      Op.getOperand(1)));
6759     SDValue Extract = DAG.getNode(X86ISD::PEXTRW, dl, MVT::i32,
6760                                     Op.getOperand(0), Op.getOperand(1));
6761     SDValue Assert  = DAG.getNode(ISD::AssertZext, dl, MVT::i32, Extract,
6762                                     DAG.getValueType(VT));
6763     return DAG.getNode(ISD::TRUNCATE, dl, VT, Assert);
6764   }
6765
6766   if (VT == MVT::f32) {
6767     // EXTRACTPS outputs to a GPR32 register which will require a movd to copy
6768     // the result back to FR32 register. It's only worth matching if the
6769     // result has a single use which is a store or a bitcast to i32.  And in
6770     // the case of a store, it's not worth it if the index is a constant 0,
6771     // because a MOVSSmr can be used instead, which is smaller and faster.
6772     if (!Op.hasOneUse())
6773       return SDValue();
6774     SDNode *User = *Op.getNode()->use_begin();
6775     if ((User->getOpcode() != ISD::STORE ||
6776          (isa<ConstantSDNode>(Op.getOperand(1)) &&
6777           cast<ConstantSDNode>(Op.getOperand(1))->isNullValue())) &&
6778         (User->getOpcode() != ISD::BITCAST ||
6779          User->getValueType(0) != MVT::i32))
6780       return SDValue();
6781     SDValue Extract = DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::i32,
6782                                   DAG.getNode(ISD::BITCAST, dl, MVT::v4i32,
6783                                               Op.getOperand(0)),
6784                                               Op.getOperand(1));
6785     return DAG.getNode(ISD::BITCAST, dl, MVT::f32, Extract);
6786   }
6787
6788   if (VT == MVT::i32 || VT == MVT::i64) {
6789     // ExtractPS/pextrq works with constant index.
6790     if (isa<ConstantSDNode>(Op.getOperand(1)))
6791       return Op;
6792   }
6793   return SDValue();
6794 }
6795
6796
6797 SDValue
6798 X86TargetLowering::LowerEXTRACT_VECTOR_ELT(SDValue Op,
6799                                            SelectionDAG &DAG) const {
6800   if (!isa<ConstantSDNode>(Op.getOperand(1)))
6801     return SDValue();
6802
6803   SDValue Vec = Op.getOperand(0);
6804   EVT VecVT = Vec.getValueType();
6805
6806   // If this is a 256-bit vector result, first extract the 128-bit vector and
6807   // then extract the element from the 128-bit vector.
6808   if (VecVT.getSizeInBits() == 256) {
6809     DebugLoc dl = Op.getNode()->getDebugLoc();
6810     unsigned NumElems = VecVT.getVectorNumElements();
6811     SDValue Idx = Op.getOperand(1);
6812     unsigned IdxVal = cast<ConstantSDNode>(Idx)->getZExtValue();
6813
6814     // Get the 128-bit vector.
6815     Vec = Extract128BitVector(Vec, IdxVal, DAG, dl);
6816
6817     if (IdxVal >= NumElems/2)
6818       IdxVal -= NumElems/2;
6819     return DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, Op.getValueType(), Vec,
6820                        DAG.getConstant(IdxVal, MVT::i32));
6821   }
6822
6823   assert(Vec.getValueSizeInBits() <= 128 && "Unexpected vector length");
6824
6825   if (Subtarget->hasSSE41()) {
6826     SDValue Res = LowerEXTRACT_VECTOR_ELT_SSE4(Op, DAG);
6827     if (Res.getNode())
6828       return Res;
6829   }
6830
6831   EVT VT = Op.getValueType();
6832   DebugLoc dl = Op.getDebugLoc();
6833   // TODO: handle v16i8.
6834   if (VT.getSizeInBits() == 16) {
6835     SDValue Vec = Op.getOperand(0);
6836     unsigned Idx = cast<ConstantSDNode>(Op.getOperand(1))->getZExtValue();
6837     if (Idx == 0)
6838       return DAG.getNode(ISD::TRUNCATE, dl, MVT::i16,
6839                          DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::i32,
6840                                      DAG.getNode(ISD::BITCAST, dl,
6841                                                  MVT::v4i32, Vec),
6842                                      Op.getOperand(1)));
6843     // Transform it so it match pextrw which produces a 32-bit result.
6844     EVT EltVT = MVT::i32;
6845     SDValue Extract = DAG.getNode(X86ISD::PEXTRW, dl, EltVT,
6846                                     Op.getOperand(0), Op.getOperand(1));
6847     SDValue Assert  = DAG.getNode(ISD::AssertZext, dl, EltVT, Extract,
6848                                     DAG.getValueType(VT));
6849     return DAG.getNode(ISD::TRUNCATE, dl, VT, Assert);
6850   }
6851
6852   if (VT.getSizeInBits() == 32) {
6853     unsigned Idx = cast<ConstantSDNode>(Op.getOperand(1))->getZExtValue();
6854     if (Idx == 0)
6855       return Op;
6856
6857     // SHUFPS the element to the lowest double word, then movss.
6858     int Mask[4] = { static_cast<int>(Idx), -1, -1, -1 };
6859     EVT VVT = Op.getOperand(0).getValueType();
6860     SDValue Vec = DAG.getVectorShuffle(VVT, dl, Op.getOperand(0),
6861                                        DAG.getUNDEF(VVT), Mask);
6862     return DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, VT, Vec,
6863                        DAG.getIntPtrConstant(0));
6864   }
6865
6866   if (VT.getSizeInBits() == 64) {
6867     // FIXME: .td only matches this for <2 x f64>, not <2 x i64> on 32b
6868     // FIXME: seems like this should be unnecessary if mov{h,l}pd were taught
6869     //        to match extract_elt for f64.
6870     unsigned Idx = cast<ConstantSDNode>(Op.getOperand(1))->getZExtValue();
6871     if (Idx == 0)
6872       return Op;
6873
6874     // UNPCKHPD the element to the lowest double word, then movsd.
6875     // Note if the lower 64 bits of the result of the UNPCKHPD is then stored
6876     // to a f64mem, the whole operation is folded into a single MOVHPDmr.
6877     int Mask[2] = { 1, -1 };
6878     EVT VVT = Op.getOperand(0).getValueType();
6879     SDValue Vec = DAG.getVectorShuffle(VVT, dl, Op.getOperand(0),
6880                                        DAG.getUNDEF(VVT), Mask);
6881     return DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, VT, Vec,
6882                        DAG.getIntPtrConstant(0));
6883   }
6884
6885   return SDValue();
6886 }
6887
6888 SDValue
6889 X86TargetLowering::LowerINSERT_VECTOR_ELT_SSE4(SDValue Op,
6890                                                SelectionDAG &DAG) const {
6891   EVT VT = Op.getValueType();
6892   EVT EltVT = VT.getVectorElementType();
6893   DebugLoc dl = Op.getDebugLoc();
6894
6895   SDValue N0 = Op.getOperand(0);
6896   SDValue N1 = Op.getOperand(1);
6897   SDValue N2 = Op.getOperand(2);
6898
6899   if (VT.getSizeInBits() == 256)
6900     return SDValue();
6901
6902   if ((EltVT.getSizeInBits() == 8 || EltVT.getSizeInBits() == 16) &&
6903       isa<ConstantSDNode>(N2)) {
6904     unsigned Opc;
6905     if (VT == MVT::v8i16)
6906       Opc = X86ISD::PINSRW;
6907     else if (VT == MVT::v16i8)
6908       Opc = X86ISD::PINSRB;
6909     else
6910       Opc = X86ISD::PINSRB;
6911
6912     // Transform it so it match pinsr{b,w} which expects a GR32 as its second
6913     // argument.
6914     if (N1.getValueType() != MVT::i32)
6915       N1 = DAG.getNode(ISD::ANY_EXTEND, dl, MVT::i32, N1);
6916     if (N2.getValueType() != MVT::i32)
6917       N2 = DAG.getIntPtrConstant(cast<ConstantSDNode>(N2)->getZExtValue());
6918     return DAG.getNode(Opc, dl, VT, N0, N1, N2);
6919   }
6920
6921   if (EltVT == MVT::f32 && isa<ConstantSDNode>(N2)) {
6922     // Bits [7:6] of the constant are the source select.  This will always be
6923     //  zero here.  The DAG Combiner may combine an extract_elt index into these
6924     //  bits.  For example (insert (extract, 3), 2) could be matched by putting
6925     //  the '3' into bits [7:6] of X86ISD::INSERTPS.
6926     // Bits [5:4] of the constant are the destination select.  This is the
6927     //  value of the incoming immediate.
6928     // Bits [3:0] of the constant are the zero mask.  The DAG Combiner may
6929     //   combine either bitwise AND or insert of float 0.0 to set these bits.
6930     N2 = DAG.getIntPtrConstant(cast<ConstantSDNode>(N2)->getZExtValue() << 4);
6931     // Create this as a scalar to vector..
6932     N1 = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, MVT::v4f32, N1);
6933     return DAG.getNode(X86ISD::INSERTPS, dl, VT, N0, N1, N2);
6934   }
6935
6936   if ((EltVT == MVT::i32 || EltVT == MVT::i64) && isa<ConstantSDNode>(N2)) {
6937     // PINSR* works with constant index.
6938     return Op;
6939   }
6940   return SDValue();
6941 }
6942
6943 SDValue
6944 X86TargetLowering::LowerINSERT_VECTOR_ELT(SDValue Op, SelectionDAG &DAG) const {
6945   EVT VT = Op.getValueType();
6946   EVT EltVT = VT.getVectorElementType();
6947
6948   DebugLoc dl = Op.getDebugLoc();
6949   SDValue N0 = Op.getOperand(0);
6950   SDValue N1 = Op.getOperand(1);
6951   SDValue N2 = Op.getOperand(2);
6952
6953   // If this is a 256-bit vector result, first extract the 128-bit vector,
6954   // insert the element into the extracted half and then place it back.
6955   if (VT.getSizeInBits() == 256) {
6956     if (!isa<ConstantSDNode>(N2))
6957       return SDValue();
6958
6959     // Get the desired 128-bit vector half.
6960     unsigned NumElems = VT.getVectorNumElements();
6961     unsigned IdxVal = cast<ConstantSDNode>(N2)->getZExtValue();
6962     SDValue V = Extract128BitVector(N0, IdxVal, DAG, dl);
6963
6964     // Insert the element into the desired half.
6965     bool Upper = IdxVal >= NumElems/2;
6966     V = DAG.getNode(ISD::INSERT_VECTOR_ELT, dl, V.getValueType(), V, N1,
6967                  DAG.getConstant(Upper ? IdxVal-NumElems/2 : IdxVal, MVT::i32));
6968
6969     // Insert the changed part back to the 256-bit vector
6970     return Insert128BitVector(N0, V, IdxVal, DAG, dl);
6971   }
6972
6973   if (Subtarget->hasSSE41())
6974     return LowerINSERT_VECTOR_ELT_SSE4(Op, DAG);
6975
6976   if (EltVT == MVT::i8)
6977     return SDValue();
6978
6979   if (EltVT.getSizeInBits() == 16 && isa<ConstantSDNode>(N2)) {
6980     // Transform it so it match pinsrw which expects a 16-bit value in a GR32
6981     // as its second argument.
6982     if (N1.getValueType() != MVT::i32)
6983       N1 = DAG.getNode(ISD::ANY_EXTEND, dl, MVT::i32, N1);
6984     if (N2.getValueType() != MVT::i32)
6985       N2 = DAG.getIntPtrConstant(cast<ConstantSDNode>(N2)->getZExtValue());
6986     return DAG.getNode(X86ISD::PINSRW, dl, VT, N0, N1, N2);
6987   }
6988   return SDValue();
6989 }
6990
6991 SDValue
6992 X86TargetLowering::LowerSCALAR_TO_VECTOR(SDValue Op, SelectionDAG &DAG) const {
6993   LLVMContext *Context = DAG.getContext();
6994   DebugLoc dl = Op.getDebugLoc();
6995   EVT OpVT = Op.getValueType();
6996
6997   // If this is a 256-bit vector result, first insert into a 128-bit
6998   // vector and then insert into the 256-bit vector.
6999   if (OpVT.getSizeInBits() > 128) {
7000     // Insert into a 128-bit vector.
7001     EVT VT128 = EVT::getVectorVT(*Context,
7002                                  OpVT.getVectorElementType(),
7003                                  OpVT.getVectorNumElements() / 2);
7004
7005     Op = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, VT128, Op.getOperand(0));
7006
7007     // Insert the 128-bit vector.
7008     return Insert128BitVector(DAG.getUNDEF(OpVT), Op, 0, DAG, dl);
7009   }
7010
7011   if (OpVT == MVT::v1i64 &&
7012       Op.getOperand(0).getValueType() == MVT::i64)
7013     return DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, MVT::v1i64, Op.getOperand(0));
7014
7015   SDValue AnyExt = DAG.getNode(ISD::ANY_EXTEND, dl, MVT::i32, Op.getOperand(0));
7016   assert(OpVT.getSizeInBits() == 128 && "Expected an SSE type!");
7017   return DAG.getNode(ISD::BITCAST, dl, OpVT,
7018                      DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, MVT::v4i32,AnyExt));
7019 }
7020
7021 // Lower a node with an EXTRACT_SUBVECTOR opcode.  This may result in
7022 // a simple subregister reference or explicit instructions to grab
7023 // upper bits of a vector.
7024 SDValue
7025 X86TargetLowering::LowerEXTRACT_SUBVECTOR(SDValue Op, SelectionDAG &DAG) const {
7026   if (Subtarget->hasAVX()) {
7027     DebugLoc dl = Op.getNode()->getDebugLoc();
7028     SDValue Vec = Op.getNode()->getOperand(0);
7029     SDValue Idx = Op.getNode()->getOperand(1);
7030
7031     if (Op.getNode()->getValueType(0).getSizeInBits() == 128 &&
7032         Vec.getNode()->getValueType(0).getSizeInBits() == 256 &&
7033         isa<ConstantSDNode>(Idx)) {
7034       unsigned IdxVal = cast<ConstantSDNode>(Idx)->getZExtValue();
7035       return Extract128BitVector(Vec, IdxVal, DAG, dl);
7036     }
7037   }
7038   return SDValue();
7039 }
7040
7041 // Lower a node with an INSERT_SUBVECTOR opcode.  This may result in a
7042 // simple superregister reference or explicit instructions to insert
7043 // the upper bits of a vector.
7044 SDValue
7045 X86TargetLowering::LowerINSERT_SUBVECTOR(SDValue Op, SelectionDAG &DAG) const {
7046   if (Subtarget->hasAVX()) {
7047     DebugLoc dl = Op.getNode()->getDebugLoc();
7048     SDValue Vec = Op.getNode()->getOperand(0);
7049     SDValue SubVec = Op.getNode()->getOperand(1);
7050     SDValue Idx = Op.getNode()->getOperand(2);
7051
7052     if (Op.getNode()->getValueType(0).getSizeInBits() == 256 &&
7053         SubVec.getNode()->getValueType(0).getSizeInBits() == 128 &&
7054         isa<ConstantSDNode>(Idx)) {
7055       unsigned IdxVal = cast<ConstantSDNode>(Idx)->getZExtValue();
7056       return Insert128BitVector(Vec, SubVec, IdxVal, DAG, dl);
7057     }
7058   }
7059   return SDValue();
7060 }
7061
7062 // ConstantPool, JumpTable, GlobalAddress, and ExternalSymbol are lowered as
7063 // their target countpart wrapped in the X86ISD::Wrapper node. Suppose N is
7064 // one of the above mentioned nodes. It has to be wrapped because otherwise
7065 // Select(N) returns N. So the raw TargetGlobalAddress nodes, etc. can only
7066 // be used to form addressing mode. These wrapped nodes will be selected
7067 // into MOV32ri.
7068 SDValue
7069 X86TargetLowering::LowerConstantPool(SDValue Op, SelectionDAG &DAG) const {
7070   ConstantPoolSDNode *CP = cast<ConstantPoolSDNode>(Op);
7071
7072   // In PIC mode (unless we're in RIPRel PIC mode) we add an offset to the
7073   // global base reg.
7074   unsigned char OpFlag = 0;
7075   unsigned WrapperKind = X86ISD::Wrapper;
7076   CodeModel::Model M = getTargetMachine().getCodeModel();
7077
7078   if (Subtarget->isPICStyleRIPRel() &&
7079       (M == CodeModel::Small || M == CodeModel::Kernel))
7080     WrapperKind = X86ISD::WrapperRIP;
7081   else if (Subtarget->isPICStyleGOT())
7082     OpFlag = X86II::MO_GOTOFF;
7083   else if (Subtarget->isPICStyleStubPIC())
7084     OpFlag = X86II::MO_PIC_BASE_OFFSET;
7085
7086   SDValue Result = DAG.getTargetConstantPool(CP->getConstVal(), getPointerTy(),
7087                                              CP->getAlignment(),
7088                                              CP->getOffset(), OpFlag);
7089   DebugLoc DL = CP->getDebugLoc();
7090   Result = DAG.getNode(WrapperKind, DL, getPointerTy(), Result);
7091   // With PIC, the address is actually $g + Offset.
7092   if (OpFlag) {
7093     Result = DAG.getNode(ISD::ADD, DL, getPointerTy(),
7094                          DAG.getNode(X86ISD::GlobalBaseReg,
7095                                      DebugLoc(), getPointerTy()),
7096                          Result);
7097   }
7098
7099   return Result;
7100 }
7101
7102 SDValue X86TargetLowering::LowerJumpTable(SDValue Op, SelectionDAG &DAG) const {
7103   JumpTableSDNode *JT = cast<JumpTableSDNode>(Op);
7104
7105   // In PIC mode (unless we're in RIPRel PIC mode) we add an offset to the
7106   // global base reg.
7107   unsigned char OpFlag = 0;
7108   unsigned WrapperKind = X86ISD::Wrapper;
7109   CodeModel::Model M = getTargetMachine().getCodeModel();
7110
7111   if (Subtarget->isPICStyleRIPRel() &&
7112       (M == CodeModel::Small || M == CodeModel::Kernel))
7113     WrapperKind = X86ISD::WrapperRIP;
7114   else if (Subtarget->isPICStyleGOT())
7115     OpFlag = X86II::MO_GOTOFF;
7116   else if (Subtarget->isPICStyleStubPIC())
7117     OpFlag = X86II::MO_PIC_BASE_OFFSET;
7118
7119   SDValue Result = DAG.getTargetJumpTable(JT->getIndex(), getPointerTy(),
7120                                           OpFlag);
7121   DebugLoc DL = JT->getDebugLoc();
7122   Result = DAG.getNode(WrapperKind, DL, getPointerTy(), Result);
7123
7124   // With PIC, the address is actually $g + Offset.
7125   if (OpFlag)
7126     Result = DAG.getNode(ISD::ADD, DL, getPointerTy(),
7127                          DAG.getNode(X86ISD::GlobalBaseReg,
7128                                      DebugLoc(), getPointerTy()),
7129                          Result);
7130
7131   return Result;
7132 }
7133
7134 SDValue
7135 X86TargetLowering::LowerExternalSymbol(SDValue Op, SelectionDAG &DAG) const {
7136   const char *Sym = cast<ExternalSymbolSDNode>(Op)->getSymbol();
7137
7138   // In PIC mode (unless we're in RIPRel PIC mode) we add an offset to the
7139   // global base reg.
7140   unsigned char OpFlag = 0;
7141   unsigned WrapperKind = X86ISD::Wrapper;
7142   CodeModel::Model M = getTargetMachine().getCodeModel();
7143
7144   if (Subtarget->isPICStyleRIPRel() &&
7145       (M == CodeModel::Small || M == CodeModel::Kernel)) {
7146     if (Subtarget->isTargetDarwin() || Subtarget->isTargetELF())
7147       OpFlag = X86II::MO_GOTPCREL;
7148     WrapperKind = X86ISD::WrapperRIP;
7149   } else if (Subtarget->isPICStyleGOT()) {
7150     OpFlag = X86II::MO_GOT;
7151   } else if (Subtarget->isPICStyleStubPIC()) {
7152     OpFlag = X86II::MO_DARWIN_NONLAZY_PIC_BASE;
7153   } else if (Subtarget->isPICStyleStubNoDynamic()) {
7154     OpFlag = X86II::MO_DARWIN_NONLAZY;
7155   }
7156
7157   SDValue Result = DAG.getTargetExternalSymbol(Sym, getPointerTy(), OpFlag);
7158
7159   DebugLoc DL = Op.getDebugLoc();
7160   Result = DAG.getNode(WrapperKind, DL, getPointerTy(), Result);
7161
7162
7163   // With PIC, the address is actually $g + Offset.
7164   if (getTargetMachine().getRelocationModel() == Reloc::PIC_ &&
7165       !Subtarget->is64Bit()) {
7166     Result = DAG.getNode(ISD::ADD, DL, getPointerTy(),
7167                          DAG.getNode(X86ISD::GlobalBaseReg,
7168                                      DebugLoc(), getPointerTy()),
7169                          Result);
7170   }
7171
7172   // For symbols that require a load from a stub to get the address, emit the
7173   // load.
7174   if (isGlobalStubReference(OpFlag))
7175     Result = DAG.getLoad(getPointerTy(), DL, DAG.getEntryNode(), Result,
7176                          MachinePointerInfo::getGOT(), false, false, false, 0);
7177
7178   return Result;
7179 }
7180
7181 SDValue
7182 X86TargetLowering::LowerBlockAddress(SDValue Op, SelectionDAG &DAG) const {
7183   // Create the TargetBlockAddressAddress node.
7184   unsigned char OpFlags =
7185     Subtarget->ClassifyBlockAddressReference();
7186   CodeModel::Model M = getTargetMachine().getCodeModel();
7187   const BlockAddress *BA = cast<BlockAddressSDNode>(Op)->getBlockAddress();
7188   DebugLoc dl = Op.getDebugLoc();
7189   SDValue Result = DAG.getBlockAddress(BA, getPointerTy(),
7190                                        /*isTarget=*/true, OpFlags);
7191
7192   if (Subtarget->isPICStyleRIPRel() &&
7193       (M == CodeModel::Small || M == CodeModel::Kernel))
7194     Result = DAG.getNode(X86ISD::WrapperRIP, dl, getPointerTy(), Result);
7195   else
7196     Result = DAG.getNode(X86ISD::Wrapper, dl, getPointerTy(), Result);
7197
7198   // With PIC, the address is actually $g + Offset.
7199   if (isGlobalRelativeToPICBase(OpFlags)) {
7200     Result = DAG.getNode(ISD::ADD, dl, getPointerTy(),
7201                          DAG.getNode(X86ISD::GlobalBaseReg, dl, getPointerTy()),
7202                          Result);
7203   }
7204
7205   return Result;
7206 }
7207
7208 SDValue
7209 X86TargetLowering::LowerGlobalAddress(const GlobalValue *GV, DebugLoc dl,
7210                                       int64_t Offset,
7211                                       SelectionDAG &DAG) const {
7212   // Create the TargetGlobalAddress node, folding in the constant
7213   // offset if it is legal.
7214   unsigned char OpFlags =
7215     Subtarget->ClassifyGlobalReference(GV, getTargetMachine());
7216   CodeModel::Model M = getTargetMachine().getCodeModel();
7217   SDValue Result;
7218   if (OpFlags == X86II::MO_NO_FLAG &&
7219       X86::isOffsetSuitableForCodeModel(Offset, M)) {
7220     // A direct static reference to a global.
7221     Result = DAG.getTargetGlobalAddress(GV, dl, getPointerTy(), Offset);
7222     Offset = 0;
7223   } else {
7224     Result = DAG.getTargetGlobalAddress(GV, dl, getPointerTy(), 0, OpFlags);
7225   }
7226
7227   if (Subtarget->isPICStyleRIPRel() &&
7228       (M == CodeModel::Small || M == CodeModel::Kernel))
7229     Result = DAG.getNode(X86ISD::WrapperRIP, dl, getPointerTy(), Result);
7230   else
7231     Result = DAG.getNode(X86ISD::Wrapper, dl, getPointerTy(), Result);
7232
7233   // With PIC, the address is actually $g + Offset.
7234   if (isGlobalRelativeToPICBase(OpFlags)) {
7235     Result = DAG.getNode(ISD::ADD, dl, getPointerTy(),
7236                          DAG.getNode(X86ISD::GlobalBaseReg, dl, getPointerTy()),
7237                          Result);
7238   }
7239
7240   // For globals that require a load from a stub to get the address, emit the
7241   // load.
7242   if (isGlobalStubReference(OpFlags))
7243     Result = DAG.getLoad(getPointerTy(), dl, DAG.getEntryNode(), Result,
7244                          MachinePointerInfo::getGOT(), false, false, false, 0);
7245
7246   // If there was a non-zero offset that we didn't fold, create an explicit
7247   // addition for it.
7248   if (Offset != 0)
7249     Result = DAG.getNode(ISD::ADD, dl, getPointerTy(), Result,
7250                          DAG.getConstant(Offset, getPointerTy()));
7251
7252   return Result;
7253 }
7254
7255 SDValue
7256 X86TargetLowering::LowerGlobalAddress(SDValue Op, SelectionDAG &DAG) const {
7257   const GlobalValue *GV = cast<GlobalAddressSDNode>(Op)->getGlobal();
7258   int64_t Offset = cast<GlobalAddressSDNode>(Op)->getOffset();
7259   return LowerGlobalAddress(GV, Op.getDebugLoc(), Offset, DAG);
7260 }
7261
7262 static SDValue
7263 GetTLSADDR(SelectionDAG &DAG, SDValue Chain, GlobalAddressSDNode *GA,
7264            SDValue *InFlag, const EVT PtrVT, unsigned ReturnReg,
7265            unsigned char OperandFlags, bool LocalDynamic = false) {
7266   MachineFrameInfo *MFI = DAG.getMachineFunction().getFrameInfo();
7267   SDVTList NodeTys = DAG.getVTList(MVT::Other, MVT::Glue);
7268   DebugLoc dl = GA->getDebugLoc();
7269   SDValue TGA = DAG.getTargetGlobalAddress(GA->getGlobal(), dl,
7270                                            GA->getValueType(0),
7271                                            GA->getOffset(),
7272                                            OperandFlags);
7273
7274   X86ISD::NodeType CallType = LocalDynamic ? X86ISD::TLSBASEADDR
7275                                            : X86ISD::TLSADDR;
7276
7277   if (InFlag) {
7278     SDValue Ops[] = { Chain,  TGA, *InFlag };
7279     Chain = DAG.getNode(CallType, dl, NodeTys, Ops, 3);
7280   } else {
7281     SDValue Ops[]  = { Chain, TGA };
7282     Chain = DAG.getNode(CallType, dl, NodeTys, Ops, 2);
7283   }
7284
7285   // TLSADDR will be codegen'ed as call. Inform MFI that function has calls.
7286   MFI->setAdjustsStack(true);
7287
7288   SDValue Flag = Chain.getValue(1);
7289   return DAG.getCopyFromReg(Chain, dl, ReturnReg, PtrVT, Flag);
7290 }
7291
7292 // Lower ISD::GlobalTLSAddress using the "general dynamic" model, 32 bit
7293 static SDValue
7294 LowerToTLSGeneralDynamicModel32(GlobalAddressSDNode *GA, SelectionDAG &DAG,
7295                                 const EVT PtrVT) {
7296   SDValue InFlag;
7297   DebugLoc dl = GA->getDebugLoc();  // ? function entry point might be better
7298   SDValue Chain = DAG.getCopyToReg(DAG.getEntryNode(), dl, X86::EBX,
7299                                      DAG.getNode(X86ISD::GlobalBaseReg,
7300                                                  DebugLoc(), PtrVT), InFlag);
7301   InFlag = Chain.getValue(1);
7302
7303   return GetTLSADDR(DAG, Chain, GA, &InFlag, PtrVT, X86::EAX, X86II::MO_TLSGD);
7304 }
7305
7306 // Lower ISD::GlobalTLSAddress using the "general dynamic" model, 64 bit
7307 static SDValue
7308 LowerToTLSGeneralDynamicModel64(GlobalAddressSDNode *GA, SelectionDAG &DAG,
7309                                 const EVT PtrVT) {
7310   return GetTLSADDR(DAG, DAG.getEntryNode(), GA, NULL, PtrVT,
7311                     X86::RAX, X86II::MO_TLSGD);
7312 }
7313
7314 static SDValue LowerToTLSLocalDynamicModel(GlobalAddressSDNode *GA,
7315                                            SelectionDAG &DAG,
7316                                            const EVT PtrVT,
7317                                            bool is64Bit) {
7318   DebugLoc dl = GA->getDebugLoc();
7319
7320   // Get the start address of the TLS block for this module.
7321   X86MachineFunctionInfo* MFI = DAG.getMachineFunction()
7322       .getInfo<X86MachineFunctionInfo>();
7323   MFI->incNumLocalDynamicTLSAccesses();
7324
7325   SDValue Base;
7326   if (is64Bit) {
7327     Base = GetTLSADDR(DAG, DAG.getEntryNode(), GA, NULL, PtrVT, X86::RAX,
7328                       X86II::MO_TLSLD, /*LocalDynamic=*/true);
7329   } else {
7330     SDValue InFlag;
7331     SDValue Chain = DAG.getCopyToReg(DAG.getEntryNode(), dl, X86::EBX,
7332         DAG.getNode(X86ISD::GlobalBaseReg, DebugLoc(), PtrVT), InFlag);
7333     InFlag = Chain.getValue(1);
7334     Base = GetTLSADDR(DAG, Chain, GA, &InFlag, PtrVT, X86::EAX,
7335                       X86II::MO_TLSLDM, /*LocalDynamic=*/true);
7336   }
7337
7338   // Note: the CleanupLocalDynamicTLSPass will remove redundant computations
7339   // of Base.
7340
7341   // Build x@dtpoff.
7342   unsigned char OperandFlags = X86II::MO_DTPOFF;
7343   unsigned WrapperKind = X86ISD::Wrapper;
7344   SDValue TGA = DAG.getTargetGlobalAddress(GA->getGlobal(), dl,
7345                                            GA->getValueType(0),
7346                                            GA->getOffset(), OperandFlags);
7347   SDValue Offset = DAG.getNode(WrapperKind, dl, PtrVT, TGA);
7348
7349   // Add x@dtpoff with the base.
7350   return DAG.getNode(ISD::ADD, dl, PtrVT, Offset, Base);
7351 }
7352
7353 // Lower ISD::GlobalTLSAddress using the "initial exec" or "local exec" model.
7354 static SDValue LowerToTLSExecModel(GlobalAddressSDNode *GA, SelectionDAG &DAG,
7355                                    const EVT PtrVT, TLSModel::Model model,
7356                                    bool is64Bit, bool isPIC) {
7357   DebugLoc dl = GA->getDebugLoc();
7358
7359   // Get the Thread Pointer, which is %gs:0 (32-bit) or %fs:0 (64-bit).
7360   Value *Ptr = Constant::getNullValue(Type::getInt8PtrTy(*DAG.getContext(),
7361                                                          is64Bit ? 257 : 256));
7362
7363   SDValue ThreadPointer = DAG.getLoad(PtrVT, dl, DAG.getEntryNode(),
7364                                       DAG.getIntPtrConstant(0),
7365                                       MachinePointerInfo(Ptr),
7366                                       false, false, false, 0);
7367
7368   unsigned char OperandFlags = 0;
7369   // Most TLS accesses are not RIP relative, even on x86-64.  One exception is
7370   // initialexec.
7371   unsigned WrapperKind = X86ISD::Wrapper;
7372   if (model == TLSModel::LocalExec) {
7373     OperandFlags = is64Bit ? X86II::MO_TPOFF : X86II::MO_NTPOFF;
7374   } else if (model == TLSModel::InitialExec) {
7375     if (is64Bit) {
7376       OperandFlags = X86II::MO_GOTTPOFF;
7377       WrapperKind = X86ISD::WrapperRIP;
7378     } else {
7379       OperandFlags = isPIC ? X86II::MO_GOTNTPOFF : X86II::MO_INDNTPOFF;
7380     }
7381   } else {
7382     llvm_unreachable("Unexpected model");
7383   }
7384
7385   // emit "addl x@ntpoff,%eax" (local exec)
7386   // or "addl x@indntpoff,%eax" (initial exec)
7387   // or "addl x@gotntpoff(%ebx) ,%eax" (initial exec, 32-bit pic)
7388   SDValue TGA = DAG.getTargetGlobalAddress(GA->getGlobal(), dl,
7389                                            GA->getValueType(0),
7390                                            GA->getOffset(), OperandFlags);
7391   SDValue Offset = DAG.getNode(WrapperKind, dl, PtrVT, TGA);
7392
7393   if (model == TLSModel::InitialExec) {
7394     if (isPIC && !is64Bit) {
7395       Offset = DAG.getNode(ISD::ADD, dl, PtrVT,
7396                           DAG.getNode(X86ISD::GlobalBaseReg, DebugLoc(), PtrVT),
7397                            Offset);
7398     } else {
7399       Offset = DAG.getLoad(PtrVT, dl, DAG.getEntryNode(), Offset,
7400                            MachinePointerInfo::getGOT(), false, false, false,
7401                            0);
7402     }
7403   }
7404
7405   // The address of the thread local variable is the add of the thread
7406   // pointer with the offset of the variable.
7407   return DAG.getNode(ISD::ADD, dl, PtrVT, ThreadPointer, Offset);
7408 }
7409
7410 SDValue
7411 X86TargetLowering::LowerGlobalTLSAddress(SDValue Op, SelectionDAG &DAG) const {
7412
7413   GlobalAddressSDNode *GA = cast<GlobalAddressSDNode>(Op);
7414   const GlobalValue *GV = GA->getGlobal();
7415
7416   if (Subtarget->isTargetELF()) {
7417     // If GV is an alias then use the aliasee for determining
7418     // thread-localness.
7419     if (const GlobalAlias *GA = dyn_cast<GlobalAlias>(GV))
7420       GV = GA->resolveAliasedGlobal(false);
7421
7422     TLSModel::Model model = getTargetMachine().getTLSModel(GV);
7423
7424     switch (model) {
7425       case TLSModel::GeneralDynamic:
7426         if (Subtarget->is64Bit())
7427           return LowerToTLSGeneralDynamicModel64(GA, DAG, getPointerTy());
7428         return LowerToTLSGeneralDynamicModel32(GA, DAG, getPointerTy());
7429       case TLSModel::LocalDynamic:
7430         return LowerToTLSLocalDynamicModel(GA, DAG, getPointerTy(),
7431                                            Subtarget->is64Bit());
7432       case TLSModel::InitialExec:
7433       case TLSModel::LocalExec:
7434         return LowerToTLSExecModel(GA, DAG, getPointerTy(), model,
7435                                    Subtarget->is64Bit(),
7436                          getTargetMachine().getRelocationModel() == Reloc::PIC_);
7437     }
7438     llvm_unreachable("Unknown TLS model.");
7439   }
7440
7441   if (Subtarget->isTargetDarwin()) {
7442     // Darwin only has one model of TLS.  Lower to that.
7443     unsigned char OpFlag = 0;
7444     unsigned WrapperKind = Subtarget->isPICStyleRIPRel() ?
7445                            X86ISD::WrapperRIP : X86ISD::Wrapper;
7446
7447     // In PIC mode (unless we're in RIPRel PIC mode) we add an offset to the
7448     // global base reg.
7449     bool PIC32 = (getTargetMachine().getRelocationModel() == Reloc::PIC_) &&
7450                   !Subtarget->is64Bit();
7451     if (PIC32)
7452       OpFlag = X86II::MO_TLVP_PIC_BASE;
7453     else
7454       OpFlag = X86II::MO_TLVP;
7455     DebugLoc DL = Op.getDebugLoc();
7456     SDValue Result = DAG.getTargetGlobalAddress(GA->getGlobal(), DL,
7457                                                 GA->getValueType(0),
7458                                                 GA->getOffset(), OpFlag);
7459     SDValue Offset = DAG.getNode(WrapperKind, DL, getPointerTy(), Result);
7460
7461     // With PIC32, the address is actually $g + Offset.
7462     if (PIC32)
7463       Offset = DAG.getNode(ISD::ADD, DL, getPointerTy(),
7464                            DAG.getNode(X86ISD::GlobalBaseReg,
7465                                        DebugLoc(), getPointerTy()),
7466                            Offset);
7467
7468     // Lowering the machine isd will make sure everything is in the right
7469     // location.
7470     SDValue Chain = DAG.getEntryNode();
7471     SDVTList NodeTys = DAG.getVTList(MVT::Other, MVT::Glue);
7472     SDValue Args[] = { Chain, Offset };
7473     Chain = DAG.getNode(X86ISD::TLSCALL, DL, NodeTys, Args, 2);
7474
7475     // TLSCALL will be codegen'ed as call. Inform MFI that function has calls.
7476     MachineFrameInfo *MFI = DAG.getMachineFunction().getFrameInfo();
7477     MFI->setAdjustsStack(true);
7478
7479     // And our return value (tls address) is in the standard call return value
7480     // location.
7481     unsigned Reg = Subtarget->is64Bit() ? X86::RAX : X86::EAX;
7482     return DAG.getCopyFromReg(Chain, DL, Reg, getPointerTy(),
7483                               Chain.getValue(1));
7484   }
7485
7486   if (Subtarget->isTargetWindows()) {
7487     // Just use the implicit TLS architecture
7488     // Need to generate someting similar to:
7489     //   mov     rdx, qword [gs:abs 58H]; Load pointer to ThreadLocalStorage
7490     //                                  ; from TEB
7491     //   mov     ecx, dword [rel _tls_index]: Load index (from C runtime)
7492     //   mov     rcx, qword [rdx+rcx*8]
7493     //   mov     eax, .tls$:tlsvar
7494     //   [rax+rcx] contains the address
7495     // Windows 64bit: gs:0x58
7496     // Windows 32bit: fs:__tls_array
7497
7498     // If GV is an alias then use the aliasee for determining
7499     // thread-localness.
7500     if (const GlobalAlias *GA = dyn_cast<GlobalAlias>(GV))
7501       GV = GA->resolveAliasedGlobal(false);
7502     DebugLoc dl = GA->getDebugLoc();
7503     SDValue Chain = DAG.getEntryNode();
7504
7505     // Get the Thread Pointer, which is %fs:__tls_array (32-bit) or
7506     // %gs:0x58 (64-bit).
7507     Value *Ptr = Constant::getNullValue(Subtarget->is64Bit()
7508                                         ? Type::getInt8PtrTy(*DAG.getContext(),
7509                                                              256)
7510                                         : Type::getInt32PtrTy(*DAG.getContext(),
7511                                                               257));
7512
7513     SDValue ThreadPointer = DAG.getLoad(getPointerTy(), dl, Chain,
7514                                         Subtarget->is64Bit()
7515                                         ? DAG.getIntPtrConstant(0x58)
7516                                         : DAG.getExternalSymbol("_tls_array",
7517                                                                 getPointerTy()),
7518                                         MachinePointerInfo(Ptr),
7519                                         false, false, false, 0);
7520
7521     // Load the _tls_index variable
7522     SDValue IDX = DAG.getExternalSymbol("_tls_index", getPointerTy());
7523     if (Subtarget->is64Bit())
7524       IDX = DAG.getExtLoad(ISD::ZEXTLOAD, dl, getPointerTy(), Chain,
7525                            IDX, MachinePointerInfo(), MVT::i32,
7526                            false, false, 0);
7527     else
7528       IDX = DAG.getLoad(getPointerTy(), dl, Chain, IDX, MachinePointerInfo(),
7529                         false, false, false, 0);
7530
7531     SDValue Scale = DAG.getConstant(Log2_64_Ceil(TD->getPointerSize()),
7532                                     getPointerTy());
7533     IDX = DAG.getNode(ISD::SHL, dl, getPointerTy(), IDX, Scale);
7534
7535     SDValue res = DAG.getNode(ISD::ADD, dl, getPointerTy(), ThreadPointer, IDX);
7536     res = DAG.getLoad(getPointerTy(), dl, Chain, res, MachinePointerInfo(),
7537                       false, false, false, 0);
7538
7539     // Get the offset of start of .tls section
7540     SDValue TGA = DAG.getTargetGlobalAddress(GA->getGlobal(), dl,
7541                                              GA->getValueType(0),
7542                                              GA->getOffset(), X86II::MO_SECREL);
7543     SDValue Offset = DAG.getNode(X86ISD::Wrapper, dl, getPointerTy(), TGA);
7544
7545     // The address of the thread local variable is the add of the thread
7546     // pointer with the offset of the variable.
7547     return DAG.getNode(ISD::ADD, dl, getPointerTy(), res, Offset);
7548   }
7549
7550   llvm_unreachable("TLS not implemented for this target.");
7551 }
7552
7553
7554 /// LowerShiftParts - Lower SRA_PARTS and friends, which return two i32 values
7555 /// and take a 2 x i32 value to shift plus a shift amount.
7556 SDValue X86TargetLowering::LowerShiftParts(SDValue Op, SelectionDAG &DAG) const{
7557   assert(Op.getNumOperands() == 3 && "Not a double-shift!");
7558   EVT VT = Op.getValueType();
7559   unsigned VTBits = VT.getSizeInBits();
7560   DebugLoc dl = Op.getDebugLoc();
7561   bool isSRA = Op.getOpcode() == ISD::SRA_PARTS;
7562   SDValue ShOpLo = Op.getOperand(0);
7563   SDValue ShOpHi = Op.getOperand(1);
7564   SDValue ShAmt  = Op.getOperand(2);
7565   SDValue Tmp1 = isSRA ? DAG.getNode(ISD::SRA, dl, VT, ShOpHi,
7566                                      DAG.getConstant(VTBits - 1, MVT::i8))
7567                        : DAG.getConstant(0, VT);
7568
7569   SDValue Tmp2, Tmp3;
7570   if (Op.getOpcode() == ISD::SHL_PARTS) {
7571     Tmp2 = DAG.getNode(X86ISD::SHLD, dl, VT, ShOpHi, ShOpLo, ShAmt);
7572     Tmp3 = DAG.getNode(ISD::SHL, dl, VT, ShOpLo, ShAmt);
7573   } else {
7574     Tmp2 = DAG.getNode(X86ISD::SHRD, dl, VT, ShOpLo, ShOpHi, ShAmt);
7575     Tmp3 = DAG.getNode(isSRA ? ISD::SRA : ISD::SRL, dl, VT, ShOpHi, ShAmt);
7576   }
7577
7578   SDValue AndNode = DAG.getNode(ISD::AND, dl, MVT::i8, ShAmt,
7579                                 DAG.getConstant(VTBits, MVT::i8));
7580   SDValue Cond = DAG.getNode(X86ISD::CMP, dl, MVT::i32,
7581                              AndNode, DAG.getConstant(0, MVT::i8));
7582
7583   SDValue Hi, Lo;
7584   SDValue CC = DAG.getConstant(X86::COND_NE, MVT::i8);
7585   SDValue Ops0[4] = { Tmp2, Tmp3, CC, Cond };
7586   SDValue Ops1[4] = { Tmp3, Tmp1, CC, Cond };
7587
7588   if (Op.getOpcode() == ISD::SHL_PARTS) {
7589     Hi = DAG.getNode(X86ISD::CMOV, dl, VT, Ops0, 4);
7590     Lo = DAG.getNode(X86ISD::CMOV, dl, VT, Ops1, 4);
7591   } else {
7592     Lo = DAG.getNode(X86ISD::CMOV, dl, VT, Ops0, 4);
7593     Hi = DAG.getNode(X86ISD::CMOV, dl, VT, Ops1, 4);
7594   }
7595
7596   SDValue Ops[2] = { Lo, Hi };
7597   return DAG.getMergeValues(Ops, 2, dl);
7598 }
7599
7600 SDValue X86TargetLowering::LowerSINT_TO_FP(SDValue Op,
7601                                            SelectionDAG &DAG) const {
7602   EVT SrcVT = Op.getOperand(0).getValueType();
7603
7604   if (SrcVT.isVector())
7605     return SDValue();
7606
7607   assert(SrcVT.getSimpleVT() <= MVT::i64 && SrcVT.getSimpleVT() >= MVT::i16 &&
7608          "Unknown SINT_TO_FP to lower!");
7609
7610   // These are really Legal; return the operand so the caller accepts it as
7611   // Legal.
7612   if (SrcVT == MVT::i32 && isScalarFPTypeInSSEReg(Op.getValueType()))
7613     return Op;
7614   if (SrcVT == MVT::i64 && isScalarFPTypeInSSEReg(Op.getValueType()) &&
7615       Subtarget->is64Bit()) {
7616     return Op;
7617   }
7618
7619   DebugLoc dl = Op.getDebugLoc();
7620   unsigned Size = SrcVT.getSizeInBits()/8;
7621   MachineFunction &MF = DAG.getMachineFunction();
7622   int SSFI = MF.getFrameInfo()->CreateStackObject(Size, Size, false);
7623   SDValue StackSlot = DAG.getFrameIndex(SSFI, getPointerTy());
7624   SDValue Chain = DAG.getStore(DAG.getEntryNode(), dl, Op.getOperand(0),
7625                                StackSlot,
7626                                MachinePointerInfo::getFixedStack(SSFI),
7627                                false, false, 0);
7628   return BuildFILD(Op, SrcVT, Chain, StackSlot, DAG);
7629 }
7630
7631 SDValue X86TargetLowering::BuildFILD(SDValue Op, EVT SrcVT, SDValue Chain,
7632                                      SDValue StackSlot,
7633                                      SelectionDAG &DAG) const {
7634   // Build the FILD
7635   DebugLoc DL = Op.getDebugLoc();
7636   SDVTList Tys;
7637   bool useSSE = isScalarFPTypeInSSEReg(Op.getValueType());
7638   if (useSSE)
7639     Tys = DAG.getVTList(MVT::f64, MVT::Other, MVT::Glue);
7640   else
7641     Tys = DAG.getVTList(Op.getValueType(), MVT::Other);
7642
7643   unsigned ByteSize = SrcVT.getSizeInBits()/8;
7644
7645   FrameIndexSDNode *FI = dyn_cast<FrameIndexSDNode>(StackSlot);
7646   MachineMemOperand *MMO;
7647   if (FI) {
7648     int SSFI = FI->getIndex();
7649     MMO =
7650       DAG.getMachineFunction()
7651       .getMachineMemOperand(MachinePointerInfo::getFixedStack(SSFI),
7652                             MachineMemOperand::MOLoad, ByteSize, ByteSize);
7653   } else {
7654     MMO = cast<LoadSDNode>(StackSlot)->getMemOperand();
7655     StackSlot = StackSlot.getOperand(1);
7656   }
7657   SDValue Ops[] = { Chain, StackSlot, DAG.getValueType(SrcVT) };
7658   SDValue Result = DAG.getMemIntrinsicNode(useSSE ? X86ISD::FILD_FLAG :
7659                                            X86ISD::FILD, DL,
7660                                            Tys, Ops, array_lengthof(Ops),
7661                                            SrcVT, MMO);
7662
7663   if (useSSE) {
7664     Chain = Result.getValue(1);
7665     SDValue InFlag = Result.getValue(2);
7666
7667     // FIXME: Currently the FST is flagged to the FILD_FLAG. This
7668     // shouldn't be necessary except that RFP cannot be live across
7669     // multiple blocks. When stackifier is fixed, they can be uncoupled.
7670     MachineFunction &MF = DAG.getMachineFunction();
7671     unsigned SSFISize = Op.getValueType().getSizeInBits()/8;
7672     int SSFI = MF.getFrameInfo()->CreateStackObject(SSFISize, SSFISize, false);
7673     SDValue StackSlot = DAG.getFrameIndex(SSFI, getPointerTy());
7674     Tys = DAG.getVTList(MVT::Other);
7675     SDValue Ops[] = {
7676       Chain, Result, StackSlot, DAG.getValueType(Op.getValueType()), InFlag
7677     };
7678     MachineMemOperand *MMO =
7679       DAG.getMachineFunction()
7680       .getMachineMemOperand(MachinePointerInfo::getFixedStack(SSFI),
7681                             MachineMemOperand::MOStore, SSFISize, SSFISize);
7682
7683     Chain = DAG.getMemIntrinsicNode(X86ISD::FST, DL, Tys,
7684                                     Ops, array_lengthof(Ops),
7685                                     Op.getValueType(), MMO);
7686     Result = DAG.getLoad(Op.getValueType(), DL, Chain, StackSlot,
7687                          MachinePointerInfo::getFixedStack(SSFI),
7688                          false, false, false, 0);
7689   }
7690
7691   return Result;
7692 }
7693
7694 // LowerUINT_TO_FP_i64 - 64-bit unsigned integer to double expansion.
7695 SDValue X86TargetLowering::LowerUINT_TO_FP_i64(SDValue Op,
7696                                                SelectionDAG &DAG) const {
7697   // This algorithm is not obvious. Here it is what we're trying to output:
7698   /*
7699      movq       %rax,  %xmm0
7700      punpckldq  (c0),  %xmm0  // c0: (uint4){ 0x43300000U, 0x45300000U, 0U, 0U }
7701      subpd      (c1),  %xmm0  // c1: (double2){ 0x1.0p52, 0x1.0p52 * 0x1.0p32 }
7702      #ifdef __SSE3__
7703        haddpd   %xmm0, %xmm0          
7704      #else
7705        pshufd   $0x4e, %xmm0, %xmm1 
7706        addpd    %xmm1, %xmm0
7707      #endif
7708   */
7709
7710   DebugLoc dl = Op.getDebugLoc();
7711   LLVMContext *Context = DAG.getContext();
7712
7713   // Build some magic constants.
7714   const uint32_t CV0[] = { 0x43300000, 0x45300000, 0, 0 };
7715   Constant *C0 = ConstantDataVector::get(*Context, CV0);
7716   SDValue CPIdx0 = DAG.getConstantPool(C0, getPointerTy(), 16);
7717
7718   SmallVector<Constant*,2> CV1;
7719   CV1.push_back(
7720         ConstantFP::get(*Context, APFloat(APInt(64, 0x4330000000000000ULL))));
7721   CV1.push_back(
7722         ConstantFP::get(*Context, APFloat(APInt(64, 0x4530000000000000ULL))));
7723   Constant *C1 = ConstantVector::get(CV1);
7724   SDValue CPIdx1 = DAG.getConstantPool(C1, getPointerTy(), 16);
7725
7726   // Load the 64-bit value into an XMM register.
7727   SDValue XR1 = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, MVT::v2i64,
7728                             Op.getOperand(0));
7729   SDValue CLod0 = DAG.getLoad(MVT::v4i32, dl, DAG.getEntryNode(), CPIdx0,
7730                               MachinePointerInfo::getConstantPool(),
7731                               false, false, false, 16);
7732   SDValue Unpck1 = getUnpackl(DAG, dl, MVT::v4i32,
7733                               DAG.getNode(ISD::BITCAST, dl, MVT::v4i32, XR1),
7734                               CLod0);
7735
7736   SDValue CLod1 = DAG.getLoad(MVT::v2f64, dl, CLod0.getValue(1), CPIdx1,
7737                               MachinePointerInfo::getConstantPool(),
7738                               false, false, false, 16);
7739   SDValue XR2F = DAG.getNode(ISD::BITCAST, dl, MVT::v2f64, Unpck1);
7740   SDValue Sub = DAG.getNode(ISD::FSUB, dl, MVT::v2f64, XR2F, CLod1);
7741   SDValue Result;
7742
7743   if (Subtarget->hasSSE3()) {
7744     // FIXME: The 'haddpd' instruction may be slower than 'movhlps + addsd'.
7745     Result = DAG.getNode(X86ISD::FHADD, dl, MVT::v2f64, Sub, Sub);
7746   } else {
7747     SDValue S2F = DAG.getNode(ISD::BITCAST, dl, MVT::v4i32, Sub);
7748     SDValue Shuffle = getTargetShuffleNode(X86ISD::PSHUFD, dl, MVT::v4i32,
7749                                            S2F, 0x4E, DAG);
7750     Result = DAG.getNode(ISD::FADD, dl, MVT::v2f64,
7751                          DAG.getNode(ISD::BITCAST, dl, MVT::v2f64, Shuffle),
7752                          Sub);
7753   }
7754
7755   return DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::f64, Result,
7756                      DAG.getIntPtrConstant(0));
7757 }
7758
7759 // LowerUINT_TO_FP_i32 - 32-bit unsigned integer to float expansion.
7760 SDValue X86TargetLowering::LowerUINT_TO_FP_i32(SDValue Op,
7761                                                SelectionDAG &DAG) const {
7762   DebugLoc dl = Op.getDebugLoc();
7763   // FP constant to bias correct the final result.
7764   SDValue Bias = DAG.getConstantFP(BitsToDouble(0x4330000000000000ULL),
7765                                    MVT::f64);
7766
7767   // Load the 32-bit value into an XMM register.
7768   SDValue Load = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, MVT::v4i32,
7769                              Op.getOperand(0));
7770
7771   // Zero out the upper parts of the register.
7772   Load = getShuffleVectorZeroOrUndef(Load, 0, true, Subtarget, DAG);
7773
7774   Load = DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::f64,
7775                      DAG.getNode(ISD::BITCAST, dl, MVT::v2f64, Load),
7776                      DAG.getIntPtrConstant(0));
7777
7778   // Or the load with the bias.
7779   SDValue Or = DAG.getNode(ISD::OR, dl, MVT::v2i64,
7780                            DAG.getNode(ISD::BITCAST, dl, MVT::v2i64,
7781                                        DAG.getNode(ISD::SCALAR_TO_VECTOR, dl,
7782                                                    MVT::v2f64, Load)),
7783                            DAG.getNode(ISD::BITCAST, dl, MVT::v2i64,
7784                                        DAG.getNode(ISD::SCALAR_TO_VECTOR, dl,
7785                                                    MVT::v2f64, Bias)));
7786   Or = DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::f64,
7787                    DAG.getNode(ISD::BITCAST, dl, MVT::v2f64, Or),
7788                    DAG.getIntPtrConstant(0));
7789
7790   // Subtract the bias.
7791   SDValue Sub = DAG.getNode(ISD::FSUB, dl, MVT::f64, Or, Bias);
7792
7793   // Handle final rounding.
7794   EVT DestVT = Op.getValueType();
7795
7796   if (DestVT.bitsLT(MVT::f64))
7797     return DAG.getNode(ISD::FP_ROUND, dl, DestVT, Sub,
7798                        DAG.getIntPtrConstant(0));
7799   if (DestVT.bitsGT(MVT::f64))
7800     return DAG.getNode(ISD::FP_EXTEND, dl, DestVT, Sub);
7801
7802   // Handle final rounding.
7803   return Sub;
7804 }
7805
7806 SDValue X86TargetLowering::LowerUINT_TO_FP(SDValue Op,
7807                                            SelectionDAG &DAG) const {
7808   SDValue N0 = Op.getOperand(0);
7809   DebugLoc dl = Op.getDebugLoc();
7810
7811   // Since UINT_TO_FP is legal (it's marked custom), dag combiner won't
7812   // optimize it to a SINT_TO_FP when the sign bit is known zero. Perform
7813   // the optimization here.
7814   if (DAG.SignBitIsZero(N0))
7815     return DAG.getNode(ISD::SINT_TO_FP, dl, Op.getValueType(), N0);
7816
7817   EVT SrcVT = N0.getValueType();
7818   EVT DstVT = Op.getValueType();
7819   if (SrcVT == MVT::i64 && DstVT == MVT::f64 && X86ScalarSSEf64)
7820     return LowerUINT_TO_FP_i64(Op, DAG);
7821   if (SrcVT == MVT::i32 && X86ScalarSSEf64)
7822     return LowerUINT_TO_FP_i32(Op, DAG);
7823   if (Subtarget->is64Bit() && SrcVT == MVT::i64 && DstVT == MVT::f32)
7824     return SDValue();
7825
7826   // Make a 64-bit buffer, and use it to build an FILD.
7827   SDValue StackSlot = DAG.CreateStackTemporary(MVT::i64);
7828   if (SrcVT == MVT::i32) {
7829     SDValue WordOff = DAG.getConstant(4, getPointerTy());
7830     SDValue OffsetSlot = DAG.getNode(ISD::ADD, dl,
7831                                      getPointerTy(), StackSlot, WordOff);
7832     SDValue Store1 = DAG.getStore(DAG.getEntryNode(), dl, Op.getOperand(0),
7833                                   StackSlot, MachinePointerInfo(),
7834                                   false, false, 0);
7835     SDValue Store2 = DAG.getStore(Store1, dl, DAG.getConstant(0, MVT::i32),
7836                                   OffsetSlot, MachinePointerInfo(),
7837                                   false, false, 0);
7838     SDValue Fild = BuildFILD(Op, MVT::i64, Store2, StackSlot, DAG);
7839     return Fild;
7840   }
7841
7842   assert(SrcVT == MVT::i64 && "Unexpected type in UINT_TO_FP");
7843   SDValue Store = DAG.getStore(DAG.getEntryNode(), dl, Op.getOperand(0),
7844                                StackSlot, MachinePointerInfo(),
7845                                false, false, 0);
7846   // For i64 source, we need to add the appropriate power of 2 if the input
7847   // was negative.  This is the same as the optimization in
7848   // DAGTypeLegalizer::ExpandIntOp_UNIT_TO_FP, and for it to be safe here,
7849   // we must be careful to do the computation in x87 extended precision, not
7850   // in SSE. (The generic code can't know it's OK to do this, or how to.)
7851   int SSFI = cast<FrameIndexSDNode>(StackSlot)->getIndex();
7852   MachineMemOperand *MMO =
7853     DAG.getMachineFunction()
7854     .getMachineMemOperand(MachinePointerInfo::getFixedStack(SSFI),
7855                           MachineMemOperand::MOLoad, 8, 8);
7856
7857   SDVTList Tys = DAG.getVTList(MVT::f80, MVT::Other);
7858   SDValue Ops[] = { Store, StackSlot, DAG.getValueType(MVT::i64) };
7859   SDValue Fild = DAG.getMemIntrinsicNode(X86ISD::FILD, dl, Tys, Ops, 3,
7860                                          MVT::i64, MMO);
7861
7862   APInt FF(32, 0x5F800000ULL);
7863
7864   // Check whether the sign bit is set.
7865   SDValue SignSet = DAG.getSetCC(dl, getSetCCResultType(MVT::i64),
7866                                  Op.getOperand(0), DAG.getConstant(0, MVT::i64),
7867                                  ISD::SETLT);
7868
7869   // Build a 64 bit pair (0, FF) in the constant pool, with FF in the lo bits.
7870   SDValue FudgePtr = DAG.getConstantPool(
7871                              ConstantInt::get(*DAG.getContext(), FF.zext(64)),
7872                                          getPointerTy());
7873
7874   // Get a pointer to FF if the sign bit was set, or to 0 otherwise.
7875   SDValue Zero = DAG.getIntPtrConstant(0);
7876   SDValue Four = DAG.getIntPtrConstant(4);
7877   SDValue Offset = DAG.getNode(ISD::SELECT, dl, Zero.getValueType(), SignSet,
7878                                Zero, Four);
7879   FudgePtr = DAG.getNode(ISD::ADD, dl, getPointerTy(), FudgePtr, Offset);
7880
7881   // Load the value out, extending it from f32 to f80.
7882   // FIXME: Avoid the extend by constructing the right constant pool?
7883   SDValue Fudge = DAG.getExtLoad(ISD::EXTLOAD, dl, MVT::f80, DAG.getEntryNode(),
7884                                  FudgePtr, MachinePointerInfo::getConstantPool(),
7885                                  MVT::f32, false, false, 4);
7886   // Extend everything to 80 bits to force it to be done on x87.
7887   SDValue Add = DAG.getNode(ISD::FADD, dl, MVT::f80, Fild, Fudge);
7888   return DAG.getNode(ISD::FP_ROUND, dl, DstVT, Add, DAG.getIntPtrConstant(0));
7889 }
7890
7891 std::pair<SDValue,SDValue> X86TargetLowering::
7892 FP_TO_INTHelper(SDValue Op, SelectionDAG &DAG, bool IsSigned, bool IsReplace) const {
7893   DebugLoc DL = Op.getDebugLoc();
7894
7895   EVT DstTy = Op.getValueType();
7896
7897   if (!IsSigned && !isIntegerTypeFTOL(DstTy)) {
7898     assert(DstTy == MVT::i32 && "Unexpected FP_TO_UINT");
7899     DstTy = MVT::i64;
7900   }
7901
7902   assert(DstTy.getSimpleVT() <= MVT::i64 &&
7903          DstTy.getSimpleVT() >= MVT::i16 &&
7904          "Unknown FP_TO_INT to lower!");
7905
7906   // These are really Legal.
7907   if (DstTy == MVT::i32 &&
7908       isScalarFPTypeInSSEReg(Op.getOperand(0).getValueType()))
7909     return std::make_pair(SDValue(), SDValue());
7910   if (Subtarget->is64Bit() &&
7911       DstTy == MVT::i64 &&
7912       isScalarFPTypeInSSEReg(Op.getOperand(0).getValueType()))
7913     return std::make_pair(SDValue(), SDValue());
7914
7915   // We lower FP->int64 either into FISTP64 followed by a load from a temporary
7916   // stack slot, or into the FTOL runtime function.
7917   MachineFunction &MF = DAG.getMachineFunction();
7918   unsigned MemSize = DstTy.getSizeInBits()/8;
7919   int SSFI = MF.getFrameInfo()->CreateStackObject(MemSize, MemSize, false);
7920   SDValue StackSlot = DAG.getFrameIndex(SSFI, getPointerTy());
7921
7922   unsigned Opc;
7923   if (!IsSigned && isIntegerTypeFTOL(DstTy))
7924     Opc = X86ISD::WIN_FTOL;
7925   else
7926     switch (DstTy.getSimpleVT().SimpleTy) {
7927     default: llvm_unreachable("Invalid FP_TO_SINT to lower!");
7928     case MVT::i16: Opc = X86ISD::FP_TO_INT16_IN_MEM; break;
7929     case MVT::i32: Opc = X86ISD::FP_TO_INT32_IN_MEM; break;
7930     case MVT::i64: Opc = X86ISD::FP_TO_INT64_IN_MEM; break;
7931     }
7932
7933   SDValue Chain = DAG.getEntryNode();
7934   SDValue Value = Op.getOperand(0);
7935   EVT TheVT = Op.getOperand(0).getValueType();
7936   // FIXME This causes a redundant load/store if the SSE-class value is already
7937   // in memory, such as if it is on the callstack.
7938   if (isScalarFPTypeInSSEReg(TheVT)) {
7939     assert(DstTy == MVT::i64 && "Invalid FP_TO_SINT to lower!");
7940     Chain = DAG.getStore(Chain, DL, Value, StackSlot,
7941                          MachinePointerInfo::getFixedStack(SSFI),
7942                          false, false, 0);
7943     SDVTList Tys = DAG.getVTList(Op.getOperand(0).getValueType(), MVT::Other);
7944     SDValue Ops[] = {
7945       Chain, StackSlot, DAG.getValueType(TheVT)
7946     };
7947
7948     MachineMemOperand *MMO =
7949       MF.getMachineMemOperand(MachinePointerInfo::getFixedStack(SSFI),
7950                               MachineMemOperand::MOLoad, MemSize, MemSize);
7951     Value = DAG.getMemIntrinsicNode(X86ISD::FLD, DL, Tys, Ops, 3,
7952                                     DstTy, MMO);
7953     Chain = Value.getValue(1);
7954     SSFI = MF.getFrameInfo()->CreateStackObject(MemSize, MemSize, false);
7955     StackSlot = DAG.getFrameIndex(SSFI, getPointerTy());
7956   }
7957
7958   MachineMemOperand *MMO =
7959     MF.getMachineMemOperand(MachinePointerInfo::getFixedStack(SSFI),
7960                             MachineMemOperand::MOStore, MemSize, MemSize);
7961
7962   if (Opc != X86ISD::WIN_FTOL) {
7963     // Build the FP_TO_INT*_IN_MEM
7964     SDValue Ops[] = { Chain, Value, StackSlot };
7965     SDValue FIST = DAG.getMemIntrinsicNode(Opc, DL, DAG.getVTList(MVT::Other),
7966                                            Ops, 3, DstTy, MMO);
7967     return std::make_pair(FIST, StackSlot);
7968   } else {
7969     SDValue ftol = DAG.getNode(X86ISD::WIN_FTOL, DL,
7970       DAG.getVTList(MVT::Other, MVT::Glue),
7971       Chain, Value);
7972     SDValue eax = DAG.getCopyFromReg(ftol, DL, X86::EAX,
7973       MVT::i32, ftol.getValue(1));
7974     SDValue edx = DAG.getCopyFromReg(eax.getValue(1), DL, X86::EDX,
7975       MVT::i32, eax.getValue(2));
7976     SDValue Ops[] = { eax, edx };
7977     SDValue pair = IsReplace
7978       ? DAG.getNode(ISD::BUILD_PAIR, DL, MVT::i64, Ops, 2)
7979       : DAG.getMergeValues(Ops, 2, DL);
7980     return std::make_pair(pair, SDValue());
7981   }
7982 }
7983
7984 SDValue X86TargetLowering::LowerFP_TO_SINT(SDValue Op,
7985                                            SelectionDAG &DAG) const {
7986   if (Op.getValueType().isVector())
7987     return SDValue();
7988
7989   std::pair<SDValue,SDValue> Vals = FP_TO_INTHelper(Op, DAG,
7990     /*IsSigned=*/ true, /*IsReplace=*/ false);
7991   SDValue FIST = Vals.first, StackSlot = Vals.second;
7992   // If FP_TO_INTHelper failed, the node is actually supposed to be Legal.
7993   if (FIST.getNode() == 0) return Op;
7994
7995   if (StackSlot.getNode())
7996     // Load the result.
7997     return DAG.getLoad(Op.getValueType(), Op.getDebugLoc(),
7998                        FIST, StackSlot, MachinePointerInfo(),
7999                        false, false, false, 0);
8000
8001   // The node is the result.
8002   return FIST;
8003 }
8004
8005 SDValue X86TargetLowering::LowerFP_TO_UINT(SDValue Op,
8006                                            SelectionDAG &DAG) const {
8007   std::pair<SDValue,SDValue> Vals = FP_TO_INTHelper(Op, DAG,
8008     /*IsSigned=*/ false, /*IsReplace=*/ false);
8009   SDValue FIST = Vals.first, StackSlot = Vals.second;
8010   assert(FIST.getNode() && "Unexpected failure");
8011
8012   if (StackSlot.getNode())
8013     // Load the result.
8014     return DAG.getLoad(Op.getValueType(), Op.getDebugLoc(),
8015                        FIST, StackSlot, MachinePointerInfo(),
8016                        false, false, false, 0);
8017
8018   // The node is the result.
8019   return FIST;
8020 }
8021
8022 SDValue X86TargetLowering::LowerFABS(SDValue Op,
8023                                      SelectionDAG &DAG) const {
8024   LLVMContext *Context = DAG.getContext();
8025   DebugLoc dl = Op.getDebugLoc();
8026   EVT VT = Op.getValueType();
8027   EVT EltVT = VT;
8028   if (VT.isVector())
8029     EltVT = VT.getVectorElementType();
8030   Constant *C;
8031   if (EltVT == MVT::f64) {
8032     C = ConstantVector::getSplat(2, 
8033                 ConstantFP::get(*Context, APFloat(APInt(64, ~(1ULL << 63)))));
8034   } else {
8035     C = ConstantVector::getSplat(4,
8036                ConstantFP::get(*Context, APFloat(APInt(32, ~(1U << 31)))));
8037   }
8038   SDValue CPIdx = DAG.getConstantPool(C, getPointerTy(), 16);
8039   SDValue Mask = DAG.getLoad(VT, dl, DAG.getEntryNode(), CPIdx,
8040                              MachinePointerInfo::getConstantPool(),
8041                              false, false, false, 16);
8042   return DAG.getNode(X86ISD::FAND, dl, VT, Op.getOperand(0), Mask);
8043 }
8044
8045 SDValue X86TargetLowering::LowerFNEG(SDValue Op, SelectionDAG &DAG) const {
8046   LLVMContext *Context = DAG.getContext();
8047   DebugLoc dl = Op.getDebugLoc();
8048   EVT VT = Op.getValueType();
8049   EVT EltVT = VT;
8050   unsigned NumElts = VT == MVT::f64 ? 2 : 4;
8051   if (VT.isVector()) {
8052     EltVT = VT.getVectorElementType();
8053     NumElts = VT.getVectorNumElements();
8054   }
8055   Constant *C;
8056   if (EltVT == MVT::f64)
8057     C = ConstantFP::get(*Context, APFloat(APInt(64, 1ULL << 63)));
8058   else
8059     C = ConstantFP::get(*Context, APFloat(APInt(32, 1U << 31)));
8060   C = ConstantVector::getSplat(NumElts, C);
8061   SDValue CPIdx = DAG.getConstantPool(C, getPointerTy(), 16);
8062   SDValue Mask = DAG.getLoad(VT, dl, DAG.getEntryNode(), CPIdx,
8063                              MachinePointerInfo::getConstantPool(),
8064                              false, false, false, 16);
8065   if (VT.isVector()) {
8066     MVT XORVT = VT.getSizeInBits() == 128 ? MVT::v2i64 : MVT::v4i64;
8067     return DAG.getNode(ISD::BITCAST, dl, VT,
8068                        DAG.getNode(ISD::XOR, dl, XORVT,
8069                                    DAG.getNode(ISD::BITCAST, dl, XORVT,
8070                                                Op.getOperand(0)),
8071                                    DAG.getNode(ISD::BITCAST, dl, XORVT, Mask)));
8072   }
8073
8074   return DAG.getNode(X86ISD::FXOR, dl, VT, Op.getOperand(0), Mask);
8075 }
8076
8077 SDValue X86TargetLowering::LowerFCOPYSIGN(SDValue Op, SelectionDAG &DAG) const {
8078   LLVMContext *Context = DAG.getContext();
8079   SDValue Op0 = Op.getOperand(0);
8080   SDValue Op1 = Op.getOperand(1);
8081   DebugLoc dl = Op.getDebugLoc();
8082   EVT VT = Op.getValueType();
8083   EVT SrcVT = Op1.getValueType();
8084
8085   // If second operand is smaller, extend it first.
8086   if (SrcVT.bitsLT(VT)) {
8087     Op1 = DAG.getNode(ISD::FP_EXTEND, dl, VT, Op1);
8088     SrcVT = VT;
8089   }
8090   // And if it is bigger, shrink it first.
8091   if (SrcVT.bitsGT(VT)) {
8092     Op1 = DAG.getNode(ISD::FP_ROUND, dl, VT, Op1, DAG.getIntPtrConstant(1));
8093     SrcVT = VT;
8094   }
8095
8096   // At this point the operands and the result should have the same
8097   // type, and that won't be f80 since that is not custom lowered.
8098
8099   // First get the sign bit of second operand.
8100   SmallVector<Constant*,4> CV;
8101   if (SrcVT == MVT::f64) {
8102     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(64, 1ULL << 63))));
8103     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(64, 0))));
8104   } else {
8105     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(32, 1U << 31))));
8106     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(32, 0))));
8107     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(32, 0))));
8108     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(32, 0))));
8109   }
8110   Constant *C = ConstantVector::get(CV);
8111   SDValue CPIdx = DAG.getConstantPool(C, getPointerTy(), 16);
8112   SDValue Mask1 = DAG.getLoad(SrcVT, dl, DAG.getEntryNode(), CPIdx,
8113                               MachinePointerInfo::getConstantPool(),
8114                               false, false, false, 16);
8115   SDValue SignBit = DAG.getNode(X86ISD::FAND, dl, SrcVT, Op1, Mask1);
8116
8117   // Shift sign bit right or left if the two operands have different types.
8118   if (SrcVT.bitsGT(VT)) {
8119     // Op0 is MVT::f32, Op1 is MVT::f64.
8120     SignBit = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl, MVT::v2f64, SignBit);
8121     SignBit = DAG.getNode(X86ISD::FSRL, dl, MVT::v2f64, SignBit,
8122                           DAG.getConstant(32, MVT::i32));
8123     SignBit = DAG.getNode(ISD::BITCAST, dl, MVT::v4f32, SignBit);
8124     SignBit = DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, MVT::f32, SignBit,
8125                           DAG.getIntPtrConstant(0));
8126   }
8127
8128   // Clear first operand sign bit.
8129   CV.clear();
8130   if (VT == MVT::f64) {
8131     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(64, ~(1ULL << 63)))));
8132     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(64, 0))));
8133   } else {
8134     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(32, ~(1U << 31)))));
8135     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(32, 0))));
8136     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(32, 0))));
8137     CV.push_back(ConstantFP::get(*Context, APFloat(APInt(32, 0))));
8138   }
8139   C = ConstantVector::get(CV);
8140   CPIdx = DAG.getConstantPool(C, getPointerTy(), 16);
8141   SDValue Mask2 = DAG.getLoad(VT, dl, DAG.getEntryNode(), CPIdx,
8142                               MachinePointerInfo::getConstantPool(),
8143                               false, false, false, 16);
8144   SDValue Val = DAG.getNode(X86ISD::FAND, dl, VT, Op0, Mask2);
8145
8146   // Or the value with the sign bit.
8147   return DAG.getNode(X86ISD::FOR, dl, VT, Val, SignBit);
8148 }
8149
8150 SDValue X86TargetLowering::LowerFGETSIGN(SDValue Op, SelectionDAG &DAG) const {
8151   SDValue N0 = Op.getOperand(0);
8152   DebugLoc dl = Op.getDebugLoc();
8153   EVT VT = Op.getValueType();
8154
8155   // Lower ISD::FGETSIGN to (AND (X86ISD::FGETSIGNx86 ...) 1).
8156   SDValue xFGETSIGN = DAG.getNode(X86ISD::FGETSIGNx86, dl, VT, N0,
8157                                   DAG.getConstant(1, VT));
8158   return DAG.getNode(ISD::AND, dl, VT, xFGETSIGN, DAG.getConstant(1, VT));
8159 }
8160
8161 /// Emit nodes that will be selected as "test Op0,Op0", or something
8162 /// equivalent.
8163 SDValue X86TargetLowering::EmitTest(SDValue Op, unsigned X86CC,
8164                                     SelectionDAG &DAG) const {
8165   DebugLoc dl = Op.getDebugLoc();
8166
8167   // CF and OF aren't always set the way we want. Determine which
8168   // of these we need.
8169   bool NeedCF = false;
8170   bool NeedOF = false;
8171   switch (X86CC) {
8172   default: break;
8173   case X86::COND_A: case X86::COND_AE:
8174   case X86::COND_B: case X86::COND_BE:
8175     NeedCF = true;
8176     break;
8177   case X86::COND_G: case X86::COND_GE:
8178   case X86::COND_L: case X86::COND_LE:
8179   case X86::COND_O: case X86::COND_NO:
8180     NeedOF = true;
8181     break;
8182   }
8183
8184   // See if we can use the EFLAGS value from the operand instead of
8185   // doing a separate TEST. TEST always sets OF and CF to 0, so unless
8186   // we prove that the arithmetic won't overflow, we can't use OF or CF.
8187   if (Op.getResNo() != 0 || NeedOF || NeedCF)
8188     // Emit a CMP with 0, which is the TEST pattern.
8189     return DAG.getNode(X86ISD::CMP, dl, MVT::i32, Op,
8190                        DAG.getConstant(0, Op.getValueType()));
8191
8192   unsigned Opcode = 0;
8193   unsigned NumOperands = 0;
8194   switch (Op.getNode()->getOpcode()) {
8195   case ISD::ADD:
8196     // Due to an isel shortcoming, be conservative if this add is likely to be
8197     // selected as part of a load-modify-store instruction. When the root node
8198     // in a match is a store, isel doesn't know how to remap non-chain non-flag
8199     // uses of other nodes in the match, such as the ADD in this case. This
8200     // leads to the ADD being left around and reselected, with the result being
8201     // two adds in the output.  Alas, even if none our users are stores, that
8202     // doesn't prove we're O.K.  Ergo, if we have any parents that aren't
8203     // CopyToReg or SETCC, eschew INC/DEC.  A better fix seems to require
8204     // climbing the DAG back to the root, and it doesn't seem to be worth the
8205     // effort.
8206     for (SDNode::use_iterator UI = Op.getNode()->use_begin(),
8207          UE = Op.getNode()->use_end(); UI != UE; ++UI)
8208       if (UI->getOpcode() != ISD::CopyToReg &&
8209           UI->getOpcode() != ISD::SETCC &&
8210           UI->getOpcode() != ISD::STORE)
8211         goto default_case;
8212
8213     if (ConstantSDNode *C =
8214         dyn_cast<ConstantSDNode>(Op.getNode()->getOperand(1))) {
8215       // An add of one will be selected as an INC.
8216       if (C->getAPIntValue() == 1) {
8217         Opcode = X86ISD::INC;
8218         NumOperands = 1;
8219         break;
8220       }
8221
8222       // An add of negative one (subtract of one) will be selected as a DEC.
8223       if (C->getAPIntValue().isAllOnesValue()) {
8224         Opcode = X86ISD::DEC;
8225         NumOperands = 1;
8226         break;
8227       }
8228     }
8229
8230     // Otherwise use a regular EFLAGS-setting add.
8231     Opcode = X86ISD::ADD;
8232     NumOperands = 2;
8233     break;
8234   case ISD::AND: {
8235     // If the primary and result isn't used, don't bother using X86ISD::AND,
8236     // because a TEST instruction will be better.
8237     bool NonFlagUse = false;
8238     for (SDNode::use_iterator UI = Op.getNode()->use_begin(),
8239            UE = Op.getNode()->use_end(); UI != UE; ++UI) {
8240       SDNode *User = *UI;
8241       unsigned UOpNo = UI.getOperandNo();
8242       if (User->getOpcode() == ISD::TRUNCATE && User->hasOneUse()) {
8243         // Look pass truncate.
8244         UOpNo = User->use_begin().getOperandNo();
8245         User = *User->use_begin();
8246       }
8247
8248       if (User->getOpcode() != ISD::BRCOND &&
8249           User->getOpcode() != ISD::SETCC &&
8250           (User->getOpcode() != ISD::SELECT || UOpNo != 0)) {
8251         NonFlagUse = true;
8252         break;
8253       }
8254     }
8255
8256     if (!NonFlagUse)
8257       break;
8258   }
8259     // FALL THROUGH
8260   case ISD::SUB:
8261   case ISD::OR:
8262   case ISD::XOR:
8263     // Due to the ISEL shortcoming noted above, be conservative if this op is
8264     // likely to be selected as part of a load-modify-store instruction.
8265     for (SDNode::use_iterator UI = Op.getNode()->use_begin(),
8266            UE = Op.getNode()->use_end(); UI != UE; ++UI)
8267       if (UI->getOpcode() == ISD::STORE)
8268         goto default_case;
8269
8270     // Otherwise use a regular EFLAGS-setting instruction.
8271     switch (Op.getNode()->getOpcode()) {
8272     default: llvm_unreachable("unexpected operator!");
8273     case ISD::SUB:
8274       // If the only use of SUB is EFLAGS, use CMP instead.
8275       if (Op.hasOneUse())
8276         Opcode = X86ISD::CMP;
8277       else
8278         Opcode = X86ISD::SUB;
8279       break;
8280     case ISD::OR:  Opcode = X86ISD::OR;  break;
8281     case ISD::XOR: Opcode = X86ISD::XOR; break;
8282     case ISD::AND: Opcode = X86ISD::AND; break;
8283     }
8284
8285     NumOperands = 2;
8286     break;
8287   case X86ISD::ADD:
8288   case X86ISD::SUB:
8289   case X86ISD::INC:
8290   case X86ISD::DEC:
8291   case X86ISD::OR:
8292   case X86ISD::XOR:
8293   case X86ISD::AND:
8294     return SDValue(Op.getNode(), 1);
8295   default:
8296   default_case:
8297     break;
8298   }
8299
8300   if (Opcode == 0)
8301     // Emit a CMP with 0, which is the TEST pattern.
8302     return DAG.getNode(X86ISD::CMP, dl, MVT::i32, Op,
8303                        DAG.getConstant(0, Op.getValueType()));
8304
8305   if (Opcode == X86ISD::CMP) {
8306     SDValue New = DAG.getNode(Opcode, dl, MVT::i32, Op.getOperand(0),
8307                               Op.getOperand(1));
8308     // We can't replace usage of SUB with CMP.
8309     // The SUB node will be removed later because there is no use of it.
8310     return SDValue(New.getNode(), 0);
8311   }
8312
8313   SDVTList VTs = DAG.getVTList(Op.getValueType(), MVT::i32);
8314   SmallVector<SDValue, 4> Ops;
8315   for (unsigned i = 0; i != NumOperands; ++i)
8316     Ops.push_back(Op.getOperand(i));
8317
8318   SDValue New = DAG.getNode(Opcode, dl, VTs, &Ops[0], NumOperands);
8319   DAG.ReplaceAllUsesWith(Op, New);
8320   return SDValue(New.getNode(), 1);
8321 }
8322
8323 /// Emit nodes that will be selected as "cmp Op0,Op1", or something
8324 /// equivalent.
8325 SDValue X86TargetLowering::EmitCmp(SDValue Op0, SDValue Op1, unsigned X86CC,
8326                                    SelectionDAG &DAG) const {
8327   if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op1))
8328     if (C->getAPIntValue() == 0)
8329       return EmitTest(Op0, X86CC, DAG);
8330
8331   DebugLoc dl = Op0.getDebugLoc();
8332   return DAG.getNode(X86ISD::CMP, dl, MVT::i32, Op0, Op1);
8333 }
8334
8335 /// Convert a comparison if required by the subtarget.
8336 SDValue X86TargetLowering::ConvertCmpIfNecessary(SDValue Cmp,
8337                                                  SelectionDAG &DAG) const {
8338   // If the subtarget does not support the FUCOMI instruction, floating-point
8339   // comparisons have to be converted.
8340   if (Subtarget->hasCMov() ||
8341       Cmp.getOpcode() != X86ISD::CMP ||
8342       !Cmp.getOperand(0).getValueType().isFloatingPoint() ||
8343       !Cmp.getOperand(1).getValueType().isFloatingPoint())
8344     return Cmp;
8345
8346   // The instruction selector will select an FUCOM instruction instead of
8347   // FUCOMI, which writes the comparison result to FPSW instead of EFLAGS. Hence
8348   // build an SDNode sequence that transfers the result from FPSW into EFLAGS:
8349   // (X86sahf (trunc (srl (X86fp_stsw (trunc (X86cmp ...)), 8))))
8350   DebugLoc dl = Cmp.getDebugLoc();
8351   SDValue TruncFPSW = DAG.getNode(ISD::TRUNCATE, dl, MVT::i16, Cmp);
8352   SDValue FNStSW = DAG.getNode(X86ISD::FNSTSW16r, dl, MVT::i16, TruncFPSW);
8353   SDValue Srl = DAG.getNode(ISD::SRL, dl, MVT::i16, FNStSW,
8354                             DAG.getConstant(8, MVT::i8));
8355   SDValue TruncSrl = DAG.getNode(ISD::TRUNCATE, dl, MVT::i8, Srl);
8356   return DAG.getNode(X86ISD::SAHF, dl, MVT::i32, TruncSrl);
8357 }
8358
8359 /// LowerToBT - Result of 'and' is compared against zero. Turn it into a BT node
8360 /// if it's possible.
8361 SDValue X86TargetLowering::LowerToBT(SDValue And, ISD::CondCode CC,
8362                                      DebugLoc dl, SelectionDAG &DAG) const {
8363   SDValue Op0 = And.getOperand(0);
8364   SDValue Op1 = And.getOperand(1);
8365   if (Op0.getOpcode() == ISD::TRUNCATE)
8366     Op0 = Op0.getOperand(0);
8367   if (Op1.getOpcode() == ISD::TRUNCATE)
8368     Op1 = Op1.getOperand(0);
8369
8370   SDValue LHS, RHS;
8371   if (Op1.getOpcode() == ISD::SHL)
8372     std::swap(Op0, Op1);
8373   if (Op0.getOpcode() == ISD::SHL) {
8374     if (ConstantSDNode *And00C = dyn_cast<ConstantSDNode>(Op0.getOperand(0)))
8375       if (And00C->getZExtValue() == 1) {
8376         // If we looked past a truncate, check that it's only truncating away
8377         // known zeros.
8378         unsigned BitWidth = Op0.getValueSizeInBits();
8379         unsigned AndBitWidth = And.getValueSizeInBits();
8380         if (BitWidth > AndBitWidth) {
8381           APInt Zeros, Ones;
8382           DAG.ComputeMaskedBits(Op0, Zeros, Ones);
8383           if (Zeros.countLeadingOnes() < BitWidth - AndBitWidth)
8384             return SDValue();
8385         }
8386         LHS = Op1;
8387         RHS = Op0.getOperand(1);
8388       }
8389   } else if (Op1.getOpcode() == ISD::Constant) {
8390     ConstantSDNode *AndRHS = cast<ConstantSDNode>(Op1);
8391     uint64_t AndRHSVal = AndRHS->getZExtValue();
8392     SDValue AndLHS = Op0;
8393
8394     if (AndRHSVal == 1 && AndLHS.getOpcode() == ISD::SRL) {
8395       LHS = AndLHS.getOperand(0);
8396       RHS = AndLHS.getOperand(1);
8397     }
8398
8399     // Use BT if the immediate can't be encoded in a TEST instruction.
8400     if (!isUInt<32>(AndRHSVal) && isPowerOf2_64(AndRHSVal)) {
8401       LHS = AndLHS;
8402       RHS = DAG.getConstant(Log2_64_Ceil(AndRHSVal), LHS.getValueType());
8403     }
8404   }
8405
8406   if (LHS.getNode()) {
8407     // If LHS is i8, promote it to i32 with any_extend.  There is no i8 BT
8408     // instruction.  Since the shift amount is in-range-or-undefined, we know
8409     // that doing a bittest on the i32 value is ok.  We extend to i32 because
8410     // the encoding for the i16 version is larger than the i32 version.
8411     // Also promote i16 to i32 for performance / code size reason.
8412     if (LHS.getValueType() == MVT::i8 ||
8413         LHS.getValueType() == MVT::i16)
8414       LHS = DAG.getNode(ISD::ANY_EXTEND, dl, MVT::i32, LHS);
8415
8416     // If the operand types disagree, extend the shift amount to match.  Since
8417     // BT ignores high bits (like shifts) we can use anyextend.
8418     if (LHS.getValueType() != RHS.getValueType())
8419       RHS = DAG.getNode(ISD::ANY_EXTEND, dl, LHS.getValueType(), RHS);
8420
8421     SDValue BT = DAG.getNode(X86ISD::BT, dl, MVT::i32, LHS, RHS);
8422     unsigned Cond = CC == ISD::SETEQ ? X86::COND_AE : X86::COND_B;
8423     return DAG.getNode(X86ISD::SETCC, dl, MVT::i8,
8424                        DAG.getConstant(Cond, MVT::i8), BT);
8425   }
8426
8427   return SDValue();
8428 }
8429
8430 SDValue X86TargetLowering::LowerSETCC(SDValue Op, SelectionDAG &DAG) const {
8431
8432   if (Op.getValueType().isVector()) return LowerVSETCC(Op, DAG);
8433
8434   assert(Op.getValueType() == MVT::i8 && "SetCC type must be 8-bit integer");
8435   SDValue Op0 = Op.getOperand(0);
8436   SDValue Op1 = Op.getOperand(1);
8437   DebugLoc dl = Op.getDebugLoc();
8438   ISD::CondCode CC = cast<CondCodeSDNode>(Op.getOperand(2))->get();
8439
8440   // Optimize to BT if possible.
8441   // Lower (X & (1 << N)) == 0 to BT(X, N).
8442   // Lower ((X >>u N) & 1) != 0 to BT(X, N).
8443   // Lower ((X >>s N) & 1) != 0 to BT(X, N).
8444   if (Op0.getOpcode() == ISD::AND && Op0.hasOneUse() &&
8445       Op1.getOpcode() == ISD::Constant &&
8446       cast<ConstantSDNode>(Op1)->isNullValue() &&
8447       (CC == ISD::SETEQ || CC == ISD::SETNE)) {
8448     SDValue NewSetCC = LowerToBT(Op0, CC, dl, DAG);
8449     if (NewSetCC.getNode())
8450       return NewSetCC;
8451   }
8452
8453   // Look for X == 0, X == 1, X != 0, or X != 1.  We can simplify some forms of
8454   // these.
8455   if (Op1.getOpcode() == ISD::Constant &&
8456       (cast<ConstantSDNode>(Op1)->getZExtValue() == 1 ||
8457        cast<ConstantSDNode>(Op1)->isNullValue()) &&
8458       (CC == ISD::SETEQ || CC == ISD::SETNE)) {
8459
8460     // If the input is a setcc, then reuse the input setcc or use a new one with
8461     // the inverted condition.
8462     if (Op0.getOpcode() == X86ISD::SETCC) {
8463       X86::CondCode CCode = (X86::CondCode)Op0.getConstantOperandVal(0);
8464       bool Invert = (CC == ISD::SETNE) ^
8465         cast<ConstantSDNode>(Op1)->isNullValue();
8466       if (!Invert) return Op0;
8467
8468       CCode = X86::GetOppositeBranchCondition(CCode);
8469       return DAG.getNode(X86ISD::SETCC, dl, MVT::i8,
8470                          DAG.getConstant(CCode, MVT::i8), Op0.getOperand(1));
8471     }
8472   }
8473
8474   bool isFP = Op1.getValueType().isFloatingPoint();
8475   unsigned X86CC = TranslateX86CC(CC, isFP, Op0, Op1, DAG);
8476   if (X86CC == X86::COND_INVALID)
8477     return SDValue();
8478
8479   SDValue EFLAGS = EmitCmp(Op0, Op1, X86CC, DAG);
8480   EFLAGS = ConvertCmpIfNecessary(EFLAGS, DAG);
8481   return DAG.getNode(X86ISD::SETCC, dl, MVT::i8,
8482                      DAG.getConstant(X86CC, MVT::i8), EFLAGS);
8483 }
8484
8485 // Lower256IntVSETCC - Break a VSETCC 256-bit integer VSETCC into two new 128
8486 // ones, and then concatenate the result back.
8487 static SDValue Lower256IntVSETCC(SDValue Op, SelectionDAG &DAG) {
8488   EVT VT = Op.getValueType();
8489
8490   assert(VT.getSizeInBits() == 256 && Op.getOpcode() == ISD::SETCC &&
8491          "Unsupported value type for operation");
8492
8493   unsigned NumElems = VT.getVectorNumElements();
8494   DebugLoc dl = Op.getDebugLoc();
8495   SDValue CC = Op.getOperand(2);
8496
8497   // Extract the LHS vectors
8498   SDValue LHS = Op.getOperand(0);
8499   SDValue LHS1 = Extract128BitVector(LHS, 0, DAG, dl);
8500   SDValue LHS2 = Extract128BitVector(LHS, NumElems/2, DAG, dl);
8501
8502   // Extract the RHS vectors
8503   SDValue RHS = Op.getOperand(1);
8504   SDValue RHS1 = Extract128BitVector(RHS, 0, DAG, dl);
8505   SDValue RHS2 = Extract128BitVector(RHS, NumElems/2, DAG, dl);
8506
8507   // Issue the operation on the smaller types and concatenate the result back
8508   MVT EltVT = VT.getVectorElementType().getSimpleVT();
8509   EVT NewVT = MVT::getVectorVT(EltVT, NumElems/2);
8510   return DAG.getNode(ISD::CONCAT_VECTORS, dl, VT,
8511                      DAG.getNode(Op.getOpcode(), dl, NewVT, LHS1, RHS1, CC),
8512                      DAG.getNode(Op.getOpcode(), dl, NewVT, LHS2, RHS2, CC));
8513 }
8514
8515
8516 SDValue X86TargetLowering::LowerVSETCC(SDValue Op, SelectionDAG &DAG) const {
8517   SDValue Cond;
8518   SDValue Op0 = Op.getOperand(0);
8519   SDValue Op1 = Op.getOperand(1);
8520   SDValue CC = Op.getOperand(2);
8521   EVT VT = Op.getValueType();
8522   ISD::CondCode SetCCOpcode = cast<CondCodeSDNode>(CC)->get();
8523   bool isFP = Op.getOperand(1).getValueType().isFloatingPoint();
8524   DebugLoc dl = Op.getDebugLoc();
8525
8526   if (isFP) {
8527     unsigned SSECC = 8;
8528     EVT EltVT = Op0.getValueType().getVectorElementType();
8529     assert(EltVT == MVT::f32 || EltVT == MVT::f64); (void)EltVT;
8530
8531     bool Swap = false;
8532
8533     // SSE Condition code mapping:
8534     //  0 - EQ
8535     //  1 - LT
8536     //  2 - LE
8537     //  3 - UNORD
8538     //  4 - NEQ
8539     //  5 - NLT
8540     //  6 - NLE
8541     //  7 - ORD
8542     switch (SetCCOpcode) {
8543     default: break;
8544     case ISD::SETOEQ:
8545     case ISD::SETEQ:  SSECC = 0; break;
8546     case ISD::SETOGT:
8547     case ISD::SETGT: Swap = true; // Fallthrough
8548     case ISD::SETLT:
8549     case ISD::SETOLT: SSECC = 1; break;
8550     case ISD::SETOGE:
8551     case ISD::SETGE: Swap = true; // Fallthrough
8552     case ISD::SETLE:
8553     case ISD::SETOLE: SSECC = 2; break;
8554     case ISD::SETUO:  SSECC = 3; break;
8555     case ISD::SETUNE:
8556     case ISD::SETNE:  SSECC = 4; break;
8557     case ISD::SETULE: Swap = true;
8558     case ISD::SETUGE: SSECC = 5; break;
8559     case ISD::SETULT: Swap = true;
8560     case ISD::SETUGT: SSECC = 6; break;
8561     case ISD::SETO:   SSECC = 7; break;
8562     }
8563     if (Swap)
8564       std::swap(Op0, Op1);
8565
8566     // In the two special cases we can't handle, emit two comparisons.
8567     if (SSECC == 8) {
8568       if (SetCCOpcode == ISD::SETUEQ) {
8569         SDValue UNORD, EQ;
8570         UNORD = DAG.getNode(X86ISD::CMPP, dl, VT, Op0, Op1,
8571                             DAG.getConstant(3, MVT::i8));
8572         EQ = DAG.getNode(X86ISD::CMPP, dl, VT, Op0, Op1,
8573                          DAG.getConstant(0, MVT::i8));
8574         return DAG.getNode(ISD::OR, dl, VT, UNORD, EQ);
8575       }
8576       if (SetCCOpcode == ISD::SETONE) {
8577         SDValue ORD, NEQ;
8578         ORD = DAG.getNode(X86ISD::CMPP, dl, VT, Op0, Op1,
8579                           DAG.getConstant(7, MVT::i8));
8580         NEQ = DAG.getNode(X86ISD::CMPP, dl, VT, Op0, Op1,
8581                           DAG.getConstant(4, MVT::i8));
8582         return DAG.getNode(ISD::AND, dl, VT, ORD, NEQ);
8583       }
8584       llvm_unreachable("Illegal FP comparison");
8585     }
8586     // Handle all other FP comparisons here.
8587     return DAG.getNode(X86ISD::CMPP, dl, VT, Op0, Op1,
8588                        DAG.getConstant(SSECC, MVT::i8));
8589   }
8590
8591   // Break 256-bit integer vector compare into smaller ones.
8592   if (VT.getSizeInBits() == 256 && !Subtarget->hasAVX2())
8593     return Lower256IntVSETCC(Op, DAG);
8594
8595   // We are handling one of the integer comparisons here.  Since SSE only has
8596   // GT and EQ comparisons for integer, swapping operands and multiple
8597   // operations may be required for some comparisons.
8598   unsigned Opc = 0;
8599   bool Swap = false, Invert = false, FlipSigns = false;
8600
8601   switch (SetCCOpcode) {
8602   default: break;
8603   case ISD::SETNE:  Invert = true;
8604   case ISD::SETEQ:  Opc = X86ISD::PCMPEQ; break;
8605   case ISD::SETLT:  Swap = true;
8606   case ISD::SETGT:  Opc = X86ISD::PCMPGT; break;
8607   case ISD::SETGE:  Swap = true;
8608   case ISD::SETLE:  Opc = X86ISD::PCMPGT; Invert = true; break;
8609   case ISD::SETULT: Swap = true;
8610   case ISD::SETUGT: Opc = X86ISD::PCMPGT; FlipSigns = true; break;
8611   case ISD::SETUGE: Swap = true;
8612   case ISD::SETULE: Opc = X86ISD::PCMPGT; FlipSigns = true; Invert = true; break;
8613   }
8614   if (Swap)
8615     std::swap(Op0, Op1);
8616
8617   // Check that the operation in question is available (most are plain SSE2,
8618   // but PCMPGTQ and PCMPEQQ have different requirements).
8619   if (Opc == X86ISD::PCMPGT && VT == MVT::v2i64 && !Subtarget->hasSSE42())
8620     return SDValue();
8621   if (Opc == X86ISD::PCMPEQ && VT == MVT::v2i64 && !Subtarget->hasSSE41())
8622     return SDValue();
8623
8624   // Since SSE has no unsigned integer comparisons, we need to flip  the sign
8625   // bits of the inputs before performing those operations.
8626   if (FlipSigns) {
8627     EVT EltVT = VT.getVectorElementType();
8628     SDValue SignBit = DAG.getConstant(APInt::getSignBit(EltVT.getSizeInBits()),
8629                                       EltVT);
8630     std::vector<SDValue> SignBits(VT.getVectorNumElements(), SignBit);
8631     SDValue SignVec = DAG.getNode(ISD::BUILD_VECTOR, dl, VT, &SignBits[0],
8632                                     SignBits.size());
8633     Op0 = DAG.getNode(ISD::XOR, dl, VT, Op0, SignVec);
8634     Op1 = DAG.getNode(ISD::XOR, dl, VT, Op1, SignVec);
8635   }
8636
8637   SDValue Result = DAG.getNode(Opc, dl, VT, Op0, Op1);
8638
8639   // If the logical-not of the result is required, perform that now.
8640   if (Invert)
8641     Result = DAG.getNOT(dl, Result, VT);
8642
8643   return Result;
8644 }
8645
8646 // isX86LogicalCmp - Return true if opcode is a X86 logical comparison.
8647 static bool isX86LogicalCmp(SDValue Op) {
8648   unsigned Opc = Op.getNode()->getOpcode();
8649   if (Opc == X86ISD::CMP || Opc == X86ISD::COMI || Opc == X86ISD::UCOMI ||
8650       Opc == X86ISD::SAHF)
8651     return true;
8652   if (Op.getResNo() == 1 &&
8653       (Opc == X86ISD::ADD ||
8654        Opc == X86ISD::SUB ||
8655        Opc == X86ISD::ADC ||
8656        Opc == X86ISD::SBB ||
8657        Opc == X86ISD::SMUL ||
8658        Opc == X86ISD::UMUL ||
8659        Opc == X86ISD::INC ||
8660        Opc == X86ISD::DEC ||
8661        Opc == X86ISD::OR ||
8662        Opc == X86ISD::XOR ||
8663        Opc == X86ISD::AND))
8664     return true;
8665
8666   if (Op.getResNo() == 2 && Opc == X86ISD::UMUL)
8667     return true;
8668
8669   return false;
8670 }
8671
8672 static bool isZero(SDValue V) {
8673   ConstantSDNode *C = dyn_cast<ConstantSDNode>(V);
8674   return C && C->isNullValue();
8675 }
8676
8677 static bool isAllOnes(SDValue V) {
8678   ConstantSDNode *C = dyn_cast<ConstantSDNode>(V);
8679   return C && C->isAllOnesValue();
8680 }
8681
8682 SDValue X86TargetLowering::LowerSELECT(SDValue Op, SelectionDAG &DAG) const {
8683   bool addTest = true;
8684   SDValue Cond  = Op.getOperand(0);
8685   SDValue Op1 = Op.getOperand(1);
8686   SDValue Op2 = Op.getOperand(2);
8687   DebugLoc DL = Op.getDebugLoc();
8688   SDValue CC;
8689
8690   if (Cond.getOpcode() == ISD::SETCC) {
8691     SDValue NewCond = LowerSETCC(Cond, DAG);
8692     if (NewCond.getNode())
8693       Cond = NewCond;
8694   }
8695
8696   // Handle the following cases related to max and min:
8697   // (a > b) ? (a-b) : 0
8698   // (a >= b) ? (a-b) : 0
8699   // (b < a) ? (a-b) : 0
8700   // (b <= a) ? (a-b) : 0
8701   // Comparison is removed to use EFLAGS from SUB.
8702   if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op2))
8703     if (Cond.getOpcode() == X86ISD::SETCC &&
8704         Cond.getOperand(1).getOpcode() == X86ISD::CMP &&
8705         (Op1.getOpcode() == ISD::SUB || Op1.getOpcode() == X86ISD::SUB) &&
8706         C->getAPIntValue() == 0) {
8707       SDValue Cmp = Cond.getOperand(1);
8708       unsigned CC = cast<ConstantSDNode>(Cond.getOperand(0))->getZExtValue();
8709       if ((DAG.isEqualTo(Op1.getOperand(0), Cmp.getOperand(0)) &&
8710            DAG.isEqualTo(Op1.getOperand(1), Cmp.getOperand(1)) &&
8711            (CC == X86::COND_G || CC == X86::COND_GE ||
8712             CC == X86::COND_A || CC == X86::COND_AE)) ||
8713           (DAG.isEqualTo(Op1.getOperand(0), Cmp.getOperand(1)) &&
8714            DAG.isEqualTo(Op1.getOperand(1), Cmp.getOperand(0)) &&
8715            (CC == X86::COND_L || CC == X86::COND_LE ||
8716             CC == X86::COND_B || CC == X86::COND_BE))) {
8717
8718         if (Op1.getOpcode() == ISD::SUB) {
8719           SDVTList VTs = DAG.getVTList(Op1.getValueType(), MVT::i32);
8720           SDValue New = DAG.getNode(X86ISD::SUB, DL, VTs,
8721                                     Op1.getOperand(0), Op1.getOperand(1));
8722           DAG.ReplaceAllUsesWith(Op1, New);
8723           Op1 = New;
8724         }
8725
8726         SDVTList VTs = DAG.getVTList(Op.getValueType(), MVT::Glue);
8727         unsigned NewCC = (CC == X86::COND_G || CC == X86::COND_GE ||
8728                           CC == X86::COND_L ||
8729                           CC == X86::COND_LE) ? X86::COND_GE : X86::COND_AE;
8730         SDValue Ops[] = { Op2, Op1, DAG.getConstant(NewCC, MVT::i8),
8731                           SDValue(Op1.getNode(), 1) };
8732         return DAG.getNode(X86ISD::CMOV, DL, VTs, Ops, array_lengthof(Ops));
8733       }
8734     }
8735
8736   // (select (x == 0), -1, y) -> (sign_bit (x - 1)) | y
8737   // (select (x == 0), y, -1) -> ~(sign_bit (x - 1)) | y
8738   // (select (x != 0), y, -1) -> (sign_bit (x - 1)) | y
8739   // (select (x != 0), -1, y) -> ~(sign_bit (x - 1)) | y
8740   if (Cond.getOpcode() == X86ISD::SETCC &&
8741       Cond.getOperand(1).getOpcode() == X86ISD::CMP &&
8742       isZero(Cond.getOperand(1).getOperand(1))) {
8743     SDValue Cmp = Cond.getOperand(1);
8744
8745     unsigned CondCode =cast<ConstantSDNode>(Cond.getOperand(0))->getZExtValue();
8746
8747     if ((isAllOnes(Op1) || isAllOnes(Op2)) &&
8748         (CondCode == X86::COND_E || CondCode == X86::COND_NE)) {
8749       SDValue Y = isAllOnes(Op2) ? Op1 : Op2;
8750
8751       SDValue CmpOp0 = Cmp.getOperand(0);
8752       // Apply further optimizations for special cases
8753       // (select (x != 0), -1, 0) -> neg & sbb
8754       // (select (x == 0), 0, -1) -> neg & sbb
8755       if (ConstantSDNode *YC = dyn_cast<ConstantSDNode>(Y))
8756         if (YC->isNullValue() && 
8757             (isAllOnes(Op1) == (CondCode == X86::COND_NE))) {
8758           SDVTList VTs = DAG.getVTList(CmpOp0.getValueType(), MVT::i32);
8759           SDValue Neg = DAG.getNode(X86ISD::SUB, DL, VTs, 
8760                                     DAG.getConstant(0, CmpOp0.getValueType()), 
8761                                     CmpOp0);
8762           SDValue Res = DAG.getNode(X86ISD::SETCC_CARRY, DL, Op.getValueType(),
8763                                     DAG.getConstant(X86::COND_B, MVT::i8),
8764                                     SDValue(Neg.getNode(), 1));
8765           return Res;
8766         }
8767
8768       Cmp = DAG.getNode(X86ISD::CMP, DL, MVT::i32,
8769                         CmpOp0, DAG.getConstant(1, CmpOp0.getValueType()));
8770       Cmp = ConvertCmpIfNecessary(Cmp, DAG);
8771
8772       SDValue Res =   // Res = 0 or -1.
8773         DAG.getNode(X86ISD::SETCC_CARRY, DL, Op.getValueType(),
8774                     DAG.getConstant(X86::COND_B, MVT::i8), Cmp);
8775
8776       if (isAllOnes(Op1) != (CondCode == X86::COND_E))
8777         Res = DAG.getNOT(DL, Res, Res.getValueType());
8778
8779       ConstantSDNode *N2C = dyn_cast<ConstantSDNode>(Op2);
8780       if (N2C == 0 || !N2C->isNullValue())
8781         Res = DAG.getNode(ISD::OR, DL, Res.getValueType(), Res, Y);
8782       return Res;
8783     }
8784   }
8785
8786   // Look past (and (setcc_carry (cmp ...)), 1).
8787   if (Cond.getOpcode() == ISD::AND &&
8788       Cond.getOperand(0).getOpcode() == X86ISD::SETCC_CARRY) {
8789     ConstantSDNode *C = dyn_cast<ConstantSDNode>(Cond.getOperand(1));
8790     if (C && C->getAPIntValue() == 1)
8791       Cond = Cond.getOperand(0);
8792   }
8793
8794   // If condition flag is set by a X86ISD::CMP, then use it as the condition
8795   // setting operand in place of the X86ISD::SETCC.
8796   unsigned CondOpcode = Cond.getOpcode();
8797   if (CondOpcode == X86ISD::SETCC ||
8798       CondOpcode == X86ISD::SETCC_CARRY) {
8799     CC = Cond.getOperand(0);
8800
8801     SDValue Cmp = Cond.getOperand(1);
8802     unsigned Opc = Cmp.getOpcode();
8803     EVT VT = Op.getValueType();
8804
8805     bool IllegalFPCMov = false;
8806     if (VT.isFloatingPoint() && !VT.isVector() &&
8807         !isScalarFPTypeInSSEReg(VT))  // FPStack?
8808       IllegalFPCMov = !hasFPCMov(cast<ConstantSDNode>(CC)->getSExtValue());
8809
8810     if ((isX86LogicalCmp(Cmp) && !IllegalFPCMov) ||
8811         Opc == X86ISD::BT) { // FIXME
8812       Cond = Cmp;
8813       addTest = false;
8814     }
8815   } else if (CondOpcode == ISD::USUBO || CondOpcode == ISD::SSUBO ||
8816              CondOpcode == ISD::UADDO || CondOpcode == ISD::SADDO ||
8817              ((CondOpcode == ISD::UMULO || CondOpcode == ISD::SMULO) &&
8818               Cond.getOperand(0).getValueType() != MVT::i8)) {
8819     SDValue LHS = Cond.getOperand(0);
8820     SDValue RHS = Cond.getOperand(1);
8821     unsigned X86Opcode;
8822     unsigned X86Cond;
8823     SDVTList VTs;
8824     switch (CondOpcode) {
8825     case ISD::UADDO: X86Opcode = X86ISD::ADD; X86Cond = X86::COND_B; break;
8826     case ISD::SADDO: X86Opcode = X86ISD::ADD; X86Cond = X86::COND_O; break;
8827     case ISD::USUBO: X86Opcode = X86ISD::SUB; X86Cond = X86::COND_B; break;
8828     case ISD::SSUBO: X86Opcode = X86ISD::SUB; X86Cond = X86::COND_O; break;
8829     case ISD::UMULO: X86Opcode = X86ISD::UMUL; X86Cond = X86::COND_O; break;
8830     case ISD::SMULO: X86Opcode = X86ISD::SMUL; X86Cond = X86::COND_O; break;
8831     default: llvm_unreachable("unexpected overflowing operator");
8832     }
8833     if (CondOpcode == ISD::UMULO)
8834       VTs = DAG.getVTList(LHS.getValueType(), LHS.getValueType(),
8835                           MVT::i32);
8836     else
8837       VTs = DAG.getVTList(LHS.getValueType(), MVT::i32);
8838
8839     SDValue X86Op = DAG.getNode(X86Opcode, DL, VTs, LHS, RHS);
8840
8841     if (CondOpcode == ISD::UMULO)
8842       Cond = X86Op.getValue(2);
8843     else
8844       Cond = X86Op.getValue(1);
8845
8846     CC = DAG.getConstant(X86Cond, MVT::i8);
8847     addTest = false;
8848   }
8849
8850   if (addTest) {
8851     // Look pass the truncate.
8852     if (Cond.getOpcode() == ISD::TRUNCATE)
8853       Cond = Cond.getOperand(0);
8854
8855     // We know the result of AND is compared against zero. Try to match
8856     // it to BT.
8857     if (Cond.getOpcode() == ISD::AND && Cond.hasOneUse()) {
8858       SDValue NewSetCC = LowerToBT(Cond, ISD::SETNE, DL, DAG);
8859       if (NewSetCC.getNode()) {
8860         CC = NewSetCC.getOperand(0);
8861         Cond = NewSetCC.getOperand(1);
8862         addTest = false;
8863       }
8864     }
8865   }
8866
8867   if (addTest) {
8868     CC = DAG.getConstant(X86::COND_NE, MVT::i8);
8869     Cond = EmitTest(Cond, X86::COND_NE, DAG);
8870   }
8871
8872   // a <  b ? -1 :  0 -> RES = ~setcc_carry
8873   // a <  b ?  0 : -1 -> RES = setcc_carry
8874   // a >= b ? -1 :  0 -> RES = setcc_carry
8875   // a >= b ?  0 : -1 -> RES = ~setcc_carry
8876   if (Cond.getOpcode() == X86ISD::CMP) {
8877     Cond = ConvertCmpIfNecessary(Cond, DAG);
8878     unsigned CondCode = cast<ConstantSDNode>(CC)->getZExtValue();
8879
8880     if ((CondCode == X86::COND_AE || CondCode == X86::COND_B) &&
8881         (isAllOnes(Op1) || isAllOnes(Op2)) && (isZero(Op1) || isZero(Op2))) {
8882       SDValue Res = DAG.getNode(X86ISD::SETCC_CARRY, DL, Op.getValueType(),
8883                                 DAG.getConstant(X86::COND_B, MVT::i8), Cond);
8884       if (isAllOnes(Op1) != (CondCode == X86::COND_B))
8885         return DAG.getNOT(DL, Res, Res.getValueType());
8886       return Res;
8887     }
8888   }
8889
8890   // X86ISD::CMOV means set the result (which is operand 1) to the RHS if
8891   // condition is true.
8892   SDVTList VTs = DAG.getVTList(Op.getValueType(), MVT::Glue);
8893   SDValue Ops[] = { Op2, Op1, CC, Cond };
8894   return DAG.getNode(X86ISD::CMOV, DL, VTs, Ops, array_lengthof(Ops));
8895 }
8896
8897 // isAndOrOfSingleUseSetCCs - Return true if node is an ISD::AND or
8898 // ISD::OR of two X86ISD::SETCC nodes each of which has no other use apart
8899 // from the AND / OR.
8900 static bool isAndOrOfSetCCs(SDValue Op, unsigned &Opc) {
8901   Opc = Op.getOpcode();
8902   if (Opc != ISD::OR && Opc != ISD::AND)
8903     return false;
8904   return (Op.getOperand(0).getOpcode() == X86ISD::SETCC &&
8905           Op.getOperand(0).hasOneUse() &&
8906           Op.getOperand(1).getOpcode() == X86ISD::SETCC &&
8907           Op.getOperand(1).hasOneUse());
8908 }
8909
8910 // isXor1OfSetCC - Return true if node is an ISD::XOR of a X86ISD::SETCC and
8911 // 1 and that the SETCC node has a single use.
8912 static bool isXor1OfSetCC(SDValue Op) {
8913   if (Op.getOpcode() != ISD::XOR)
8914     return false;
8915   ConstantSDNode *N1C = dyn_cast<ConstantSDNode>(Op.getOperand(1));
8916   if (N1C && N1C->getAPIntValue() == 1) {
8917     return Op.getOperand(0).getOpcode() == X86ISD::SETCC &&
8918       Op.getOperand(0).hasOneUse();
8919   }
8920   return false;
8921 }
8922
8923 SDValue X86TargetLowering::LowerBRCOND(SDValue Op, SelectionDAG &DAG) const {
8924   bool addTest = true;
8925   SDValue Chain = Op.getOperand(0);
8926   SDValue Cond  = Op.getOperand(1);
8927   SDValue Dest  = Op.getOperand(2);
8928   DebugLoc dl = Op.getDebugLoc();
8929   SDValue CC;
8930   bool Inverted = false;
8931
8932   if (Cond.getOpcode() == ISD::SETCC) {
8933     // Check for setcc([su]{add,sub,mul}o == 0).
8934     if (cast<CondCodeSDNode>(Cond.getOperand(2))->get() == ISD::SETEQ &&
8935         isa<ConstantSDNode>(Cond.getOperand(1)) &&
8936         cast<ConstantSDNode>(Cond.getOperand(1))->isNullValue() &&
8937         Cond.getOperand(0).getResNo() == 1 &&
8938         (Cond.getOperand(0).getOpcode() == ISD::SADDO ||
8939          Cond.getOperand(0).getOpcode() == ISD::UADDO ||
8940          Cond.getOperand(0).getOpcode() == ISD::SSUBO ||
8941          Cond.getOperand(0).getOpcode() == ISD::USUBO ||
8942          Cond.getOperand(0).getOpcode() == ISD::SMULO ||
8943          Cond.getOperand(0).getOpcode() == ISD::UMULO)) {
8944       Inverted = true;
8945       Cond = Cond.getOperand(0);
8946     } else {
8947       SDValue NewCond = LowerSETCC(Cond, DAG);
8948       if (NewCond.getNode())
8949         Cond = NewCond;
8950     }
8951   }
8952 #if 0
8953   // FIXME: LowerXALUO doesn't handle these!!
8954   else if (Cond.getOpcode() == X86ISD::ADD  ||
8955            Cond.getOpcode() == X86ISD::SUB  ||
8956            Cond.getOpcode() == X86ISD::SMUL ||
8957            Cond.getOpcode() == X86ISD::UMUL)
8958     Cond = LowerXALUO(Cond, DAG);
8959 #endif
8960
8961   // Look pass (and (setcc_carry (cmp ...)), 1).
8962   if (Cond.getOpcode() == ISD::AND &&
8963       Cond.getOperand(0).getOpcode() == X86ISD::SETCC_CARRY) {
8964     ConstantSDNode *C = dyn_cast<ConstantSDNode>(Cond.getOperand(1));
8965     if (C && C->getAPIntValue() == 1)
8966       Cond = Cond.getOperand(0);
8967   }
8968
8969   // If condition flag is set by a X86ISD::CMP, then use it as the condition
8970   // setting operand in place of the X86ISD::SETCC.
8971   unsigned CondOpcode = Cond.getOpcode();
8972   if (CondOpcode == X86ISD::SETCC ||
8973       CondOpcode == X86ISD::SETCC_CARRY) {
8974     CC = Cond.getOperand(0);
8975
8976     SDValue Cmp = Cond.getOperand(1);
8977     unsigned Opc = Cmp.getOpcode();
8978     // FIXME: WHY THE SPECIAL CASING OF LogicalCmp??
8979     if (isX86LogicalCmp(Cmp) || Opc == X86ISD::BT) {
8980       Cond = Cmp;
8981       addTest = false;
8982     } else {
8983       switch (cast<ConstantSDNode>(CC)->getZExtValue()) {
8984       default: break;
8985       case X86::COND_O:
8986       case X86::COND_B:
8987         // These can only come from an arithmetic instruction with overflow,
8988         // e.g. SADDO, UADDO.
8989         Cond = Cond.getNode()->getOperand(1);
8990         addTest = false;
8991         break;
8992       }
8993     }
8994   }
8995   CondOpcode = Cond.getOpcode();
8996   if (CondOpcode == ISD::UADDO || CondOpcode == ISD::SADDO ||
8997       CondOpcode == ISD::USUBO || CondOpcode == ISD::SSUBO ||
8998       ((CondOpcode == ISD::UMULO || CondOpcode == ISD::SMULO) &&
8999        Cond.getOperand(0).getValueType() != MVT::i8)) {
9000     SDValue LHS = Cond.getOperand(0);
9001     SDValue RHS = Cond.getOperand(1);
9002     unsigned X86Opcode;
9003     unsigned X86Cond;
9004     SDVTList VTs;
9005     switch (CondOpcode) {
9006     case ISD::UADDO: X86Opcode = X86ISD::ADD; X86Cond = X86::COND_B; break;
9007     case ISD::SADDO: X86Opcode = X86ISD::ADD; X86Cond = X86::COND_O; break;
9008     case ISD::USUBO: X86Opcode = X86ISD::SUB; X86Cond = X86::COND_B; break;
9009     case ISD::SSUBO: X86Opcode = X86ISD::SUB; X86Cond = X86::COND_O; break;
9010     case ISD::UMULO: X86Opcode = X86ISD::UMUL; X86Cond = X86::COND_O; break;
9011     case ISD::SMULO: X86Opcode = X86ISD::SMUL; X86Cond = X86::COND_O; break;
9012     default: llvm_unreachable("unexpected overflowing operator");
9013     }
9014     if (Inverted)
9015       X86Cond = X86::GetOppositeBranchCondition((X86::CondCode)X86Cond);
9016     if (CondOpcode == ISD::UMULO)
9017       VTs = DAG.getVTList(LHS.getValueType(), LHS.getValueType(),
9018                           MVT::i32);
9019     else
9020       VTs = DAG.getVTList(LHS.getValueType(), MVT::i32);
9021
9022     SDValue X86Op = DAG.getNode(X86Opcode, dl, VTs, LHS, RHS);
9023
9024     if (CondOpcode == ISD::UMULO)
9025       Cond = X86Op.getValue(2);
9026     else
9027       Cond = X86Op.getValue(1);
9028
9029     CC = DAG.getConstant(X86Cond, MVT::i8);
9030     addTest = false;
9031   } else {
9032     unsigned CondOpc;
9033     if (Cond.hasOneUse() && isAndOrOfSetCCs(Cond, CondOpc)) {
9034       SDValue Cmp = Cond.getOperand(0).getOperand(1);
9035       if (CondOpc == ISD::OR) {
9036         // Also, recognize the pattern generated by an FCMP_UNE. We can emit
9037         // two branches instead of an explicit OR instruction with a
9038         // separate test.
9039         if (Cmp == Cond.getOperand(1).getOperand(1) &&
9040             isX86LogicalCmp(Cmp)) {
9041           CC = Cond.getOperand(0).getOperand(0);
9042           Chain = DAG.getNode(X86ISD::BRCOND, dl, Op.getValueType(),
9043                               Chain, Dest, CC, Cmp);
9044           CC = Cond.getOperand(1).getOperand(0);
9045           Cond = Cmp;
9046           addTest = false;
9047         }
9048       } else { // ISD::AND
9049         // Also, recognize the pattern generated by an FCMP_OEQ. We can emit
9050         // two branches instead of an explicit AND instruction with a
9051         // separate test. However, we only do this if this block doesn't
9052         // have a fall-through edge, because this requires an explicit
9053         // jmp when the condition is false.
9054         if (Cmp == Cond.getOperand(1).getOperand(1) &&
9055             isX86LogicalCmp(Cmp) &&
9056             Op.getNode()->hasOneUse()) {
9057           X86::CondCode CCode =
9058             (X86::CondCode)Cond.getOperand(0).getConstantOperandVal(0);
9059           CCode = X86::GetOppositeBranchCondition(CCode);
9060           CC = DAG.getConstant(CCode, MVT::i8);
9061           SDNode *User = *Op.getNode()->use_begin();
9062           // Look for an unconditional branch following this conditional branch.
9063           // We need this because we need to reverse the successors in order
9064           // to implement FCMP_OEQ.
9065           if (User->getOpcode() == ISD::BR) {
9066             SDValue FalseBB = User->getOperand(1);
9067             SDNode *NewBR =
9068               DAG.UpdateNodeOperands(User, User->getOperand(0), Dest);
9069             assert(NewBR == User);
9070             (void)NewBR;
9071             Dest = FalseBB;
9072
9073             Chain = DAG.getNode(X86ISD::BRCOND, dl, Op.getValueType(),
9074                                 Chain, Dest, CC, Cmp);
9075             X86::CondCode CCode =
9076               (X86::CondCode)Cond.getOperand(1).getConstantOperandVal(0);
9077             CCode = X86::GetOppositeBranchCondition(CCode);
9078             CC = DAG.getConstant(CCode, MVT::i8);
9079             Cond = Cmp;
9080             addTest = false;
9081           }
9082         }
9083       }
9084     } else if (Cond.hasOneUse() && isXor1OfSetCC(Cond)) {
9085       // Recognize for xorb (setcc), 1 patterns. The xor inverts the condition.
9086       // It should be transformed during dag combiner except when the condition
9087       // is set by a arithmetics with overflow node.
9088       X86::CondCode CCode =
9089         (X86::CondCode)Cond.getOperand(0).getConstantOperandVal(0);
9090       CCode = X86::GetOppositeBranchCondition(CCode);
9091       CC = DAG.getConstant(CCode, MVT::i8);
9092       Cond = Cond.getOperand(0).getOperand(1);
9093       addTest = false;
9094     } else if (Cond.getOpcode() == ISD::SETCC &&
9095                cast<CondCodeSDNode>(Cond.getOperand(2))->get() == ISD::SETOEQ) {
9096       // For FCMP_OEQ, we can emit
9097       // two branches instead of an explicit AND instruction with a
9098       // separate test. However, we only do this if this block doesn't
9099       // have a fall-through edge, because this requires an explicit
9100       // jmp when the condition is false.
9101       if (Op.getNode()->hasOneUse()) {
9102         SDNode *User = *Op.getNode()->use_begin();
9103         // Look for an unconditional branch following this conditional branch.
9104         // We need this because we need to reverse the successors in order
9105         // to implement FCMP_OEQ.
9106         if (User->getOpcode() == ISD::BR) {
9107           SDValue FalseBB = User->getOperand(1);
9108           SDNode *NewBR =
9109             DAG.UpdateNodeOperands(User, User->getOperand(0), Dest);
9110           assert(NewBR == User);
9111           (void)NewBR;
9112           Dest = FalseBB;
9113
9114           SDValue Cmp = DAG.getNode(X86ISD::CMP, dl, MVT::i32,
9115                                     Cond.getOperand(0), Cond.getOperand(1));
9116           Cmp = ConvertCmpIfNecessary(Cmp, DAG);
9117           CC = DAG.getConstant(X86::COND_NE, MVT::i8);
9118           Chain = DAG.getNode(X86ISD::BRCOND, dl, Op.getValueType(),
9119                               Chain, Dest, CC, Cmp);
9120           CC = DAG.getConstant(X86::COND_P, MVT::i8);
9121           Cond = Cmp;
9122           addTest = false;
9123         }
9124       }
9125     } else if (Cond.getOpcode() == ISD::SETCC &&
9126                cast<CondCodeSDNode>(Cond.getOperand(2))->get() == ISD::SETUNE) {
9127       // For FCMP_UNE, we can emit
9128       // two branches instead of an explicit AND instruction with a
9129       // separate test. However, we only do this if this block doesn't
9130       // have a fall-through edge, because this requires an explicit
9131       // jmp when the condition is false.
9132       if (Op.getNode()->hasOneUse()) {
9133         SDNode *User = *Op.getNode()->use_begin();
9134         // Look for an unconditional branch following this conditional branch.
9135         // We need this because we need to reverse the successors in order
9136         // to implement FCMP_UNE.
9137         if (User->getOpcode() == ISD::BR) {
9138           SDValue FalseBB = User->getOperand(1);
9139           SDNode *NewBR =
9140             DAG.UpdateNodeOperands(User, User->getOperand(0), Dest);
9141           assert(NewBR == User);
9142           (void)NewBR;
9143
9144           SDValue Cmp = DAG.getNode(X86ISD::CMP, dl, MVT::i32,
9145                                     Cond.getOperand(0), Cond.getOperand(1));
9146           Cmp = ConvertCmpIfNecessary(Cmp, DAG);
9147           CC = DAG.getConstant(X86::COND_NE, MVT::i8);
9148           Chain = DAG.getNode(X86ISD::BRCOND, dl, Op.getValueType(),
9149                               Chain, Dest, CC, Cmp);
9150           CC = DAG.getConstant(X86::COND_NP, MVT::i8);
9151           Cond = Cmp;
9152           addTest = false;
9153           Dest = FalseBB;
9154         }
9155       }
9156     }
9157   }
9158
9159   if (addTest) {
9160     // Look pass the truncate.
9161     if (Cond.getOpcode() == ISD::TRUNCATE)
9162       Cond = Cond.getOperand(0);
9163
9164     // We know the result of AND is compared against zero. Try to match
9165     // it to BT.
9166     if (Cond.getOpcode() == ISD::AND && Cond.hasOneUse()) {
9167       SDValue NewSetCC = LowerToBT(Cond, ISD::SETNE, dl, DAG);
9168       if (NewSetCC.getNode()) {
9169         CC = NewSetCC.getOperand(0);
9170         Cond = NewSetCC.getOperand(1);
9171         addTest = false;
9172       }
9173     }
9174   }
9175
9176   if (addTest) {
9177     CC = DAG.getConstant(X86::COND_NE, MVT::i8);
9178     Cond = EmitTest(Cond, X86::COND_NE, DAG);
9179   }
9180   Cond = ConvertCmpIfNecessary(Cond, DAG);
9181   return DAG.getNode(X86ISD::BRCOND, dl, Op.getValueType(),
9182                      Chain, Dest, CC, Cond);
9183 }
9184
9185
9186 // Lower dynamic stack allocation to _alloca call for Cygwin/Mingw targets.
9187 // Calls to _alloca is needed to probe the stack when allocating more than 4k
9188 // bytes in one go. Touching the stack at 4K increments is necessary to ensure
9189 // that the guard pages used by the OS virtual memory manager are allocated in
9190 // correct sequence.
9191 SDValue
9192 X86TargetLowering::LowerDYNAMIC_STACKALLOC(SDValue Op,
9193                                            SelectionDAG &DAG) const {
9194   assert((Subtarget->isTargetCygMing() || Subtarget->isTargetWindows() ||
9195           getTargetMachine().Options.EnableSegmentedStacks) &&
9196          "This should be used only on Windows targets or when segmented stacks "
9197          "are being used");
9198   assert(!Subtarget->isTargetEnvMacho() && "Not implemented");
9199   DebugLoc dl = Op.getDebugLoc();
9200
9201   // Get the inputs.
9202   SDValue Chain = Op.getOperand(0);
9203   SDValue Size  = Op.getOperand(1);
9204   // FIXME: Ensure alignment here
9205
9206   bool Is64Bit = Subtarget->is64Bit();
9207   EVT SPTy = Is64Bit ? MVT::i64 : MVT::i32;
9208
9209   if (getTargetMachine().Options.EnableSegmentedStacks) {
9210     MachineFunction &MF = DAG.getMachineFunction();
9211     MachineRegisterInfo &MRI = MF.getRegInfo();
9212
9213     if (Is64Bit) {
9214       // The 64 bit implementation of segmented stacks needs to clobber both r10
9215       // r11. This makes it impossible to use it along with nested parameters.
9216       const Function *F = MF.getFunction();
9217
9218       for (Function::const_arg_iterator I = F->arg_begin(), E = F->arg_end();
9219            I != E; ++I)
9220         if (I->hasNestAttr())
9221           report_fatal_error("Cannot use segmented stacks with functions that "
9222                              "have nested arguments.");
9223     }
9224
9225     const TargetRegisterClass *AddrRegClass =
9226       getRegClassFor(Subtarget->is64Bit() ? MVT::i64:MVT::i32);
9227     unsigned Vreg = MRI.createVirtualRegister(AddrRegClass);
9228     Chain = DAG.getCopyToReg(Chain, dl, Vreg, Size);
9229     SDValue Value = DAG.getNode(X86ISD::SEG_ALLOCA, dl, SPTy, Chain,
9230                                 DAG.getRegister(Vreg, SPTy));
9231     SDValue Ops1[2] = { Value, Chain };
9232     return DAG.getMergeValues(Ops1, 2, dl);
9233   } else {
9234     SDValue Flag;
9235     unsigned Reg = (Subtarget->is64Bit() ? X86::RAX : X86::EAX);
9236
9237     Chain = DAG.getCopyToReg(Chain, dl, Reg, Size, Flag);
9238     Flag = Chain.getValue(1);
9239     SDVTList NodeTys = DAG.getVTList(MVT::Other, MVT::Glue);
9240
9241     Chain = DAG.getNode(X86ISD::WIN_ALLOCA, dl, NodeTys, Chain, Flag);
9242     Flag = Chain.getValue(1);
9243
9244     Chain = DAG.getCopyFromReg(Chain, dl, X86StackPtr, SPTy).getValue(1);
9245
9246     SDValue Ops1[2] = { Chain.getValue(0), Chain };
9247     return DAG.getMergeValues(Ops1, 2, dl);
9248   }
9249 }
9250
9251 SDValue X86TargetLowering::LowerVASTART(SDValue Op, SelectionDAG &DAG) const {
9252   MachineFunction &MF = DAG.getMachineFunction();
9253   X86MachineFunctionInfo *FuncInfo = MF.getInfo<X86MachineFunctionInfo>();
9254
9255   const Value *SV = cast<SrcValueSDNode>(Op.getOperand(2))->getValue();
9256   DebugLoc DL = Op.getDebugLoc();
9257
9258   if (!Subtarget->is64Bit() || Subtarget->isTargetWin64()) {
9259     // vastart just stores the address of the VarArgsFrameIndex slot into the
9260     // memory location argument.
9261     SDValue FR = DAG.getFrameIndex(FuncInfo->getVarArgsFrameIndex(),
9262                                    getPointerTy());
9263     return DAG.getStore(Op.getOperand(0), DL, FR, Op.getOperand(1),
9264                         MachinePointerInfo(SV), false, false, 0);
9265   }
9266
9267   // __va_list_tag:
9268   //   gp_offset         (0 - 6 * 8)
9269   //   fp_offset         (48 - 48 + 8 * 16)
9270   //   overflow_arg_area (point to parameters coming in memory).
9271   //   reg_save_area
9272   SmallVector<SDValue, 8> MemOps;
9273   SDValue FIN = Op.getOperand(1);
9274   // Store gp_offset
9275   SDValue Store = DAG.getStore(Op.getOperand(0), DL,
9276                                DAG.getConstant(FuncInfo->getVarArgsGPOffset(),
9277                                                MVT::i32),
9278                                FIN, MachinePointerInfo(SV), false, false, 0);
9279   MemOps.push_back(Store);
9280
9281   // Store fp_offset
9282   FIN = DAG.getNode(ISD::ADD, DL, getPointerTy(),
9283                     FIN, DAG.getIntPtrConstant(4));
9284   Store = DAG.getStore(Op.getOperand(0), DL,
9285                        DAG.getConstant(FuncInfo->getVarArgsFPOffset(),
9286                                        MVT::i32),
9287                        FIN, MachinePointerInfo(SV, 4), false, false, 0);
9288   MemOps.push_back(Store);
9289
9290   // Store ptr to overflow_arg_area
9291   FIN = DAG.getNode(ISD::ADD, DL, getPointerTy(),
9292                     FIN, DAG.getIntPtrConstant(4));
9293   SDValue OVFIN = DAG.getFrameIndex(FuncInfo->getVarArgsFrameIndex(),
9294                                     getPointerTy());
9295   Store = DAG.getStore(Op.getOperand(0), DL, OVFIN, FIN,
9296                        MachinePointerInfo(SV, 8),
9297                        false, false, 0);
9298   MemOps.push_back(Store);
9299
9300   // Store ptr to reg_save_area.
9301   FIN = DAG.getNode(ISD::ADD, DL, getPointerTy(),
9302                     FIN, DAG.getIntPtrConstant(8));
9303   SDValue RSFIN = DAG.getFrameIndex(FuncInfo->getRegSaveFrameIndex(),
9304                                     getPointerTy());
9305   Store = DAG.getStore(Op.getOperand(0), DL, RSFIN, FIN,
9306                        MachinePointerInfo(SV, 16), false, false, 0);
9307   MemOps.push_back(Store);
9308   return DAG.getNode(ISD::TokenFactor, DL, MVT::Other,
9309                      &MemOps[0], MemOps.size());
9310 }
9311
9312 SDValue X86TargetLowering::LowerVAARG(SDValue Op, SelectionDAG &DAG) const {
9313   assert(Subtarget->is64Bit() &&
9314          "LowerVAARG only handles 64-bit va_arg!");
9315   assert((Subtarget->isTargetLinux() ||
9316           Subtarget->isTargetDarwin()) &&
9317           "Unhandled target in LowerVAARG");
9318   assert(Op.getNode()->getNumOperands() == 4);
9319   SDValue Chain = Op.getOperand(0);
9320   SDValue SrcPtr = Op.getOperand(1);
9321   const Value *SV = cast<SrcValueSDNode>(Op.getOperand(2))->getValue();
9322   unsigned Align = Op.getConstantOperandVal(3);
9323   DebugLoc dl = Op.getDebugLoc();
9324
9325   EVT ArgVT = Op.getNode()->getValueType(0);
9326   Type *ArgTy = ArgVT.getTypeForEVT(*DAG.getContext());
9327   uint32_t ArgSize = getTargetData()->getTypeAllocSize(ArgTy);
9328   uint8_t ArgMode;
9329
9330   // Decide which area this value should be read from.
9331   // TODO: Implement the AMD64 ABI in its entirety. This simple
9332   // selection mechanism works only for the basic types.
9333   if (ArgVT == MVT::f80) {
9334     llvm_unreachable("va_arg for f80 not yet implemented");
9335   } else if (ArgVT.isFloatingPoint() && ArgSize <= 16 /*bytes*/) {
9336     ArgMode = 2;  // Argument passed in XMM register. Use fp_offset.
9337   } else if (ArgVT.isInteger() && ArgSize <= 32 /*bytes*/) {
9338     ArgMode = 1;  // Argument passed in GPR64 register(s). Use gp_offset.
9339   } else {
9340     llvm_unreachable("Unhandled argument type in LowerVAARG");
9341   }
9342
9343   if (ArgMode == 2) {
9344     // Sanity Check: Make sure using fp_offset makes sense.
9345     assert(!getTargetMachine().Options.UseSoftFloat &&
9346            !(DAG.getMachineFunction()
9347                 .getFunction()->hasFnAttr(Attribute::NoImplicitFloat)) &&
9348            Subtarget->hasSSE1());
9349   }
9350
9351   // Insert VAARG_64 node into the DAG
9352   // VAARG_64 returns two values: Variable Argument Address, Chain
9353   SmallVector<SDValue, 11> InstOps;
9354   InstOps.push_back(Chain);
9355   InstOps.push_back(SrcPtr);
9356   InstOps.push_back(DAG.getConstant(ArgSize, MVT::i32));
9357   InstOps.push_back(DAG.getConstant(ArgMode, MVT::i8));
9358   InstOps.push_back(DAG.getConstant(Align, MVT::i32));
9359   SDVTList VTs = DAG.getVTList(getPointerTy(), MVT::Other);
9360   SDValue VAARG = DAG.getMemIntrinsicNode(X86ISD::VAARG_64, dl,
9361                                           VTs, &InstOps[0], InstOps.size(),
9362                                           MVT::i64,
9363                                           MachinePointerInfo(SV),
9364                                           /*Align=*/0,
9365                                           /*Volatile=*/false,
9366                                           /*ReadMem=*/true,
9367                                           /*WriteMem=*/true);
9368   Chain = VAARG.getValue(1);
9369
9370   // Load the next argument and return it
9371   return DAG.getLoad(ArgVT, dl,
9372                      Chain,
9373                      VAARG,
9374                      MachinePointerInfo(),
9375                      false, false, false, 0);
9376 }
9377
9378 SDValue X86TargetLowering::LowerVACOPY(SDValue Op, SelectionDAG &DAG) const {
9379   // X86-64 va_list is a struct { i32, i32, i8*, i8* }.
9380   assert(Subtarget->is64Bit() && "This code only handles 64-bit va_copy!");
9381   SDValue Chain = Op.getOperand(0);
9382   SDValue DstPtr = Op.getOperand(1);
9383   SDValue SrcPtr = Op.getOperand(2);
9384   const Value *DstSV = cast<SrcValueSDNode>(Op.getOperand(3))->getValue();
9385   const Value *SrcSV = cast<SrcValueSDNode>(Op.getOperand(4))->getValue();
9386   DebugLoc DL = Op.getDebugLoc();
9387
9388   return DAG.getMemcpy(Chain, DL, DstPtr, SrcPtr,
9389                        DAG.getIntPtrConstant(24), 8, /*isVolatile*/false,
9390                        false,
9391                        MachinePointerInfo(DstSV), MachinePointerInfo(SrcSV));
9392 }
9393
9394 // getTargetVShiftNOde - Handle vector element shifts where the shift amount
9395 // may or may not be a constant. Takes immediate version of shift as input.
9396 static SDValue getTargetVShiftNode(unsigned Opc, DebugLoc dl, EVT VT,
9397                                    SDValue SrcOp, SDValue ShAmt,
9398                                    SelectionDAG &DAG) {
9399   assert(ShAmt.getValueType() == MVT::i32 && "ShAmt is not i32");
9400
9401   if (isa<ConstantSDNode>(ShAmt)) {
9402     switch (Opc) {
9403       default: llvm_unreachable("Unknown target vector shift node");
9404       case X86ISD::VSHLI:
9405       case X86ISD::VSRLI:
9406       case X86ISD::VSRAI:
9407         return DAG.getNode(Opc, dl, VT, SrcOp, ShAmt);
9408     }
9409   }
9410
9411   // Change opcode to non-immediate version
9412   switch (Opc) {
9413     default: llvm_unreachable("Unknown target vector shift node");
9414     case X86ISD::VSHLI: Opc = X86ISD::VSHL; break;
9415     case X86ISD::VSRLI: Opc = X86ISD::VSRL; break;
9416     case X86ISD::VSRAI: Opc = X86ISD::VSRA; break;
9417   }
9418
9419   // Need to build a vector containing shift amount
9420   // Shift amount is 32-bits, but SSE instructions read 64-bit, so fill with 0
9421   SDValue ShOps[4];
9422   ShOps[0] = ShAmt;
9423   ShOps[1] = DAG.getConstant(0, MVT::i32);
9424   ShOps[2] = DAG.getUNDEF(MVT::i32);
9425   ShOps[3] = DAG.getUNDEF(MVT::i32);
9426   ShAmt = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v4i32, &ShOps[0], 4);
9427   ShAmt = DAG.getNode(ISD::BITCAST, dl, VT, ShAmt);
9428   return DAG.getNode(Opc, dl, VT, SrcOp, ShAmt);
9429 }
9430
9431 SDValue
9432 X86TargetLowering::LowerINTRINSIC_WO_CHAIN(SDValue Op, SelectionDAG &DAG) const {
9433   DebugLoc dl = Op.getDebugLoc();
9434   unsigned IntNo = cast<ConstantSDNode>(Op.getOperand(0))->getZExtValue();
9435   switch (IntNo) {
9436   default: return SDValue();    // Don't custom lower most intrinsics.
9437   // Comparison intrinsics.
9438   case Intrinsic::x86_sse_comieq_ss:
9439   case Intrinsic::x86_sse_comilt_ss:
9440   case Intrinsic::x86_sse_comile_ss:
9441   case Intrinsic::x86_sse_comigt_ss:
9442   case Intrinsic::x86_sse_comige_ss:
9443   case Intrinsic::x86_sse_comineq_ss:
9444   case Intrinsic::x86_sse_ucomieq_ss:
9445   case Intrinsic::x86_sse_ucomilt_ss:
9446   case Intrinsic::x86_sse_ucomile_ss:
9447   case Intrinsic::x86_sse_ucomigt_ss:
9448   case Intrinsic::x86_sse_ucomige_ss:
9449   case Intrinsic::x86_sse_ucomineq_ss:
9450   case Intrinsic::x86_sse2_comieq_sd:
9451   case Intrinsic::x86_sse2_comilt_sd:
9452   case Intrinsic::x86_sse2_comile_sd:
9453   case Intrinsic::x86_sse2_comigt_sd:
9454   case Intrinsic::x86_sse2_comige_sd:
9455   case Intrinsic::x86_sse2_comineq_sd:
9456   case Intrinsic::x86_sse2_ucomieq_sd:
9457   case Intrinsic::x86_sse2_ucomilt_sd:
9458   case Intrinsic::x86_sse2_ucomile_sd:
9459   case Intrinsic::x86_sse2_ucomigt_sd:
9460   case Intrinsic::x86_sse2_ucomige_sd:
9461   case Intrinsic::x86_sse2_ucomineq_sd: {
9462     unsigned Opc = 0;
9463     ISD::CondCode CC = ISD::SETCC_INVALID;
9464     switch (IntNo) {
9465     default: llvm_unreachable("Impossible intrinsic");  // Can't reach here.
9466     case Intrinsic::x86_sse_comieq_ss:
9467     case Intrinsic::x86_sse2_comieq_sd:
9468       Opc = X86ISD::COMI;
9469       CC = ISD::SETEQ;
9470       break;
9471     case Intrinsic::x86_sse_comilt_ss:
9472     case Intrinsic::x86_sse2_comilt_sd:
9473       Opc = X86ISD::COMI;
9474       CC = ISD::SETLT;
9475       break;
9476     case Intrinsic::x86_sse_comile_ss:
9477     case Intrinsic::x86_sse2_comile_sd:
9478       Opc = X86ISD::COMI;
9479       CC = ISD::SETLE;
9480       break;
9481     case Intrinsic::x86_sse_comigt_ss:
9482     case Intrinsic::x86_sse2_comigt_sd:
9483       Opc = X86ISD::COMI;
9484       CC = ISD::SETGT;
9485       break;
9486     case Intrinsic::x86_sse_comige_ss:
9487     case Intrinsic::x86_sse2_comige_sd:
9488       Opc = X86ISD::COMI;
9489       CC = ISD::SETGE;
9490       break;
9491     case Intrinsic::x86_sse_comineq_ss:
9492     case Intrinsic::x86_sse2_comineq_sd:
9493       Opc = X86ISD::COMI;
9494       CC = ISD::SETNE;
9495       break;
9496     case Intrinsic::x86_sse_ucomieq_ss:
9497     case Intrinsic::x86_sse2_ucomieq_sd:
9498       Opc = X86ISD::UCOMI;
9499       CC = ISD::SETEQ;
9500       break;
9501     case Intrinsic::x86_sse_ucomilt_ss:
9502     case Intrinsic::x86_sse2_ucomilt_sd:
9503       Opc = X86ISD::UCOMI;
9504       CC = ISD::SETLT;
9505       break;
9506     case Intrinsic::x86_sse_ucomile_ss:
9507     case Intrinsic::x86_sse2_ucomile_sd:
9508       Opc = X86ISD::UCOMI;
9509       CC = ISD::SETLE;
9510       break;
9511     case Intrinsic::x86_sse_ucomigt_ss:
9512     case Intrinsic::x86_sse2_ucomigt_sd:
9513       Opc = X86ISD::UCOMI;
9514       CC = ISD::SETGT;
9515       break;
9516     case Intrinsic::x86_sse_ucomige_ss:
9517     case Intrinsic::x86_sse2_ucomige_sd:
9518       Opc = X86ISD::UCOMI;
9519       CC = ISD::SETGE;
9520       break;
9521     case Intrinsic::x86_sse_ucomineq_ss:
9522     case Intrinsic::x86_sse2_ucomineq_sd:
9523       Opc = X86ISD::UCOMI;
9524       CC = ISD::SETNE;
9525       break;
9526     }
9527
9528     SDValue LHS = Op.getOperand(1);
9529     SDValue RHS = Op.getOperand(2);
9530     unsigned X86CC = TranslateX86CC(CC, true, LHS, RHS, DAG);
9531     assert(X86CC != X86::COND_INVALID && "Unexpected illegal condition!");
9532     SDValue Cond = DAG.getNode(Opc, dl, MVT::i32, LHS, RHS);
9533     SDValue SetCC = DAG.getNode(X86ISD::SETCC, dl, MVT::i8,
9534                                 DAG.getConstant(X86CC, MVT::i8), Cond);
9535     return DAG.getNode(ISD::ZERO_EXTEND, dl, MVT::i32, SetCC);
9536   }
9537   // Arithmetic intrinsics.
9538   case Intrinsic::x86_sse2_pmulu_dq:
9539   case Intrinsic::x86_avx2_pmulu_dq:
9540     return DAG.getNode(X86ISD::PMULUDQ, dl, Op.getValueType(),
9541                        Op.getOperand(1), Op.getOperand(2));
9542   case Intrinsic::x86_sse3_hadd_ps:
9543   case Intrinsic::x86_sse3_hadd_pd:
9544   case Intrinsic::x86_avx_hadd_ps_256:
9545   case Intrinsic::x86_avx_hadd_pd_256:
9546     return DAG.getNode(X86ISD::FHADD, dl, Op.getValueType(),
9547                        Op.getOperand(1), Op.getOperand(2));
9548   case Intrinsic::x86_sse3_hsub_ps:
9549   case Intrinsic::x86_sse3_hsub_pd:
9550   case Intrinsic::x86_avx_hsub_ps_256:
9551   case Intrinsic::x86_avx_hsub_pd_256:
9552     return DAG.getNode(X86ISD::FHSUB, dl, Op.getValueType(),
9553                        Op.getOperand(1), Op.getOperand(2));
9554   case Intrinsic::x86_ssse3_phadd_w_128:
9555   case Intrinsic::x86_ssse3_phadd_d_128:
9556   case Intrinsic::x86_avx2_phadd_w:
9557   case Intrinsic::x86_avx2_phadd_d:
9558     return DAG.getNode(X86ISD::HADD, dl, Op.getValueType(),
9559                        Op.getOperand(1), Op.getOperand(2));
9560   case Intrinsic::x86_ssse3_phsub_w_128:
9561   case Intrinsic::x86_ssse3_phsub_d_128:
9562   case Intrinsic::x86_avx2_phsub_w:
9563   case Intrinsic::x86_avx2_phsub_d:
9564     return DAG.getNode(X86ISD::HSUB, dl, Op.getValueType(),
9565                        Op.getOperand(1), Op.getOperand(2));
9566   case Intrinsic::x86_avx2_psllv_d:
9567   case Intrinsic::x86_avx2_psllv_q:
9568   case Intrinsic::x86_avx2_psllv_d_256:
9569   case Intrinsic::x86_avx2_psllv_q_256:
9570     return DAG.getNode(ISD::SHL, dl, Op.getValueType(),
9571                       Op.getOperand(1), Op.getOperand(2));
9572   case Intrinsic::x86_avx2_psrlv_d:
9573   case Intrinsic::x86_avx2_psrlv_q:
9574   case Intrinsic::x86_avx2_psrlv_d_256:
9575   case Intrinsic::x86_avx2_psrlv_q_256:
9576     return DAG.getNode(ISD::SRL, dl, Op.getValueType(),
9577                       Op.getOperand(1), Op.getOperand(2));
9578   case Intrinsic::x86_avx2_psrav_d:
9579   case Intrinsic::x86_avx2_psrav_d_256:
9580     return DAG.getNode(ISD::SRA, dl, Op.getValueType(),
9581                       Op.getOperand(1), Op.getOperand(2));
9582   case Intrinsic::x86_ssse3_pshuf_b_128:
9583   case Intrinsic::x86_avx2_pshuf_b:
9584     return DAG.getNode(X86ISD::PSHUFB, dl, Op.getValueType(),
9585                        Op.getOperand(1), Op.getOperand(2));
9586   case Intrinsic::x86_ssse3_psign_b_128:
9587   case Intrinsic::x86_ssse3_psign_w_128:
9588   case Intrinsic::x86_ssse3_psign_d_128:
9589   case Intrinsic::x86_avx2_psign_b:
9590   case Intrinsic::x86_avx2_psign_w:
9591   case Intrinsic::x86_avx2_psign_d:
9592     return DAG.getNode(X86ISD::PSIGN, dl, Op.getValueType(),
9593                        Op.getOperand(1), Op.getOperand(2));
9594   case Intrinsic::x86_sse41_insertps:
9595     return DAG.getNode(X86ISD::INSERTPS, dl, Op.getValueType(),
9596                        Op.getOperand(1), Op.getOperand(2), Op.getOperand(3));
9597   case Intrinsic::x86_avx_vperm2f128_ps_256:
9598   case Intrinsic::x86_avx_vperm2f128_pd_256:
9599   case Intrinsic::x86_avx_vperm2f128_si_256:
9600   case Intrinsic::x86_avx2_vperm2i128:
9601     return DAG.getNode(X86ISD::VPERM2X128, dl, Op.getValueType(),
9602                        Op.getOperand(1), Op.getOperand(2), Op.getOperand(3));
9603   case Intrinsic::x86_avx2_permd:
9604   case Intrinsic::x86_avx2_permps:
9605     // Operands intentionally swapped. Mask is last operand to intrinsic,
9606     // but second operand for node/intruction.
9607     return DAG.getNode(X86ISD::VPERMV, dl, Op.getValueType(),
9608                        Op.getOperand(2), Op.getOperand(1));
9609
9610   // ptest and testp intrinsics. The intrinsic these come from are designed to
9611   // return an integer value, not just an instruction so lower it to the ptest
9612   // or testp pattern and a setcc for the result.
9613   case Intrinsic::x86_sse41_ptestz:
9614   case Intrinsic::x86_sse41_ptestc:
9615   case Intrinsic::x86_sse41_ptestnzc:
9616   case Intrinsic::x86_avx_ptestz_256:
9617   case Intrinsic::x86_avx_ptestc_256:
9618   case Intrinsic::x86_avx_ptestnzc_256:
9619   case Intrinsic::x86_avx_vtestz_ps:
9620   case Intrinsic::x86_avx_vtestc_ps:
9621   case Intrinsic::x86_avx_vtestnzc_ps:
9622   case Intrinsic::x86_avx_vtestz_pd:
9623   case Intrinsic::x86_avx_vtestc_pd:
9624   case Intrinsic::x86_avx_vtestnzc_pd:
9625   case Intrinsic::x86_avx_vtestz_ps_256:
9626   case Intrinsic::x86_avx_vtestc_ps_256:
9627   case Intrinsic::x86_avx_vtestnzc_ps_256:
9628   case Intrinsic::x86_avx_vtestz_pd_256:
9629   case Intrinsic::x86_avx_vtestc_pd_256:
9630   case Intrinsic::x86_avx_vtestnzc_pd_256: {
9631     bool IsTestPacked = false;
9632     unsigned X86CC = 0;
9633     switch (IntNo) {
9634     default: llvm_unreachable("Bad fallthrough in Intrinsic lowering.");
9635     case Intrinsic::x86_avx_vtestz_ps:
9636     case Intrinsic::x86_avx_vtestz_pd:
9637     case Intrinsic::x86_avx_vtestz_ps_256:
9638     case Intrinsic::x86_avx_vtestz_pd_256:
9639       IsTestPacked = true; // Fallthrough
9640     case Intrinsic::x86_sse41_ptestz:
9641     case Intrinsic::x86_avx_ptestz_256:
9642       // ZF = 1
9643       X86CC = X86::COND_E;
9644       break;
9645     case Intrinsic::x86_avx_vtestc_ps:
9646     case Intrinsic::x86_avx_vtestc_pd:
9647     case Intrinsic::x86_avx_vtestc_ps_256:
9648     case Intrinsic::x86_avx_vtestc_pd_256:
9649       IsTestPacked = true; // Fallthrough
9650     case Intrinsic::x86_sse41_ptestc:
9651     case Intrinsic::x86_avx_ptestc_256:
9652       // CF = 1
9653       X86CC = X86::COND_B;
9654       break;
9655     case Intrinsic::x86_avx_vtestnzc_ps:
9656     case Intrinsic::x86_avx_vtestnzc_pd:
9657     case Intrinsic::x86_avx_vtestnzc_ps_256:
9658     case Intrinsic::x86_avx_vtestnzc_pd_256:
9659       IsTestPacked = true; // Fallthrough
9660     case Intrinsic::x86_sse41_ptestnzc:
9661     case Intrinsic::x86_avx_ptestnzc_256:
9662       // ZF and CF = 0
9663       X86CC = X86::COND_A;
9664       break;
9665     }
9666
9667     SDValue LHS = Op.getOperand(1);
9668     SDValue RHS = Op.getOperand(2);
9669     unsigned TestOpc = IsTestPacked ? X86ISD::TESTP : X86ISD::PTEST;
9670     SDValue Test = DAG.getNode(TestOpc, dl, MVT::i32, LHS, RHS);
9671     SDValue CC = DAG.getConstant(X86CC, MVT::i8);
9672     SDValue SetCC = DAG.getNode(X86ISD::SETCC, dl, MVT::i8, CC, Test);
9673     return DAG.getNode(ISD::ZERO_EXTEND, dl, MVT::i32, SetCC);
9674   }
9675
9676   // SSE/AVX shift intrinsics
9677   case Intrinsic::x86_sse2_psll_w:
9678   case Intrinsic::x86_sse2_psll_d:
9679   case Intrinsic::x86_sse2_psll_q:
9680   case Intrinsic::x86_avx2_psll_w:
9681   case Intrinsic::x86_avx2_psll_d:
9682   case Intrinsic::x86_avx2_psll_q:
9683     return DAG.getNode(X86ISD::VSHL, dl, Op.getValueType(),
9684                        Op.getOperand(1), Op.getOperand(2));
9685   case Intrinsic::x86_sse2_psrl_w:
9686   case Intrinsic::x86_sse2_psrl_d:
9687   case Intrinsic::x86_sse2_psrl_q:
9688   case Intrinsic::x86_avx2_psrl_w:
9689   case Intrinsic::x86_avx2_psrl_d:
9690   case Intrinsic::x86_avx2_psrl_q:
9691     return DAG.getNode(X86ISD::VSRL, dl, Op.getValueType(),
9692                        Op.getOperand(1), Op.getOperand(2));
9693   case Intrinsic::x86_sse2_psra_w:
9694   case Intrinsic::x86_sse2_psra_d:
9695   case Intrinsic::x86_avx2_psra_w:
9696   case Intrinsic::x86_avx2_psra_d:
9697     return DAG.getNode(X86ISD::VSRA, dl, Op.getValueType(),
9698                        Op.getOperand(1), Op.getOperand(2));
9699   case Intrinsic::x86_sse2_pslli_w:
9700   case Intrinsic::x86_sse2_pslli_d:
9701   case Intrinsic::x86_sse2_pslli_q:
9702   case Intrinsic::x86_avx2_pslli_w:
9703   case Intrinsic::x86_avx2_pslli_d:
9704   case Intrinsic::x86_avx2_pslli_q:
9705     return getTargetVShiftNode(X86ISD::VSHLI, dl, Op.getValueType(),
9706                                Op.getOperand(1), Op.getOperand(2), DAG);
9707   case Intrinsic::x86_sse2_psrli_w:
9708   case Intrinsic::x86_sse2_psrli_d:
9709   case Intrinsic::x86_sse2_psrli_q:
9710   case Intrinsic::x86_avx2_psrli_w:
9711   case Intrinsic::x86_avx2_psrli_d:
9712   case Intrinsic::x86_avx2_psrli_q:
9713     return getTargetVShiftNode(X86ISD::VSRLI, dl, Op.getValueType(),
9714                                Op.getOperand(1), Op.getOperand(2), DAG);
9715   case Intrinsic::x86_sse2_psrai_w:
9716   case Intrinsic::x86_sse2_psrai_d:
9717   case Intrinsic::x86_avx2_psrai_w:
9718   case Intrinsic::x86_avx2_psrai_d:
9719     return getTargetVShiftNode(X86ISD::VSRAI, dl, Op.getValueType(),
9720                                Op.getOperand(1), Op.getOperand(2), DAG);
9721   // Fix vector shift instructions where the last operand is a non-immediate
9722   // i32 value.
9723   case Intrinsic::x86_mmx_pslli_w:
9724   case Intrinsic::x86_mmx_pslli_d:
9725   case Intrinsic::x86_mmx_pslli_q:
9726   case Intrinsic::x86_mmx_psrli_w:
9727   case Intrinsic::x86_mmx_psrli_d:
9728   case Intrinsic::x86_mmx_psrli_q:
9729   case Intrinsic::x86_mmx_psrai_w:
9730   case Intrinsic::x86_mmx_psrai_d: {
9731     SDValue ShAmt = Op.getOperand(2);
9732     if (isa<ConstantSDNode>(ShAmt))
9733       return SDValue();
9734
9735     unsigned NewIntNo = 0;
9736     switch (IntNo) {
9737     case Intrinsic::x86_mmx_pslli_w:
9738       NewIntNo = Intrinsic::x86_mmx_psll_w;
9739       break;
9740     case Intrinsic::x86_mmx_pslli_d:
9741       NewIntNo = Intrinsic::x86_mmx_psll_d;
9742       break;
9743     case Intrinsic::x86_mmx_pslli_q:
9744       NewIntNo = Intrinsic::x86_mmx_psll_q;
9745       break;
9746     case Intrinsic::x86_mmx_psrli_w:
9747       NewIntNo = Intrinsic::x86_mmx_psrl_w;
9748       break;
9749     case Intrinsic::x86_mmx_psrli_d:
9750       NewIntNo = Intrinsic::x86_mmx_psrl_d;
9751       break;
9752     case Intrinsic::x86_mmx_psrli_q:
9753       NewIntNo = Intrinsic::x86_mmx_psrl_q;
9754       break;
9755     case Intrinsic::x86_mmx_psrai_w:
9756       NewIntNo = Intrinsic::x86_mmx_psra_w;
9757       break;
9758     case Intrinsic::x86_mmx_psrai_d:
9759       NewIntNo = Intrinsic::x86_mmx_psra_d;
9760       break;
9761     default: llvm_unreachable("Impossible intrinsic");  // Can't reach here.
9762     }
9763
9764     // The vector shift intrinsics with scalars uses 32b shift amounts but
9765     // the sse2/mmx shift instructions reads 64 bits. Set the upper 32 bits
9766     // to be zero.
9767     ShAmt =  DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v2i32, ShAmt,
9768                          DAG.getConstant(0, MVT::i32));
9769 // FIXME this must be lowered to get rid of the invalid type.
9770
9771     EVT VT = Op.getValueType();
9772     ShAmt = DAG.getNode(ISD::BITCAST, dl, VT, ShAmt);
9773     return DAG.getNode(ISD::INTRINSIC_WO_CHAIN, dl, VT,
9774                        DAG.getConstant(NewIntNo, MVT::i32),
9775                        Op.getOperand(1), ShAmt);
9776   }
9777   }
9778 }
9779
9780 SDValue X86TargetLowering::LowerRETURNADDR(SDValue Op,
9781                                            SelectionDAG &DAG) const {
9782   MachineFrameInfo *MFI = DAG.getMachineFunction().getFrameInfo();
9783   MFI->setReturnAddressIsTaken(true);
9784
9785   unsigned Depth = cast<ConstantSDNode>(Op.getOperand(0))->getZExtValue();
9786   DebugLoc dl = Op.getDebugLoc();
9787
9788   if (Depth > 0) {
9789     SDValue FrameAddr = LowerFRAMEADDR(Op, DAG);
9790     SDValue Offset =
9791       DAG.getConstant(TD->getPointerSize(),
9792                       Subtarget->is64Bit() ? MVT::i64 : MVT::i32);
9793     return DAG.getLoad(getPointerTy(), dl, DAG.getEntryNode(),
9794                        DAG.getNode(ISD::ADD, dl, getPointerTy(),
9795                                    FrameAddr, Offset),
9796                        MachinePointerInfo(), false, false, false, 0);
9797   }
9798
9799   // Just load the return address.
9800   SDValue RetAddrFI = getReturnAddressFrameIndex(DAG);
9801   return DAG.getLoad(getPointerTy(), dl, DAG.getEntryNode(),
9802                      RetAddrFI, MachinePointerInfo(), false, false, false, 0);
9803 }
9804
9805 SDValue X86TargetLowering::LowerFRAMEADDR(SDValue Op, SelectionDAG &DAG) const {
9806   MachineFrameInfo *MFI = DAG.getMachineFunction().getFrameInfo();
9807   MFI->setFrameAddressIsTaken(true);
9808
9809   EVT VT = Op.getValueType();
9810   DebugLoc dl = Op.getDebugLoc();  // FIXME probably not meaningful
9811   unsigned Depth = cast<ConstantSDNode>(Op.getOperand(0))->getZExtValue();
9812   unsigned FrameReg = Subtarget->is64Bit() ? X86::RBP : X86::EBP;
9813   SDValue FrameAddr = DAG.getCopyFromReg(DAG.getEntryNode(), dl, FrameReg, VT);
9814   while (Depth--)
9815     FrameAddr = DAG.getLoad(VT, dl, DAG.getEntryNode(), FrameAddr,
9816                             MachinePointerInfo(),
9817                             false, false, false, 0);
9818   return FrameAddr;
9819 }
9820
9821 SDValue X86TargetLowering::LowerFRAME_TO_ARGS_OFFSET(SDValue Op,
9822                                                      SelectionDAG &DAG) const {
9823   return DAG.getIntPtrConstant(2*TD->getPointerSize());
9824 }
9825
9826 SDValue X86TargetLowering::LowerEH_RETURN(SDValue Op, SelectionDAG &DAG) const {
9827   MachineFunction &MF = DAG.getMachineFunction();
9828   SDValue Chain     = Op.getOperand(0);
9829   SDValue Offset    = Op.getOperand(1);
9830   SDValue Handler   = Op.getOperand(2);
9831   DebugLoc dl       = Op.getDebugLoc();
9832
9833   SDValue Frame = DAG.getCopyFromReg(DAG.getEntryNode(), dl,
9834                                      Subtarget->is64Bit() ? X86::RBP : X86::EBP,
9835                                      getPointerTy());
9836   unsigned StoreAddrReg = (Subtarget->is64Bit() ? X86::RCX : X86::ECX);
9837
9838   SDValue StoreAddr = DAG.getNode(ISD::ADD, dl, getPointerTy(), Frame,
9839                                   DAG.getIntPtrConstant(TD->getPointerSize()));
9840   StoreAddr = DAG.getNode(ISD::ADD, dl, getPointerTy(), StoreAddr, Offset);
9841   Chain = DAG.getStore(Chain, dl, Handler, StoreAddr, MachinePointerInfo(),
9842                        false, false, 0);
9843   Chain = DAG.getCopyToReg(Chain, dl, StoreAddrReg, StoreAddr);
9844   MF.getRegInfo().addLiveOut(StoreAddrReg);
9845
9846   return DAG.getNode(X86ISD::EH_RETURN, dl,
9847                      MVT::Other,
9848                      Chain, DAG.getRegister(StoreAddrReg, getPointerTy()));
9849 }
9850
9851 SDValue X86TargetLowering::LowerADJUST_TRAMPOLINE(SDValue Op,
9852                                                   SelectionDAG &DAG) const {
9853   return Op.getOperand(0);
9854 }
9855
9856 SDValue X86TargetLowering::LowerINIT_TRAMPOLINE(SDValue Op,
9857                                                 SelectionDAG &DAG) const {
9858   SDValue Root = Op.getOperand(0);
9859   SDValue Trmp = Op.getOperand(1); // trampoline
9860   SDValue FPtr = Op.getOperand(2); // nested function
9861   SDValue Nest = Op.getOperand(3); // 'nest' parameter value
9862   DebugLoc dl  = Op.getDebugLoc();
9863
9864   const Value *TrmpAddr = cast<SrcValueSDNode>(Op.getOperand(4))->getValue();
9865
9866   if (Subtarget->is64Bit()) {
9867     SDValue OutChains[6];
9868
9869     // Large code-model.
9870     const unsigned char JMP64r  = 0xFF; // 64-bit jmp through register opcode.
9871     const unsigned char MOV64ri = 0xB8; // X86::MOV64ri opcode.
9872
9873     const unsigned char N86R10 = X86_MC::getX86RegNum(X86::R10);
9874     const unsigned char N86R11 = X86_MC::getX86RegNum(X86::R11);
9875
9876     const unsigned char REX_WB = 0x40 | 0x08 | 0x01; // REX prefix
9877
9878     // Load the pointer to the nested function into R11.
9879     unsigned OpCode = ((MOV64ri | N86R11) << 8) | REX_WB; // movabsq r11
9880     SDValue Addr = Trmp;
9881     OutChains[0] = DAG.getStore(Root, dl, DAG.getConstant(OpCode, MVT::i16),
9882                                 Addr, MachinePointerInfo(TrmpAddr),
9883                                 false, false, 0);
9884
9885     Addr = DAG.getNode(ISD::ADD, dl, MVT::i64, Trmp,
9886                        DAG.getConstant(2, MVT::i64));
9887     OutChains[1] = DAG.getStore(Root, dl, FPtr, Addr,
9888                                 MachinePointerInfo(TrmpAddr, 2),
9889                                 false, false, 2);
9890
9891     // Load the 'nest' parameter value into R10.
9892     // R10 is specified in X86CallingConv.td
9893     OpCode = ((MOV64ri | N86R10) << 8) | REX_WB; // movabsq r10
9894     Addr = DAG.getNode(ISD::ADD, dl, MVT::i64, Trmp,
9895                        DAG.getConstant(10, MVT::i64));
9896     OutChains[2] = DAG.getStore(Root, dl, DAG.getConstant(OpCode, MVT::i16),
9897                                 Addr, MachinePointerInfo(TrmpAddr, 10),
9898                                 false, false, 0);
9899
9900     Addr = DAG.getNode(ISD::ADD, dl, MVT::i64, Trmp,
9901                        DAG.getConstant(12, MVT::i64));
9902     OutChains[3] = DAG.getStore(Root, dl, Nest, Addr,
9903                                 MachinePointerInfo(TrmpAddr, 12),
9904                                 false, false, 2);
9905
9906     // Jump to the nested function.
9907     OpCode = (JMP64r << 8) | REX_WB; // jmpq *...
9908     Addr = DAG.getNode(ISD::ADD, dl, MVT::i64, Trmp,
9909                        DAG.getConstant(20, MVT::i64));
9910     OutChains[4] = DAG.getStore(Root, dl, DAG.getConstant(OpCode, MVT::i16),
9911                                 Addr, MachinePointerInfo(TrmpAddr, 20),
9912                                 false, false, 0);
9913
9914     unsigned char ModRM = N86R11 | (4 << 3) | (3 << 6); // ...r11
9915     Addr = DAG.getNode(ISD::ADD, dl, MVT::i64, Trmp,
9916                        DAG.getConstant(22, MVT::i64));
9917     OutChains[5] = DAG.getStore(Root, dl, DAG.getConstant(ModRM, MVT::i8), Addr,
9918                                 MachinePointerInfo(TrmpAddr, 22),
9919                                 false, false, 0);
9920
9921     return DAG.getNode(ISD::TokenFactor, dl, MVT::Other, OutChains, 6);
9922   } else {
9923     const Function *Func =
9924       cast<Function>(cast<SrcValueSDNode>(Op.getOperand(5))->getValue());
9925     CallingConv::ID CC = Func->getCallingConv();
9926     unsigned NestReg;
9927
9928     switch (CC) {
9929     default:
9930       llvm_unreachable("Unsupported calling convention");
9931     case CallingConv::C:
9932     case CallingConv::X86_StdCall: {
9933       // Pass 'nest' parameter in ECX.
9934       // Must be kept in sync with X86CallingConv.td
9935       NestReg = X86::ECX;
9936
9937       // Check that ECX wasn't needed by an 'inreg' parameter.
9938       FunctionType *FTy = Func->getFunctionType();
9939       const AttrListPtr &Attrs = Func->getAttributes();
9940
9941       if (!Attrs.isEmpty() && !Func->isVarArg()) {
9942         unsigned InRegCount = 0;
9943         unsigned Idx = 1;
9944
9945         for (FunctionType::param_iterator I = FTy->param_begin(),
9946              E = FTy->param_end(); I != E; ++I, ++Idx)
9947           if (Attrs.paramHasAttr(Idx, Attribute::InReg))
9948             // FIXME: should only count parameters that are lowered to integers.
9949             InRegCount += (TD->getTypeSizeInBits(*I) + 31) / 32;
9950
9951         if (InRegCount > 2) {
9952           report_fatal_error("Nest register in use - reduce number of inreg"
9953                              " parameters!");
9954         }
9955       }
9956       break;
9957     }
9958     case CallingConv::X86_FastCall:
9959     case CallingConv::X86_ThisCall:
9960     case CallingConv::Fast:
9961       // Pass 'nest' parameter in EAX.
9962       // Must be kept in sync with X86CallingConv.td
9963       NestReg = X86::EAX;
9964       break;
9965     }
9966
9967     SDValue OutChains[4];
9968     SDValue Addr, Disp;
9969
9970     Addr = DAG.getNode(ISD::ADD, dl, MVT::i32, Trmp,
9971                        DAG.getConstant(10, MVT::i32));
9972     Disp = DAG.getNode(ISD::SUB, dl, MVT::i32, FPtr, Addr);
9973
9974     // This is storing the opcode for MOV32ri.
9975     const unsigned char MOV32ri = 0xB8; // X86::MOV32ri's opcode byte.
9976     const unsigned char N86Reg = X86_MC::getX86RegNum(NestReg);
9977     OutChains[0] = DAG.getStore(Root, dl,
9978                                 DAG.getConstant(MOV32ri|N86Reg, MVT::i8),
9979                                 Trmp, MachinePointerInfo(TrmpAddr),
9980                                 false, false, 0);
9981
9982     Addr = DAG.getNode(ISD::ADD, dl, MVT::i32, Trmp,
9983                        DAG.getConstant(1, MVT::i32));
9984     OutChains[1] = DAG.getStore(Root, dl, Nest, Addr,
9985                                 MachinePointerInfo(TrmpAddr, 1),
9986                                 false, false, 1);
9987
9988     const unsigned char JMP = 0xE9; // jmp <32bit dst> opcode.
9989     Addr = DAG.getNode(ISD::ADD, dl, MVT::i32, Trmp,
9990                        DAG.getConstant(5, MVT::i32));
9991     OutChains[2] = DAG.getStore(Root, dl, DAG.getConstant(JMP, MVT::i8), Addr,
9992                                 MachinePointerInfo(TrmpAddr, 5),
9993                                 false, false, 1);
9994
9995     Addr = DAG.getNode(ISD::ADD, dl, MVT::i32, Trmp,
9996                        DAG.getConstant(6, MVT::i32));
9997     OutChains[3] = DAG.getStore(Root, dl, Disp, Addr,
9998                                 MachinePointerInfo(TrmpAddr, 6),
9999                                 false, false, 1);
10000
10001     return DAG.getNode(ISD::TokenFactor, dl, MVT::Other, OutChains, 4);
10002   }
10003 }
10004
10005 SDValue X86TargetLowering::LowerFLT_ROUNDS_(SDValue Op,
10006                                             SelectionDAG &DAG) const {
10007   /*
10008    The rounding mode is in bits 11:10 of FPSR, and has the following
10009    settings:
10010      00 Round to nearest
10011      01 Round to -inf
10012      10 Round to +inf
10013      11 Round to 0
10014
10015   FLT_ROUNDS, on the other hand, expects the following:
10016     -1 Undefined
10017      0 Round to 0
10018      1 Round to nearest
10019      2 Round to +inf
10020      3 Round to -inf
10021
10022   To perform the conversion, we do:
10023     (((((FPSR & 0x800) >> 11) | ((FPSR & 0x400) >> 9)) + 1) & 3)
10024   */
10025
10026   MachineFunction &MF = DAG.getMachineFunction();
10027   const TargetMachine &TM = MF.getTarget();
10028   const TargetFrameLowering &TFI = *TM.getFrameLowering();
10029   unsigned StackAlignment = TFI.getStackAlignment();
10030   EVT VT = Op.getValueType();
10031   DebugLoc DL = Op.getDebugLoc();
10032
10033   // Save FP Control Word to stack slot
10034   int SSFI = MF.getFrameInfo()->CreateStackObject(2, StackAlignment, false);
10035   SDValue StackSlot = DAG.getFrameIndex(SSFI, getPointerTy());
10036
10037
10038   MachineMemOperand *MMO =
10039    MF.getMachineMemOperand(MachinePointerInfo::getFixedStack(SSFI),
10040                            MachineMemOperand::MOStore, 2, 2);
10041
10042   SDValue Ops[] = { DAG.getEntryNode(), StackSlot };
10043   SDValue Chain = DAG.getMemIntrinsicNode(X86ISD::FNSTCW16m, DL,
10044                                           DAG.getVTList(MVT::Other),
10045                                           Ops, 2, MVT::i16, MMO);
10046
10047   // Load FP Control Word from stack slot
10048   SDValue CWD = DAG.getLoad(MVT::i16, DL, Chain, StackSlot,
10049                             MachinePointerInfo(), false, false, false, 0);
10050
10051   // Transform as necessary
10052   SDValue CWD1 =
10053     DAG.getNode(ISD::SRL, DL, MVT::i16,
10054                 DAG.getNode(ISD::AND, DL, MVT::i16,
10055                             CWD, DAG.getConstant(0x800, MVT::i16)),
10056                 DAG.getConstant(11, MVT::i8));
10057   SDValue CWD2 =
10058     DAG.getNode(ISD::SRL, DL, MVT::i16,
10059                 DAG.getNode(ISD::AND, DL, MVT::i16,
10060                             CWD, DAG.getConstant(0x400, MVT::i16)),
10061                 DAG.getConstant(9, MVT::i8));
10062
10063   SDValue RetVal =
10064     DAG.getNode(ISD::AND, DL, MVT::i16,
10065                 DAG.getNode(ISD::ADD, DL, MVT::i16,
10066                             DAG.getNode(ISD::OR, DL, MVT::i16, CWD1, CWD2),
10067                             DAG.getConstant(1, MVT::i16)),
10068                 DAG.getConstant(3, MVT::i16));
10069
10070
10071   return DAG.getNode((VT.getSizeInBits() < 16 ?
10072                       ISD::TRUNCATE : ISD::ZERO_EXTEND), DL, VT, RetVal);
10073 }
10074
10075 SDValue X86TargetLowering::LowerCTLZ(SDValue Op, SelectionDAG &DAG) const {
10076   EVT VT = Op.getValueType();
10077   EVT OpVT = VT;
10078   unsigned NumBits = VT.getSizeInBits();
10079   DebugLoc dl = Op.getDebugLoc();
10080
10081   Op = Op.getOperand(0);
10082   if (VT == MVT::i8) {
10083     // Zero extend to i32 since there is not an i8 bsr.
10084     OpVT = MVT::i32;
10085     Op = DAG.getNode(ISD::ZERO_EXTEND, dl, OpVT, Op);
10086   }
10087
10088   // Issue a bsr (scan bits in reverse) which also sets EFLAGS.
10089   SDVTList VTs = DAG.getVTList(OpVT, MVT::i32);
10090   Op = DAG.getNode(X86ISD::BSR, dl, VTs, Op);
10091
10092   // If src is zero (i.e. bsr sets ZF), returns NumBits.
10093   SDValue Ops[] = {
10094     Op,
10095     DAG.getConstant(NumBits+NumBits-1, OpVT),
10096     DAG.getConstant(X86::COND_E, MVT::i8),
10097     Op.getValue(1)
10098   };
10099   Op = DAG.getNode(X86ISD::CMOV, dl, OpVT, Ops, array_lengthof(Ops));
10100
10101   // Finally xor with NumBits-1.
10102   Op = DAG.getNode(ISD::XOR, dl, OpVT, Op, DAG.getConstant(NumBits-1, OpVT));
10103
10104   if (VT == MVT::i8)
10105     Op = DAG.getNode(ISD::TRUNCATE, dl, MVT::i8, Op);
10106   return Op;
10107 }
10108
10109 SDValue X86TargetLowering::LowerCTLZ_ZERO_UNDEF(SDValue Op,
10110                                                 SelectionDAG &DAG) const {
10111   EVT VT = Op.getValueType();
10112   EVT OpVT = VT;
10113   unsigned NumBits = VT.getSizeInBits();
10114   DebugLoc dl = Op.getDebugLoc();
10115
10116   Op = Op.getOperand(0);
10117   if (VT == MVT::i8) {
10118     // Zero extend to i32 since there is not an i8 bsr.
10119     OpVT = MVT::i32;
10120     Op = DAG.getNode(ISD::ZERO_EXTEND, dl, OpVT, Op);
10121   }
10122
10123   // Issue a bsr (scan bits in reverse).
10124   SDVTList VTs = DAG.getVTList(OpVT, MVT::i32);
10125   Op = DAG.getNode(X86ISD::BSR, dl, VTs, Op);
10126
10127   // And xor with NumBits-1.
10128   Op = DAG.getNode(ISD::XOR, dl, OpVT, Op, DAG.getConstant(NumBits-1, OpVT));
10129
10130   if (VT == MVT::i8)
10131     Op = DAG.getNode(ISD::TRUNCATE, dl, MVT::i8, Op);
10132   return Op;
10133 }
10134
10135 SDValue X86TargetLowering::LowerCTTZ(SDValue Op, SelectionDAG &DAG) const {
10136   EVT VT = Op.getValueType();
10137   unsigned NumBits = VT.getSizeInBits();
10138   DebugLoc dl = Op.getDebugLoc();
10139   Op = Op.getOperand(0);
10140
10141   // Issue a bsf (scan bits forward) which also sets EFLAGS.
10142   SDVTList VTs = DAG.getVTList(VT, MVT::i32);
10143   Op = DAG.getNode(X86ISD::BSF, dl, VTs, Op);
10144
10145   // If src is zero (i.e. bsf sets ZF), returns NumBits.
10146   SDValue Ops[] = {
10147     Op,
10148     DAG.getConstant(NumBits, VT),
10149     DAG.getConstant(X86::COND_E, MVT::i8),
10150     Op.getValue(1)
10151   };
10152   return DAG.getNode(X86ISD::CMOV, dl, VT, Ops, array_lengthof(Ops));
10153 }
10154
10155 // Lower256IntArith - Break a 256-bit integer operation into two new 128-bit
10156 // ones, and then concatenate the result back.
10157 static SDValue Lower256IntArith(SDValue Op, SelectionDAG &DAG) {
10158   EVT VT = Op.getValueType();
10159
10160   assert(VT.getSizeInBits() == 256 && VT.isInteger() &&
10161          "Unsupported value type for operation");
10162
10163   unsigned NumElems = VT.getVectorNumElements();
10164   DebugLoc dl = Op.getDebugLoc();
10165
10166   // Extract the LHS vectors
10167   SDValue LHS = Op.getOperand(0);
10168   SDValue LHS1 = Extract128BitVector(LHS, 0, DAG, dl);
10169   SDValue LHS2 = Extract128BitVector(LHS, NumElems/2, DAG, dl);
10170
10171   // Extract the RHS vectors
10172   SDValue RHS = Op.getOperand(1);
10173   SDValue RHS1 = Extract128BitVector(RHS, 0, DAG, dl);
10174   SDValue RHS2 = Extract128BitVector(RHS, NumElems/2, DAG, dl);
10175
10176   MVT EltVT = VT.getVectorElementType().getSimpleVT();
10177   EVT NewVT = MVT::getVectorVT(EltVT, NumElems/2);
10178
10179   return DAG.getNode(ISD::CONCAT_VECTORS, dl, VT,
10180                      DAG.getNode(Op.getOpcode(), dl, NewVT, LHS1, RHS1),
10181                      DAG.getNode(Op.getOpcode(), dl, NewVT, LHS2, RHS2));
10182 }
10183
10184 SDValue X86TargetLowering::LowerADD(SDValue Op, SelectionDAG &DAG) const {
10185   assert(Op.getValueType().getSizeInBits() == 256 &&
10186          Op.getValueType().isInteger() &&
10187          "Only handle AVX 256-bit vector integer operation");
10188   return Lower256IntArith(Op, DAG);
10189 }
10190
10191 SDValue X86TargetLowering::LowerSUB(SDValue Op, SelectionDAG &DAG) const {
10192   assert(Op.getValueType().getSizeInBits() == 256 &&
10193          Op.getValueType().isInteger() &&
10194          "Only handle AVX 256-bit vector integer operation");
10195   return Lower256IntArith(Op, DAG);
10196 }
10197
10198 SDValue X86TargetLowering::LowerMUL(SDValue Op, SelectionDAG &DAG) const {
10199   EVT VT = Op.getValueType();
10200
10201   // Decompose 256-bit ops into smaller 128-bit ops.
10202   if (VT.getSizeInBits() == 256 && !Subtarget->hasAVX2())
10203     return Lower256IntArith(Op, DAG);
10204
10205   assert((VT == MVT::v2i64 || VT == MVT::v4i64) &&
10206          "Only know how to lower V2I64/V4I64 multiply");
10207
10208   DebugLoc dl = Op.getDebugLoc();
10209
10210   //  Ahi = psrlqi(a, 32);
10211   //  Bhi = psrlqi(b, 32);
10212   //
10213   //  AloBlo = pmuludq(a, b);
10214   //  AloBhi = pmuludq(a, Bhi);
10215   //  AhiBlo = pmuludq(Ahi, b);
10216
10217   //  AloBhi = psllqi(AloBhi, 32);
10218   //  AhiBlo = psllqi(AhiBlo, 32);
10219   //  return AloBlo + AloBhi + AhiBlo;
10220
10221   SDValue A = Op.getOperand(0);
10222   SDValue B = Op.getOperand(1);
10223
10224   SDValue ShAmt = DAG.getConstant(32, MVT::i32);
10225
10226   SDValue Ahi = DAG.getNode(X86ISD::VSRLI, dl, VT, A, ShAmt);
10227   SDValue Bhi = DAG.getNode(X86ISD::VSRLI, dl, VT, B, ShAmt);
10228
10229   // Bit cast to 32-bit vectors for MULUDQ
10230   EVT MulVT = (VT == MVT::v2i64) ? MVT::v4i32 : MVT::v8i32;
10231   A = DAG.getNode(ISD::BITCAST, dl, MulVT, A);
10232   B = DAG.getNode(ISD::BITCAST, dl, MulVT, B);
10233   Ahi = DAG.getNode(ISD::BITCAST, dl, MulVT, Ahi);
10234   Bhi = DAG.getNode(ISD::BITCAST, dl, MulVT, Bhi);
10235
10236   SDValue AloBlo = DAG.getNode(X86ISD::PMULUDQ, dl, VT, A, B);
10237   SDValue AloBhi = DAG.getNode(X86ISD::PMULUDQ, dl, VT, A, Bhi);
10238   SDValue AhiBlo = DAG.getNode(X86ISD::PMULUDQ, dl, VT, Ahi, B);
10239
10240   AloBhi = DAG.getNode(X86ISD::VSHLI, dl, VT, AloBhi, ShAmt);
10241   AhiBlo = DAG.getNode(X86ISD::VSHLI, dl, VT, AhiBlo, ShAmt);
10242
10243   SDValue Res = DAG.getNode(ISD::ADD, dl, VT, AloBlo, AloBhi);
10244   return DAG.getNode(ISD::ADD, dl, VT, Res, AhiBlo);
10245 }
10246
10247 SDValue X86TargetLowering::LowerShift(SDValue Op, SelectionDAG &DAG) const {
10248
10249   EVT VT = Op.getValueType();
10250   DebugLoc dl = Op.getDebugLoc();
10251   SDValue R = Op.getOperand(0);
10252   SDValue Amt = Op.getOperand(1);
10253   LLVMContext *Context = DAG.getContext();
10254
10255   if (!Subtarget->hasSSE2())
10256     return SDValue();
10257
10258   // Optimize shl/srl/sra with constant shift amount.
10259   if (isSplatVector(Amt.getNode())) {
10260     SDValue SclrAmt = Amt->getOperand(0);
10261     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(SclrAmt)) {
10262       uint64_t ShiftAmt = C->getZExtValue();
10263
10264       if (VT == MVT::v2i64 || VT == MVT::v4i32 || VT == MVT::v8i16 ||
10265           (Subtarget->hasAVX2() &&
10266            (VT == MVT::v4i64 || VT == MVT::v8i32 || VT == MVT::v16i16))) {
10267         if (Op.getOpcode() == ISD::SHL)
10268           return DAG.getNode(X86ISD::VSHLI, dl, VT, R,
10269                              DAG.getConstant(ShiftAmt, MVT::i32));
10270         if (Op.getOpcode() == ISD::SRL)
10271           return DAG.getNode(X86ISD::VSRLI, dl, VT, R,
10272                              DAG.getConstant(ShiftAmt, MVT::i32));
10273         if (Op.getOpcode() == ISD::SRA && VT != MVT::v2i64 && VT != MVT::v4i64)
10274           return DAG.getNode(X86ISD::VSRAI, dl, VT, R,
10275                              DAG.getConstant(ShiftAmt, MVT::i32));
10276       }
10277
10278       if (VT == MVT::v16i8) {
10279         if (Op.getOpcode() == ISD::SHL) {
10280           // Make a large shift.
10281           SDValue SHL = DAG.getNode(X86ISD::VSHLI, dl, MVT::v8i16, R,
10282                                     DAG.getConstant(ShiftAmt, MVT::i32));
10283           SHL = DAG.getNode(ISD::BITCAST, dl, VT, SHL);
10284           // Zero out the rightmost bits.
10285           SmallVector<SDValue, 16> V(16,
10286                                      DAG.getConstant(uint8_t(-1U << ShiftAmt),
10287                                                      MVT::i8));
10288           return DAG.getNode(ISD::AND, dl, VT, SHL,
10289                              DAG.getNode(ISD::BUILD_VECTOR, dl, VT, &V[0], 16));
10290         }
10291         if (Op.getOpcode() == ISD::SRL) {
10292           // Make a large shift.
10293           SDValue SRL = DAG.getNode(X86ISD::VSRLI, dl, MVT::v8i16, R,
10294                                     DAG.getConstant(ShiftAmt, MVT::i32));
10295           SRL = DAG.getNode(ISD::BITCAST, dl, VT, SRL);
10296           // Zero out the leftmost bits.
10297           SmallVector<SDValue, 16> V(16,
10298                                      DAG.getConstant(uint8_t(-1U) >> ShiftAmt,
10299                                                      MVT::i8));
10300           return DAG.getNode(ISD::AND, dl, VT, SRL,
10301                              DAG.getNode(ISD::BUILD_VECTOR, dl, VT, &V[0], 16));
10302         }
10303         if (Op.getOpcode() == ISD::SRA) {
10304           if (ShiftAmt == 7) {
10305             // R s>> 7  ===  R s< 0
10306             SDValue Zeros = getZeroVector(VT, Subtarget, DAG, dl);
10307             return DAG.getNode(X86ISD::PCMPGT, dl, VT, Zeros, R);
10308           }
10309
10310           // R s>> a === ((R u>> a) ^ m) - m
10311           SDValue Res = DAG.getNode(ISD::SRL, dl, VT, R, Amt);
10312           SmallVector<SDValue, 16> V(16, DAG.getConstant(128 >> ShiftAmt,
10313                                                          MVT::i8));
10314           SDValue Mask = DAG.getNode(ISD::BUILD_VECTOR, dl, VT, &V[0], 16);
10315           Res = DAG.getNode(ISD::XOR, dl, VT, Res, Mask);
10316           Res = DAG.getNode(ISD::SUB, dl, VT, Res, Mask);
10317           return Res;
10318         }
10319         llvm_unreachable("Unknown shift opcode.");
10320       }
10321
10322       if (Subtarget->hasAVX2() && VT == MVT::v32i8) {
10323         if (Op.getOpcode() == ISD::SHL) {
10324           // Make a large shift.
10325           SDValue SHL = DAG.getNode(X86ISD::VSHLI, dl, MVT::v16i16, R,
10326                                     DAG.getConstant(ShiftAmt, MVT::i32));
10327           SHL = DAG.getNode(ISD::BITCAST, dl, VT, SHL);
10328           // Zero out the rightmost bits.
10329           SmallVector<SDValue, 32> V(32,
10330                                      DAG.getConstant(uint8_t(-1U << ShiftAmt),
10331                                                      MVT::i8));
10332           return DAG.getNode(ISD::AND, dl, VT, SHL,
10333                              DAG.getNode(ISD::BUILD_VECTOR, dl, VT, &V[0], 32));
10334         }
10335         if (Op.getOpcode() == ISD::SRL) {
10336           // Make a large shift.
10337           SDValue SRL = DAG.getNode(X86ISD::VSRLI, dl, MVT::v16i16, R,
10338                                     DAG.getConstant(ShiftAmt, MVT::i32));
10339           SRL = DAG.getNode(ISD::BITCAST, dl, VT, SRL);
10340           // Zero out the leftmost bits.
10341           SmallVector<SDValue, 32> V(32,
10342                                      DAG.getConstant(uint8_t(-1U) >> ShiftAmt,
10343                                                      MVT::i8));
10344           return DAG.getNode(ISD::AND, dl, VT, SRL,
10345                              DAG.getNode(ISD::BUILD_VECTOR, dl, VT, &V[0], 32));
10346         }
10347         if (Op.getOpcode() == ISD::SRA) {
10348           if (ShiftAmt == 7) {
10349             // R s>> 7  ===  R s< 0
10350             SDValue Zeros = getZeroVector(VT, Subtarget, DAG, dl);
10351             return DAG.getNode(X86ISD::PCMPGT, dl, VT, Zeros, R);
10352           }
10353
10354           // R s>> a === ((R u>> a) ^ m) - m
10355           SDValue Res = DAG.getNode(ISD::SRL, dl, VT, R, Amt);
10356           SmallVector<SDValue, 32> V(32, DAG.getConstant(128 >> ShiftAmt,
10357                                                          MVT::i8));
10358           SDValue Mask = DAG.getNode(ISD::BUILD_VECTOR, dl, VT, &V[0], 32);
10359           Res = DAG.getNode(ISD::XOR, dl, VT, Res, Mask);
10360           Res = DAG.getNode(ISD::SUB, dl, VT, Res, Mask);
10361           return Res;
10362         }
10363         llvm_unreachable("Unknown shift opcode.");
10364       }
10365     }
10366   }
10367
10368   // Lower SHL with variable shift amount.
10369   if (VT == MVT::v4i32 && Op->getOpcode() == ISD::SHL) {
10370     Op = DAG.getNode(X86ISD::VSHLI, dl, VT, Op.getOperand(1),
10371                      DAG.getConstant(23, MVT::i32));
10372
10373     const uint32_t CV[] = { 0x3f800000U, 0x3f800000U, 0x3f800000U, 0x3f800000U};
10374     Constant *C = ConstantDataVector::get(*Context, CV);
10375     SDValue CPIdx = DAG.getConstantPool(C, getPointerTy(), 16);
10376     SDValue Addend = DAG.getLoad(VT, dl, DAG.getEntryNode(), CPIdx,
10377                                  MachinePointerInfo::getConstantPool(),
10378                                  false, false, false, 16);
10379
10380     Op = DAG.getNode(ISD::ADD, dl, VT, Op, Addend);
10381     Op = DAG.getNode(ISD::BITCAST, dl, MVT::v4f32, Op);
10382     Op = DAG.getNode(ISD::FP_TO_SINT, dl, VT, Op);
10383     return DAG.getNode(ISD::MUL, dl, VT, Op, R);
10384   }
10385   if (VT == MVT::v16i8 && Op->getOpcode() == ISD::SHL) {
10386     assert(Subtarget->hasSSE2() && "Need SSE2 for pslli/pcmpeq.");
10387
10388     // a = a << 5;
10389     Op = DAG.getNode(X86ISD::VSHLI, dl, MVT::v8i16, Op.getOperand(1),
10390                      DAG.getConstant(5, MVT::i32));
10391     Op = DAG.getNode(ISD::BITCAST, dl, VT, Op);
10392
10393     // Turn 'a' into a mask suitable for VSELECT
10394     SDValue VSelM = DAG.getConstant(0x80, VT);
10395     SDValue OpVSel = DAG.getNode(ISD::AND, dl, VT, VSelM, Op);
10396     OpVSel = DAG.getNode(X86ISD::PCMPEQ, dl, VT, OpVSel, VSelM);
10397
10398     SDValue CM1 = DAG.getConstant(0x0f, VT);
10399     SDValue CM2 = DAG.getConstant(0x3f, VT);
10400
10401     // r = VSELECT(r, psllw(r & (char16)15, 4), a);
10402     SDValue M = DAG.getNode(ISD::AND, dl, VT, R, CM1);
10403     M = getTargetVShiftNode(X86ISD::VSHLI, dl, MVT::v8i16, M,
10404                             DAG.getConstant(4, MVT::i32), DAG);
10405     M = DAG.getNode(ISD::BITCAST, dl, VT, M);
10406     R = DAG.getNode(ISD::VSELECT, dl, VT, OpVSel, M, R);
10407
10408     // a += a
10409     Op = DAG.getNode(ISD::ADD, dl, VT, Op, Op);
10410     OpVSel = DAG.getNode(ISD::AND, dl, VT, VSelM, Op);
10411     OpVSel = DAG.getNode(X86ISD::PCMPEQ, dl, VT, OpVSel, VSelM);
10412
10413     // r = VSELECT(r, psllw(r & (char16)63, 2), a);
10414     M = DAG.getNode(ISD::AND, dl, VT, R, CM2);
10415     M = getTargetVShiftNode(X86ISD::VSHLI, dl, MVT::v8i16, M,
10416                             DAG.getConstant(2, MVT::i32), DAG);
10417     M = DAG.getNode(ISD::BITCAST, dl, VT, M);
10418     R = DAG.getNode(ISD::VSELECT, dl, VT, OpVSel, M, R);
10419
10420     // a += a
10421     Op = DAG.getNode(ISD::ADD, dl, VT, Op, Op);
10422     OpVSel = DAG.getNode(ISD::AND, dl, VT, VSelM, Op);
10423     OpVSel = DAG.getNode(X86ISD::PCMPEQ, dl, VT, OpVSel, VSelM);
10424
10425     // return VSELECT(r, r+r, a);
10426     R = DAG.getNode(ISD::VSELECT, dl, VT, OpVSel,
10427                     DAG.getNode(ISD::ADD, dl, VT, R, R), R);
10428     return R;
10429   }
10430
10431   // Decompose 256-bit shifts into smaller 128-bit shifts.
10432   if (VT.getSizeInBits() == 256) {
10433     unsigned NumElems = VT.getVectorNumElements();
10434     MVT EltVT = VT.getVectorElementType().getSimpleVT();
10435     EVT NewVT = MVT::getVectorVT(EltVT, NumElems/2);
10436
10437     // Extract the two vectors
10438     SDValue V1 = Extract128BitVector(R, 0, DAG, dl);
10439     SDValue V2 = Extract128BitVector(R, NumElems/2, DAG, dl);
10440
10441     // Recreate the shift amount vectors
10442     SDValue Amt1, Amt2;
10443     if (Amt.getOpcode() == ISD::BUILD_VECTOR) {
10444       // Constant shift amount
10445       SmallVector<SDValue, 4> Amt1Csts;
10446       SmallVector<SDValue, 4> Amt2Csts;
10447       for (unsigned i = 0; i != NumElems/2; ++i)
10448         Amt1Csts.push_back(Amt->getOperand(i));
10449       for (unsigned i = NumElems/2; i != NumElems; ++i)
10450         Amt2Csts.push_back(Amt->getOperand(i));
10451
10452       Amt1 = DAG.getNode(ISD::BUILD_VECTOR, dl, NewVT,
10453                                  &Amt1Csts[0], NumElems/2);
10454       Amt2 = DAG.getNode(ISD::BUILD_VECTOR, dl, NewVT,
10455                                  &Amt2Csts[0], NumElems/2);
10456     } else {
10457       // Variable shift amount
10458       Amt1 = Extract128BitVector(Amt, 0, DAG, dl);
10459       Amt2 = Extract128BitVector(Amt, NumElems/2, DAG, dl);
10460     }
10461
10462     // Issue new vector shifts for the smaller types
10463     V1 = DAG.getNode(Op.getOpcode(), dl, NewVT, V1, Amt1);
10464     V2 = DAG.getNode(Op.getOpcode(), dl, NewVT, V2, Amt2);
10465
10466     // Concatenate the result back
10467     return DAG.getNode(ISD::CONCAT_VECTORS, dl, VT, V1, V2);
10468   }
10469
10470   return SDValue();
10471 }
10472
10473 SDValue X86TargetLowering::LowerXALUO(SDValue Op, SelectionDAG &DAG) const {
10474   // Lower the "add/sub/mul with overflow" instruction into a regular ins plus
10475   // a "setcc" instruction that checks the overflow flag. The "brcond" lowering
10476   // looks for this combo and may remove the "setcc" instruction if the "setcc"
10477   // has only one use.
10478   SDNode *N = Op.getNode();
10479   SDValue LHS = N->getOperand(0);
10480   SDValue RHS = N->getOperand(1);
10481   unsigned BaseOp = 0;
10482   unsigned Cond = 0;
10483   DebugLoc DL = Op.getDebugLoc();
10484   switch (Op.getOpcode()) {
10485   default: llvm_unreachable("Unknown ovf instruction!");
10486   case ISD::SADDO:
10487     // A subtract of one will be selected as a INC. Note that INC doesn't
10488     // set CF, so we can't do this for UADDO.
10489     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(RHS))
10490       if (C->isOne()) {
10491         BaseOp = X86ISD::INC;
10492         Cond = X86::COND_O;
10493         break;
10494       }
10495     BaseOp = X86ISD::ADD;
10496     Cond = X86::COND_O;
10497     break;
10498   case ISD::UADDO:
10499     BaseOp = X86ISD::ADD;
10500     Cond = X86::COND_B;
10501     break;
10502   case ISD::SSUBO:
10503     // A subtract of one will be selected as a DEC. Note that DEC doesn't
10504     // set CF, so we can't do this for USUBO.
10505     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(RHS))
10506       if (C->isOne()) {
10507         BaseOp = X86ISD::DEC;
10508         Cond = X86::COND_O;
10509         break;
10510       }
10511     BaseOp = X86ISD::SUB;
10512     Cond = X86::COND_O;
10513     break;
10514   case ISD::USUBO:
10515     BaseOp = X86ISD::SUB;
10516     Cond = X86::COND_B;
10517     break;
10518   case ISD::SMULO:
10519     BaseOp = X86ISD::SMUL;
10520     Cond = X86::COND_O;
10521     break;
10522   case ISD::UMULO: { // i64, i8 = umulo lhs, rhs --> i64, i64, i32 umul lhs,rhs
10523     SDVTList VTs = DAG.getVTList(N->getValueType(0), N->getValueType(0),
10524                                  MVT::i32);
10525     SDValue Sum = DAG.getNode(X86ISD::UMUL, DL, VTs, LHS, RHS);
10526
10527     SDValue SetCC =
10528       DAG.getNode(X86ISD::SETCC, DL, MVT::i8,
10529                   DAG.getConstant(X86::COND_O, MVT::i32),
10530                   SDValue(Sum.getNode(), 2));
10531
10532     return DAG.getNode(ISD::MERGE_VALUES, DL, N->getVTList(), Sum, SetCC);
10533   }
10534   }
10535
10536   // Also sets EFLAGS.
10537   SDVTList VTs = DAG.getVTList(N->getValueType(0), MVT::i32);
10538   SDValue Sum = DAG.getNode(BaseOp, DL, VTs, LHS, RHS);
10539
10540   SDValue SetCC =
10541     DAG.getNode(X86ISD::SETCC, DL, N->getValueType(1),
10542                 DAG.getConstant(Cond, MVT::i32),
10543                 SDValue(Sum.getNode(), 1));
10544
10545   return DAG.getNode(ISD::MERGE_VALUES, DL, N->getVTList(), Sum, SetCC);
10546 }
10547
10548 SDValue X86TargetLowering::LowerSIGN_EXTEND_INREG(SDValue Op,
10549                                                   SelectionDAG &DAG) const {
10550   DebugLoc dl = Op.getDebugLoc();
10551   EVT ExtraVT = cast<VTSDNode>(Op.getOperand(1))->getVT();
10552   EVT VT = Op.getValueType();
10553
10554   if (!Subtarget->hasSSE2() || !VT.isVector())
10555     return SDValue();
10556
10557   unsigned BitsDiff = VT.getScalarType().getSizeInBits() -
10558                       ExtraVT.getScalarType().getSizeInBits();
10559   SDValue ShAmt = DAG.getConstant(BitsDiff, MVT::i32);
10560
10561   switch (VT.getSimpleVT().SimpleTy) {
10562     default: return SDValue();
10563     case MVT::v8i32:
10564     case MVT::v16i16:
10565       if (!Subtarget->hasAVX())
10566         return SDValue();
10567       if (!Subtarget->hasAVX2()) {
10568         // needs to be split
10569         unsigned NumElems = VT.getVectorNumElements();
10570
10571         // Extract the LHS vectors
10572         SDValue LHS = Op.getOperand(0);
10573         SDValue LHS1 = Extract128BitVector(LHS, 0, DAG, dl);
10574         SDValue LHS2 = Extract128BitVector(LHS, NumElems/2, DAG, dl);
10575
10576         MVT EltVT = VT.getVectorElementType().getSimpleVT();
10577         EVT NewVT = MVT::getVectorVT(EltVT, NumElems/2);
10578
10579         EVT ExtraEltVT = ExtraVT.getVectorElementType();
10580         unsigned ExtraNumElems = ExtraVT.getVectorNumElements();
10581         ExtraVT = EVT::getVectorVT(*DAG.getContext(), ExtraEltVT,
10582                                    ExtraNumElems/2);
10583         SDValue Extra = DAG.getValueType(ExtraVT);
10584
10585         LHS1 = DAG.getNode(Op.getOpcode(), dl, NewVT, LHS1, Extra);
10586         LHS2 = DAG.getNode(Op.getOpcode(), dl, NewVT, LHS2, Extra);
10587
10588         return DAG.getNode(ISD::CONCAT_VECTORS, dl, VT, LHS1, LHS2);;
10589       }
10590       // fall through
10591     case MVT::v4i32:
10592     case MVT::v8i16: {
10593       SDValue Tmp1 = getTargetVShiftNode(X86ISD::VSHLI, dl, VT,
10594                                          Op.getOperand(0), ShAmt, DAG);
10595       return getTargetVShiftNode(X86ISD::VSRAI, dl, VT, Tmp1, ShAmt, DAG);
10596     }
10597   }
10598 }
10599
10600
10601 SDValue X86TargetLowering::LowerMEMBARRIER(SDValue Op, SelectionDAG &DAG) const{
10602   DebugLoc dl = Op.getDebugLoc();
10603
10604   // Go ahead and emit the fence on x86-64 even if we asked for no-sse2.
10605   // There isn't any reason to disable it if the target processor supports it.
10606   if (!Subtarget->hasSSE2() && !Subtarget->is64Bit()) {
10607     SDValue Chain = Op.getOperand(0);
10608     SDValue Zero = DAG.getConstant(0, MVT::i32);
10609     SDValue Ops[] = {
10610       DAG.getRegister(X86::ESP, MVT::i32), // Base
10611       DAG.getTargetConstant(1, MVT::i8),   // Scale
10612       DAG.getRegister(0, MVT::i32),        // Index
10613       DAG.getTargetConstant(0, MVT::i32),  // Disp
10614       DAG.getRegister(0, MVT::i32),        // Segment.
10615       Zero,
10616       Chain
10617     };
10618     SDNode *Res =
10619       DAG.getMachineNode(X86::OR32mrLocked, dl, MVT::Other, Ops,
10620                           array_lengthof(Ops));
10621     return SDValue(Res, 0);
10622   }
10623
10624   unsigned isDev = cast<ConstantSDNode>(Op.getOperand(5))->getZExtValue();
10625   if (!isDev)
10626     return DAG.getNode(X86ISD::MEMBARRIER, dl, MVT::Other, Op.getOperand(0));
10627
10628   unsigned Op1 = cast<ConstantSDNode>(Op.getOperand(1))->getZExtValue();
10629   unsigned Op2 = cast<ConstantSDNode>(Op.getOperand(2))->getZExtValue();
10630   unsigned Op3 = cast<ConstantSDNode>(Op.getOperand(3))->getZExtValue();
10631   unsigned Op4 = cast<ConstantSDNode>(Op.getOperand(4))->getZExtValue();
10632
10633   // def : Pat<(membarrier (i8 0), (i8 0), (i8 0), (i8 1), (i8 1)), (SFENCE)>;
10634   if (!Op1 && !Op2 && !Op3 && Op4)
10635     return DAG.getNode(X86ISD::SFENCE, dl, MVT::Other, Op.getOperand(0));
10636
10637   // def : Pat<(membarrier (i8 1), (i8 0), (i8 0), (i8 0), (i8 1)), (LFENCE)>;
10638   if (Op1 && !Op2 && !Op3 && !Op4)
10639     return DAG.getNode(X86ISD::LFENCE, dl, MVT::Other, Op.getOperand(0));
10640
10641   // def : Pat<(membarrier (i8 imm), (i8 imm), (i8 imm), (i8 imm), (i8 1)),
10642   //           (MFENCE)>;
10643   return DAG.getNode(X86ISD::MFENCE, dl, MVT::Other, Op.getOperand(0));
10644 }
10645
10646 SDValue X86TargetLowering::LowerATOMIC_FENCE(SDValue Op,
10647                                              SelectionDAG &DAG) const {
10648   DebugLoc dl = Op.getDebugLoc();
10649   AtomicOrdering FenceOrdering = static_cast<AtomicOrdering>(
10650     cast<ConstantSDNode>(Op.getOperand(1))->getZExtValue());
10651   SynchronizationScope FenceScope = static_cast<SynchronizationScope>(
10652     cast<ConstantSDNode>(Op.getOperand(2))->getZExtValue());
10653
10654   // The only fence that needs an instruction is a sequentially-consistent
10655   // cross-thread fence.
10656   if (FenceOrdering == SequentiallyConsistent && FenceScope == CrossThread) {
10657     // Use mfence if we have SSE2 or we're on x86-64 (even if we asked for
10658     // no-sse2). There isn't any reason to disable it if the target processor
10659     // supports it.
10660     if (Subtarget->hasSSE2() || Subtarget->is64Bit())
10661       return DAG.getNode(X86ISD::MFENCE, dl, MVT::Other, Op.getOperand(0));
10662
10663     SDValue Chain = Op.getOperand(0);
10664     SDValue Zero = DAG.getConstant(0, MVT::i32);
10665     SDValue Ops[] = {
10666       DAG.getRegister(X86::ESP, MVT::i32), // Base
10667       DAG.getTargetConstant(1, MVT::i8),   // Scale
10668       DAG.getRegister(0, MVT::i32),        // Index
10669       DAG.getTargetConstant(0, MVT::i32),  // Disp
10670       DAG.getRegister(0, MVT::i32),        // Segment.
10671       Zero,
10672       Chain
10673     };
10674     SDNode *Res =
10675       DAG.getMachineNode(X86::OR32mrLocked, dl, MVT::Other, Ops,
10676                          array_lengthof(Ops));
10677     return SDValue(Res, 0);
10678   }
10679
10680   // MEMBARRIER is a compiler barrier; it codegens to a no-op.
10681   return DAG.getNode(X86ISD::MEMBARRIER, dl, MVT::Other, Op.getOperand(0));
10682 }
10683
10684
10685 SDValue X86TargetLowering::LowerCMP_SWAP(SDValue Op, SelectionDAG &DAG) const {
10686   EVT T = Op.getValueType();
10687   DebugLoc DL = Op.getDebugLoc();
10688   unsigned Reg = 0;
10689   unsigned size = 0;
10690   switch(T.getSimpleVT().SimpleTy) {
10691   default: llvm_unreachable("Invalid value type!");
10692   case MVT::i8:  Reg = X86::AL;  size = 1; break;
10693   case MVT::i16: Reg = X86::AX;  size = 2; break;
10694   case MVT::i32: Reg = X86::EAX; size = 4; break;
10695   case MVT::i64:
10696     assert(Subtarget->is64Bit() && "Node not type legal!");
10697     Reg = X86::RAX; size = 8;
10698     break;
10699   }
10700   SDValue cpIn = DAG.getCopyToReg(Op.getOperand(0), DL, Reg,
10701                                     Op.getOperand(2), SDValue());
10702   SDValue Ops[] = { cpIn.getValue(0),
10703                     Op.getOperand(1),
10704                     Op.getOperand(3),
10705                     DAG.getTargetConstant(size, MVT::i8),
10706                     cpIn.getValue(1) };
10707   SDVTList Tys = DAG.getVTList(MVT::Other, MVT::Glue);
10708   MachineMemOperand *MMO = cast<AtomicSDNode>(Op)->getMemOperand();
10709   SDValue Result = DAG.getMemIntrinsicNode(X86ISD::LCMPXCHG_DAG, DL, Tys,
10710                                            Ops, 5, T, MMO);
10711   SDValue cpOut =
10712     DAG.getCopyFromReg(Result.getValue(0), DL, Reg, T, Result.getValue(1));
10713   return cpOut;
10714 }
10715
10716 SDValue X86TargetLowering::LowerREADCYCLECOUNTER(SDValue Op,
10717                                                  SelectionDAG &DAG) const {
10718   assert(Subtarget->is64Bit() && "Result not type legalized?");
10719   SDVTList Tys = DAG.getVTList(MVT::Other, MVT::Glue);
10720   SDValue TheChain = Op.getOperand(0);
10721   DebugLoc dl = Op.getDebugLoc();
10722   SDValue rd = DAG.getNode(X86ISD::RDTSC_DAG, dl, Tys, &TheChain, 1);
10723   SDValue rax = DAG.getCopyFromReg(rd, dl, X86::RAX, MVT::i64, rd.getValue(1));
10724   SDValue rdx = DAG.getCopyFromReg(rax.getValue(1), dl, X86::RDX, MVT::i64,
10725                                    rax.getValue(2));
10726   SDValue Tmp = DAG.getNode(ISD::SHL, dl, MVT::i64, rdx,
10727                             DAG.getConstant(32, MVT::i8));
10728   SDValue Ops[] = {
10729     DAG.getNode(ISD::OR, dl, MVT::i64, rax, Tmp),
10730     rdx.getValue(1)
10731   };
10732   return DAG.getMergeValues(Ops, 2, dl);
10733 }
10734
10735 SDValue X86TargetLowering::LowerBITCAST(SDValue Op,
10736                                             SelectionDAG &DAG) const {
10737   EVT SrcVT = Op.getOperand(0).getValueType();
10738   EVT DstVT = Op.getValueType();
10739   assert(Subtarget->is64Bit() && !Subtarget->hasSSE2() &&
10740          Subtarget->hasMMX() && "Unexpected custom BITCAST");
10741   assert((DstVT == MVT::i64 ||
10742           (DstVT.isVector() && DstVT.getSizeInBits()==64)) &&
10743          "Unexpected custom BITCAST");
10744   // i64 <=> MMX conversions are Legal.
10745   if (SrcVT==MVT::i64 && DstVT.isVector())
10746     return Op;
10747   if (DstVT==MVT::i64 && SrcVT.isVector())
10748     return Op;
10749   // MMX <=> MMX conversions are Legal.
10750   if (SrcVT.isVector() && DstVT.isVector())
10751     return Op;
10752   // All other conversions need to be expanded.
10753   return SDValue();
10754 }
10755
10756 SDValue X86TargetLowering::LowerLOAD_SUB(SDValue Op, SelectionDAG &DAG) const {
10757   SDNode *Node = Op.getNode();
10758   DebugLoc dl = Node->getDebugLoc();
10759   EVT T = Node->getValueType(0);
10760   SDValue negOp = DAG.getNode(ISD::SUB, dl, T,
10761                               DAG.getConstant(0, T), Node->getOperand(2));
10762   return DAG.getAtomic(ISD::ATOMIC_LOAD_ADD, dl,
10763                        cast<AtomicSDNode>(Node)->getMemoryVT(),
10764                        Node->getOperand(0),
10765                        Node->getOperand(1), negOp,
10766                        cast<AtomicSDNode>(Node)->getSrcValue(),
10767                        cast<AtomicSDNode>(Node)->getAlignment(),
10768                        cast<AtomicSDNode>(Node)->getOrdering(),
10769                        cast<AtomicSDNode>(Node)->getSynchScope());
10770 }
10771
10772 static SDValue LowerATOMIC_STORE(SDValue Op, SelectionDAG &DAG) {
10773   SDNode *Node = Op.getNode();
10774   DebugLoc dl = Node->getDebugLoc();
10775   EVT VT = cast<AtomicSDNode>(Node)->getMemoryVT();
10776
10777   // Convert seq_cst store -> xchg
10778   // Convert wide store -> swap (-> cmpxchg8b/cmpxchg16b)
10779   // FIXME: On 32-bit, store -> fist or movq would be more efficient
10780   //        (The only way to get a 16-byte store is cmpxchg16b)
10781   // FIXME: 16-byte ATOMIC_SWAP isn't actually hooked up at the moment.
10782   if (cast<AtomicSDNode>(Node)->getOrdering() == SequentiallyConsistent ||
10783       !DAG.getTargetLoweringInfo().isTypeLegal(VT)) {
10784     SDValue Swap = DAG.getAtomic(ISD::ATOMIC_SWAP, dl,
10785                                  cast<AtomicSDNode>(Node)->getMemoryVT(),
10786                                  Node->getOperand(0),
10787                                  Node->getOperand(1), Node->getOperand(2),
10788                                  cast<AtomicSDNode>(Node)->getMemOperand(),
10789                                  cast<AtomicSDNode>(Node)->getOrdering(),
10790                                  cast<AtomicSDNode>(Node)->getSynchScope());
10791     return Swap.getValue(1);
10792   }
10793   // Other atomic stores have a simple pattern.
10794   return Op;
10795 }
10796
10797 static SDValue LowerADDC_ADDE_SUBC_SUBE(SDValue Op, SelectionDAG &DAG) {
10798   EVT VT = Op.getNode()->getValueType(0);
10799
10800   // Let legalize expand this if it isn't a legal type yet.
10801   if (!DAG.getTargetLoweringInfo().isTypeLegal(VT))
10802     return SDValue();
10803
10804   SDVTList VTs = DAG.getVTList(VT, MVT::i32);
10805
10806   unsigned Opc;
10807   bool ExtraOp = false;
10808   switch (Op.getOpcode()) {
10809   default: llvm_unreachable("Invalid code");
10810   case ISD::ADDC: Opc = X86ISD::ADD; break;
10811   case ISD::ADDE: Opc = X86ISD::ADC; ExtraOp = true; break;
10812   case ISD::SUBC: Opc = X86ISD::SUB; break;
10813   case ISD::SUBE: Opc = X86ISD::SBB; ExtraOp = true; break;
10814   }
10815
10816   if (!ExtraOp)
10817     return DAG.getNode(Opc, Op->getDebugLoc(), VTs, Op.getOperand(0),
10818                        Op.getOperand(1));
10819   return DAG.getNode(Opc, Op->getDebugLoc(), VTs, Op.getOperand(0),
10820                      Op.getOperand(1), Op.getOperand(2));
10821 }
10822
10823 /// LowerOperation - Provide custom lowering hooks for some operations.
10824 ///
10825 SDValue X86TargetLowering::LowerOperation(SDValue Op, SelectionDAG &DAG) const {
10826   switch (Op.getOpcode()) {
10827   default: llvm_unreachable("Should not custom lower this!");
10828   case ISD::SIGN_EXTEND_INREG:  return LowerSIGN_EXTEND_INREG(Op,DAG);
10829   case ISD::MEMBARRIER:         return LowerMEMBARRIER(Op,DAG);
10830   case ISD::ATOMIC_FENCE:       return LowerATOMIC_FENCE(Op,DAG);
10831   case ISD::ATOMIC_CMP_SWAP:    return LowerCMP_SWAP(Op,DAG);
10832   case ISD::ATOMIC_LOAD_SUB:    return LowerLOAD_SUB(Op,DAG);
10833   case ISD::ATOMIC_STORE:       return LowerATOMIC_STORE(Op,DAG);
10834   case ISD::BUILD_VECTOR:       return LowerBUILD_VECTOR(Op, DAG);
10835   case ISD::CONCAT_VECTORS:     return LowerCONCAT_VECTORS(Op, DAG);
10836   case ISD::VECTOR_SHUFFLE:     return LowerVECTOR_SHUFFLE(Op, DAG);
10837   case ISD::EXTRACT_VECTOR_ELT: return LowerEXTRACT_VECTOR_ELT(Op, DAG);
10838   case ISD::INSERT_VECTOR_ELT:  return LowerINSERT_VECTOR_ELT(Op, DAG);
10839   case ISD::EXTRACT_SUBVECTOR:  return LowerEXTRACT_SUBVECTOR(Op, DAG);
10840   case ISD::INSERT_SUBVECTOR:   return LowerINSERT_SUBVECTOR(Op, DAG);
10841   case ISD::SCALAR_TO_VECTOR:   return LowerSCALAR_TO_VECTOR(Op, DAG);
10842   case ISD::ConstantPool:       return LowerConstantPool(Op, DAG);
10843   case ISD::GlobalAddress:      return LowerGlobalAddress(Op, DAG);
10844   case ISD::GlobalTLSAddress:   return LowerGlobalTLSAddress(Op, DAG);
10845   case ISD::ExternalSymbol:     return LowerExternalSymbol(Op, DAG);
10846   case ISD::BlockAddress:       return LowerBlockAddress(Op, DAG);
10847   case ISD::SHL_PARTS:
10848   case ISD::SRA_PARTS:
10849   case ISD::SRL_PARTS:          return LowerShiftParts(Op, DAG);
10850   case ISD::SINT_TO_FP:         return LowerSINT_TO_FP(Op, DAG);
10851   case ISD::UINT_TO_FP:         return LowerUINT_TO_FP(Op, DAG);
10852   case ISD::FP_TO_SINT:         return LowerFP_TO_SINT(Op, DAG);
10853   case ISD::FP_TO_UINT:         return LowerFP_TO_UINT(Op, DAG);
10854   case ISD::FABS:               return LowerFABS(Op, DAG);
10855   case ISD::FNEG:               return LowerFNEG(Op, DAG);
10856   case ISD::FCOPYSIGN:          return LowerFCOPYSIGN(Op, DAG);
10857   case ISD::FGETSIGN:           return LowerFGETSIGN(Op, DAG);
10858   case ISD::SETCC:              return LowerSETCC(Op, DAG);
10859   case ISD::SELECT:             return LowerSELECT(Op, DAG);
10860   case ISD::BRCOND:             return LowerBRCOND(Op, DAG);
10861   case ISD::JumpTable:          return LowerJumpTable(Op, DAG);
10862   case ISD::VASTART:            return LowerVASTART(Op, DAG);
10863   case ISD::VAARG:              return LowerVAARG(Op, DAG);
10864   case ISD::VACOPY:             return LowerVACOPY(Op, DAG);
10865   case ISD::INTRINSIC_WO_CHAIN: return LowerINTRINSIC_WO_CHAIN(Op, DAG);
10866   case ISD::RETURNADDR:         return LowerRETURNADDR(Op, DAG);
10867   case ISD::FRAMEADDR:          return LowerFRAMEADDR(Op, DAG);
10868   case ISD::FRAME_TO_ARGS_OFFSET:
10869                                 return LowerFRAME_TO_ARGS_OFFSET(Op, DAG);
10870   case ISD::DYNAMIC_STACKALLOC: return LowerDYNAMIC_STACKALLOC(Op, DAG);
10871   case ISD::EH_RETURN:          return LowerEH_RETURN(Op, DAG);
10872   case ISD::INIT_TRAMPOLINE:    return LowerINIT_TRAMPOLINE(Op, DAG);
10873   case ISD::ADJUST_TRAMPOLINE:  return LowerADJUST_TRAMPOLINE(Op, DAG);
10874   case ISD::FLT_ROUNDS_:        return LowerFLT_ROUNDS_(Op, DAG);
10875   case ISD::CTLZ:               return LowerCTLZ(Op, DAG);
10876   case ISD::CTLZ_ZERO_UNDEF:    return LowerCTLZ_ZERO_UNDEF(Op, DAG);
10877   case ISD::CTTZ:               return LowerCTTZ(Op, DAG);
10878   case ISD::MUL:                return LowerMUL(Op, DAG);
10879   case ISD::SRA:
10880   case ISD::SRL:
10881   case ISD::SHL:                return LowerShift(Op, DAG);
10882   case ISD::SADDO:
10883   case ISD::UADDO:
10884   case ISD::SSUBO:
10885   case ISD::USUBO:
10886   case ISD::SMULO:
10887   case ISD::UMULO:              return LowerXALUO(Op, DAG);
10888   case ISD::READCYCLECOUNTER:   return LowerREADCYCLECOUNTER(Op, DAG);
10889   case ISD::BITCAST:            return LowerBITCAST(Op, DAG);
10890   case ISD::ADDC:
10891   case ISD::ADDE:
10892   case ISD::SUBC:
10893   case ISD::SUBE:               return LowerADDC_ADDE_SUBC_SUBE(Op, DAG);
10894   case ISD::ADD:                return LowerADD(Op, DAG);
10895   case ISD::SUB:                return LowerSUB(Op, DAG);
10896   }
10897 }
10898
10899 static void ReplaceATOMIC_LOAD(SDNode *Node,
10900                                   SmallVectorImpl<SDValue> &Results,
10901                                   SelectionDAG &DAG) {
10902   DebugLoc dl = Node->getDebugLoc();
10903   EVT VT = cast<AtomicSDNode>(Node)->getMemoryVT();
10904
10905   // Convert wide load -> cmpxchg8b/cmpxchg16b
10906   // FIXME: On 32-bit, load -> fild or movq would be more efficient
10907   //        (The only way to get a 16-byte load is cmpxchg16b)
10908   // FIXME: 16-byte ATOMIC_CMP_SWAP isn't actually hooked up at the moment.
10909   SDValue Zero = DAG.getConstant(0, VT);
10910   SDValue Swap = DAG.getAtomic(ISD::ATOMIC_CMP_SWAP, dl, VT,
10911                                Node->getOperand(0),
10912                                Node->getOperand(1), Zero, Zero,
10913                                cast<AtomicSDNode>(Node)->getMemOperand(),
10914                                cast<AtomicSDNode>(Node)->getOrdering(),
10915                                cast<AtomicSDNode>(Node)->getSynchScope());
10916   Results.push_back(Swap.getValue(0));
10917   Results.push_back(Swap.getValue(1));
10918 }
10919
10920 void X86TargetLowering::
10921 ReplaceATOMIC_BINARY_64(SDNode *Node, SmallVectorImpl<SDValue>&Results,
10922                         SelectionDAG &DAG, unsigned NewOp) const {
10923   DebugLoc dl = Node->getDebugLoc();
10924   assert (Node->getValueType(0) == MVT::i64 &&
10925           "Only know how to expand i64 atomics");
10926
10927   SDValue Chain = Node->getOperand(0);
10928   SDValue In1 = Node->getOperand(1);
10929   SDValue In2L = DAG.getNode(ISD::EXTRACT_ELEMENT, dl, MVT::i32,
10930                              Node->getOperand(2), DAG.getIntPtrConstant(0));
10931   SDValue In2H = DAG.getNode(ISD::EXTRACT_ELEMENT, dl, MVT::i32,
10932                              Node->getOperand(2), DAG.getIntPtrConstant(1));
10933   SDValue Ops[] = { Chain, In1, In2L, In2H };
10934   SDVTList Tys = DAG.getVTList(MVT::i32, MVT::i32, MVT::Other);
10935   SDValue Result =
10936     DAG.getMemIntrinsicNode(NewOp, dl, Tys, Ops, 4, MVT::i64,
10937                             cast<MemSDNode>(Node)->getMemOperand());
10938   SDValue OpsF[] = { Result.getValue(0), Result.getValue(1)};
10939   Results.push_back(DAG.getNode(ISD::BUILD_PAIR, dl, MVT::i64, OpsF, 2));
10940   Results.push_back(Result.getValue(2));
10941 }
10942
10943 /// ReplaceNodeResults - Replace a node with an illegal result type
10944 /// with a new node built out of custom code.
10945 void X86TargetLowering::ReplaceNodeResults(SDNode *N,
10946                                            SmallVectorImpl<SDValue>&Results,
10947                                            SelectionDAG &DAG) const {
10948   DebugLoc dl = N->getDebugLoc();
10949   switch (N->getOpcode()) {
10950   default:
10951     llvm_unreachable("Do not know how to custom type legalize this operation!");
10952   case ISD::SIGN_EXTEND_INREG:
10953   case ISD::ADDC:
10954   case ISD::ADDE:
10955   case ISD::SUBC:
10956   case ISD::SUBE:
10957     // We don't want to expand or promote these.
10958     return;
10959   case ISD::FP_TO_SINT:
10960   case ISD::FP_TO_UINT: {
10961     bool IsSigned = N->getOpcode() == ISD::FP_TO_SINT;
10962
10963     if (!IsSigned && !isIntegerTypeFTOL(SDValue(N, 0).getValueType()))
10964       return;
10965
10966     std::pair<SDValue,SDValue> Vals =
10967         FP_TO_INTHelper(SDValue(N, 0), DAG, IsSigned, /*IsReplace=*/ true);
10968     SDValue FIST = Vals.first, StackSlot = Vals.second;
10969     if (FIST.getNode() != 0) {
10970       EVT VT = N->getValueType(0);
10971       // Return a load from the stack slot.
10972       if (StackSlot.getNode() != 0)
10973         Results.push_back(DAG.getLoad(VT, dl, FIST, StackSlot,
10974                                       MachinePointerInfo(),
10975                                       false, false, false, 0));
10976       else
10977         Results.push_back(FIST);
10978     }
10979     return;
10980   }
10981   case ISD::READCYCLECOUNTER: {
10982     SDVTList Tys = DAG.getVTList(MVT::Other, MVT::Glue);
10983     SDValue TheChain = N->getOperand(0);
10984     SDValue rd = DAG.getNode(X86ISD::RDTSC_DAG, dl, Tys, &TheChain, 1);
10985     SDValue eax = DAG.getCopyFromReg(rd, dl, X86::EAX, MVT::i32,
10986                                      rd.getValue(1));
10987     SDValue edx = DAG.getCopyFromReg(eax.getValue(1), dl, X86::EDX, MVT::i32,
10988                                      eax.getValue(2));
10989     // Use a buildpair to merge the two 32-bit values into a 64-bit one.
10990     SDValue Ops[] = { eax, edx };
10991     Results.push_back(DAG.getNode(ISD::BUILD_PAIR, dl, MVT::i64, Ops, 2));
10992     Results.push_back(edx.getValue(1));
10993     return;
10994   }
10995   case ISD::ATOMIC_CMP_SWAP: {
10996     EVT T = N->getValueType(0);
10997     assert((T == MVT::i64 || T == MVT::i128) && "can only expand cmpxchg pair");
10998     bool Regs64bit = T == MVT::i128;
10999     EVT HalfT = Regs64bit ? MVT::i64 : MVT::i32;
11000     SDValue cpInL, cpInH;
11001     cpInL = DAG.getNode(ISD::EXTRACT_ELEMENT, dl, HalfT, N->getOperand(2),
11002                         DAG.getConstant(0, HalfT));
11003     cpInH = DAG.getNode(ISD::EXTRACT_ELEMENT, dl, HalfT, N->getOperand(2),
11004                         DAG.getConstant(1, HalfT));
11005     cpInL = DAG.getCopyToReg(N->getOperand(0), dl,
11006                              Regs64bit ? X86::RAX : X86::EAX,
11007                              cpInL, SDValue());
11008     cpInH = DAG.getCopyToReg(cpInL.getValue(0), dl,
11009                              Regs64bit ? X86::RDX : X86::EDX,
11010                              cpInH, cpInL.getValue(1));
11011     SDValue swapInL, swapInH;
11012     swapInL = DAG.getNode(ISD::EXTRACT_ELEMENT, dl, HalfT, N->getOperand(3),
11013                           DAG.getConstant(0, HalfT));
11014     swapInH = DAG.getNode(ISD::EXTRACT_ELEMENT, dl, HalfT, N->getOperand(3),
11015                           DAG.getConstant(1, HalfT));
11016     swapInL = DAG.getCopyToReg(cpInH.getValue(0), dl,
11017                                Regs64bit ? X86::RBX : X86::EBX,
11018                                swapInL, cpInH.getValue(1));
11019     swapInH = DAG.getCopyToReg(swapInL.getValue(0), dl,
11020                                Regs64bit ? X86::RCX : X86::ECX, 
11021                                swapInH, swapInL.getValue(1));
11022     SDValue Ops[] = { swapInH.getValue(0),
11023                       N->getOperand(1),
11024                       swapInH.getValue(1) };
11025     SDVTList Tys = DAG.getVTList(MVT::Other, MVT::Glue);
11026     MachineMemOperand *MMO = cast<AtomicSDNode>(N)->getMemOperand();
11027     unsigned Opcode = Regs64bit ? X86ISD::LCMPXCHG16_DAG :
11028                                   X86ISD::LCMPXCHG8_DAG;
11029     SDValue Result = DAG.getMemIntrinsicNode(Opcode, dl, Tys,
11030                                              Ops, 3, T, MMO);
11031     SDValue cpOutL = DAG.getCopyFromReg(Result.getValue(0), dl,
11032                                         Regs64bit ? X86::RAX : X86::EAX,
11033                                         HalfT, Result.getValue(1));
11034     SDValue cpOutH = DAG.getCopyFromReg(cpOutL.getValue(1), dl,
11035                                         Regs64bit ? X86::RDX : X86::EDX,
11036                                         HalfT, cpOutL.getValue(2));
11037     SDValue OpsF[] = { cpOutL.getValue(0), cpOutH.getValue(0)};
11038     Results.push_back(DAG.getNode(ISD::BUILD_PAIR, dl, T, OpsF, 2));
11039     Results.push_back(cpOutH.getValue(1));
11040     return;
11041   }
11042   case ISD::ATOMIC_LOAD_ADD:
11043     ReplaceATOMIC_BINARY_64(N, Results, DAG, X86ISD::ATOMADD64_DAG);
11044     return;
11045   case ISD::ATOMIC_LOAD_AND:
11046     ReplaceATOMIC_BINARY_64(N, Results, DAG, X86ISD::ATOMAND64_DAG);
11047     return;
11048   case ISD::ATOMIC_LOAD_NAND:
11049     ReplaceATOMIC_BINARY_64(N, Results, DAG, X86ISD::ATOMNAND64_DAG);
11050     return;
11051   case ISD::ATOMIC_LOAD_OR:
11052     ReplaceATOMIC_BINARY_64(N, Results, DAG, X86ISD::ATOMOR64_DAG);
11053     return;
11054   case ISD::ATOMIC_LOAD_SUB:
11055     ReplaceATOMIC_BINARY_64(N, Results, DAG, X86ISD::ATOMSUB64_DAG);
11056     return;
11057   case ISD::ATOMIC_LOAD_XOR:
11058     ReplaceATOMIC_BINARY_64(N, Results, DAG, X86ISD::ATOMXOR64_DAG);
11059     return;
11060   case ISD::ATOMIC_SWAP:
11061     ReplaceATOMIC_BINARY_64(N, Results, DAG, X86ISD::ATOMSWAP64_DAG);
11062     return;
11063   case ISD::ATOMIC_LOAD:
11064     ReplaceATOMIC_LOAD(N, Results, DAG);
11065   }
11066 }
11067
11068 const char *X86TargetLowering::getTargetNodeName(unsigned Opcode) const {
11069   switch (Opcode) {
11070   default: return NULL;
11071   case X86ISD::BSF:                return "X86ISD::BSF";
11072   case X86ISD::BSR:                return "X86ISD::BSR";
11073   case X86ISD::SHLD:               return "X86ISD::SHLD";
11074   case X86ISD::SHRD:               return "X86ISD::SHRD";
11075   case X86ISD::FAND:               return "X86ISD::FAND";
11076   case X86ISD::FOR:                return "X86ISD::FOR";
11077   case X86ISD::FXOR:               return "X86ISD::FXOR";
11078   case X86ISD::FSRL:               return "X86ISD::FSRL";
11079   case X86ISD::FILD:               return "X86ISD::FILD";
11080   case X86ISD::FILD_FLAG:          return "X86ISD::FILD_FLAG";
11081   case X86ISD::FP_TO_INT16_IN_MEM: return "X86ISD::FP_TO_INT16_IN_MEM";
11082   case X86ISD::FP_TO_INT32_IN_MEM: return "X86ISD::FP_TO_INT32_IN_MEM";
11083   case X86ISD::FP_TO_INT64_IN_MEM: return "X86ISD::FP_TO_INT64_IN_MEM";
11084   case X86ISD::FLD:                return "X86ISD::FLD";
11085   case X86ISD::FST:                return "X86ISD::FST";
11086   case X86ISD::CALL:               return "X86ISD::CALL";
11087   case X86ISD::RDTSC_DAG:          return "X86ISD::RDTSC_DAG";
11088   case X86ISD::BT:                 return "X86ISD::BT";
11089   case X86ISD::CMP:                return "X86ISD::CMP";
11090   case X86ISD::COMI:               return "X86ISD::COMI";
11091   case X86ISD::UCOMI:              return "X86ISD::UCOMI";
11092   case X86ISD::SETCC:              return "X86ISD::SETCC";
11093   case X86ISD::SETCC_CARRY:        return "X86ISD::SETCC_CARRY";
11094   case X86ISD::FSETCCsd:           return "X86ISD::FSETCCsd";
11095   case X86ISD::FSETCCss:           return "X86ISD::FSETCCss";
11096   case X86ISD::CMOV:               return "X86ISD::CMOV";
11097   case X86ISD::BRCOND:             return "X86ISD::BRCOND";
11098   case X86ISD::RET_FLAG:           return "X86ISD::RET_FLAG";
11099   case X86ISD::REP_STOS:           return "X86ISD::REP_STOS";
11100   case X86ISD::REP_MOVS:           return "X86ISD::REP_MOVS";
11101   case X86ISD::GlobalBaseReg:      return "X86ISD::GlobalBaseReg";
11102   case X86ISD::Wrapper:            return "X86ISD::Wrapper";
11103   case X86ISD::WrapperRIP:         return "X86ISD::WrapperRIP";
11104   case X86ISD::PEXTRB:             return "X86ISD::PEXTRB";
11105   case X86ISD::PEXTRW:             return "X86ISD::PEXTRW";
11106   case X86ISD::INSERTPS:           return "X86ISD::INSERTPS";
11107   case X86ISD::PINSRB:             return "X86ISD::PINSRB";
11108   case X86ISD::PINSRW:             return "X86ISD::PINSRW";
11109   case X86ISD::PSHUFB:             return "X86ISD::PSHUFB";
11110   case X86ISD::ANDNP:              return "X86ISD::ANDNP";
11111   case X86ISD::PSIGN:              return "X86ISD::PSIGN";
11112   case X86ISD::BLENDV:             return "X86ISD::BLENDV";
11113   case X86ISD::BLENDPW:            return "X86ISD::BLENDPW";
11114   case X86ISD::BLENDPS:            return "X86ISD::BLENDPS";
11115   case X86ISD::BLENDPD:            return "X86ISD::BLENDPD";
11116   case X86ISD::HADD:               return "X86ISD::HADD";
11117   case X86ISD::HSUB:               return "X86ISD::HSUB";
11118   case X86ISD::FHADD:              return "X86ISD::FHADD";
11119   case X86ISD::FHSUB:              return "X86ISD::FHSUB";
11120   case X86ISD::FMAX:               return "X86ISD::FMAX";
11121   case X86ISD::FMIN:               return "X86ISD::FMIN";
11122   case X86ISD::FRSQRT:             return "X86ISD::FRSQRT";
11123   case X86ISD::FRCP:               return "X86ISD::FRCP";
11124   case X86ISD::TLSADDR:            return "X86ISD::TLSADDR";
11125   case X86ISD::TLSBASEADDR:        return "X86ISD::TLSBASEADDR";
11126   case X86ISD::TLSCALL:            return "X86ISD::TLSCALL";
11127   case X86ISD::EH_RETURN:          return "X86ISD::EH_RETURN";
11128   case X86ISD::TC_RETURN:          return "X86ISD::TC_RETURN";
11129   case X86ISD::FNSTCW16m:          return "X86ISD::FNSTCW16m";
11130   case X86ISD::FNSTSW16r:          return "X86ISD::FNSTSW16r";
11131   case X86ISD::LCMPXCHG_DAG:       return "X86ISD::LCMPXCHG_DAG";
11132   case X86ISD::LCMPXCHG8_DAG:      return "X86ISD::LCMPXCHG8_DAG";
11133   case X86ISD::ATOMADD64_DAG:      return "X86ISD::ATOMADD64_DAG";
11134   case X86ISD::ATOMSUB64_DAG:      return "X86ISD::ATOMSUB64_DAG";
11135   case X86ISD::ATOMOR64_DAG:       return "X86ISD::ATOMOR64_DAG";
11136   case X86ISD::ATOMXOR64_DAG:      return "X86ISD::ATOMXOR64_DAG";
11137   case X86ISD::ATOMAND64_DAG:      return "X86ISD::ATOMAND64_DAG";
11138   case X86ISD::ATOMNAND64_DAG:     return "X86ISD::ATOMNAND64_DAG";
11139   case X86ISD::VZEXT_MOVL:         return "X86ISD::VZEXT_MOVL";
11140   case X86ISD::VZEXT_LOAD:         return "X86ISD::VZEXT_LOAD";
11141   case X86ISD::VSHLDQ:             return "X86ISD::VSHLDQ";
11142   case X86ISD::VSRLDQ:             return "X86ISD::VSRLDQ";
11143   case X86ISD::VSHL:               return "X86ISD::VSHL";
11144   case X86ISD::VSRL:               return "X86ISD::VSRL";
11145   case X86ISD::VSRA:               return "X86ISD::VSRA";
11146   case X86ISD::VSHLI:              return "X86ISD::VSHLI";
11147   case X86ISD::VSRLI:              return "X86ISD::VSRLI";
11148   case X86ISD::VSRAI:              return "X86ISD::VSRAI";
11149   case X86ISD::CMPP:               return "X86ISD::CMPP";
11150   case X86ISD::PCMPEQ:             return "X86ISD::PCMPEQ";
11151   case X86ISD::PCMPGT:             return "X86ISD::PCMPGT";
11152   case X86ISD::ADD:                return "X86ISD::ADD";
11153   case X86ISD::SUB:                return "X86ISD::SUB";
11154   case X86ISD::ADC:                return "X86ISD::ADC";
11155   case X86ISD::SBB:                return "X86ISD::SBB";
11156   case X86ISD::SMUL:               return "X86ISD::SMUL";
11157   case X86ISD::UMUL:               return "X86ISD::UMUL";
11158   case X86ISD::INC:                return "X86ISD::INC";
11159   case X86ISD::DEC:                return "X86ISD::DEC";
11160   case X86ISD::OR:                 return "X86ISD::OR";
11161   case X86ISD::XOR:                return "X86ISD::XOR";
11162   case X86ISD::AND:                return "X86ISD::AND";
11163   case X86ISD::ANDN:               return "X86ISD::ANDN";
11164   case X86ISD::BLSI:               return "X86ISD::BLSI";
11165   case X86ISD::BLSMSK:             return "X86ISD::BLSMSK";
11166   case X86ISD::BLSR:               return "X86ISD::BLSR";
11167   case X86ISD::MUL_IMM:            return "X86ISD::MUL_IMM";
11168   case X86ISD::PTEST:              return "X86ISD::PTEST";
11169   case X86ISD::TESTP:              return "X86ISD::TESTP";
11170   case X86ISD::PALIGN:             return "X86ISD::PALIGN";
11171   case X86ISD::PSHUFD:             return "X86ISD::PSHUFD";
11172   case X86ISD::PSHUFHW:            return "X86ISD::PSHUFHW";
11173   case X86ISD::PSHUFLW:            return "X86ISD::PSHUFLW";
11174   case X86ISD::SHUFP:              return "X86ISD::SHUFP";
11175   case X86ISD::MOVLHPS:            return "X86ISD::MOVLHPS";
11176   case X86ISD::MOVLHPD:            return "X86ISD::MOVLHPD";
11177   case X86ISD::MOVHLPS:            return "X86ISD::MOVHLPS";
11178   case X86ISD::MOVLPS:             return "X86ISD::MOVLPS";
11179   case X86ISD::MOVLPD:             return "X86ISD::MOVLPD";
11180   case X86ISD::MOVDDUP:            return "X86ISD::MOVDDUP";
11181   case X86ISD::MOVSHDUP:           return "X86ISD::MOVSHDUP";
11182   case X86ISD::MOVSLDUP:           return "X86ISD::MOVSLDUP";
11183   case X86ISD::MOVSD:              return "X86ISD::MOVSD";
11184   case X86ISD::MOVSS:              return "X86ISD::MOVSS";
11185   case X86ISD::UNPCKL:             return "X86ISD::UNPCKL";
11186   case X86ISD::UNPCKH:             return "X86ISD::UNPCKH";
11187   case X86ISD::VBROADCAST:         return "X86ISD::VBROADCAST";
11188   case X86ISD::VPERMILP:           return "X86ISD::VPERMILP";
11189   case X86ISD::VPERM2X128:         return "X86ISD::VPERM2X128";
11190   case X86ISD::VPERMV:             return "X86ISD::VPERMV";
11191   case X86ISD::VPERMI:             return "X86ISD::VPERMI";
11192   case X86ISD::PMULUDQ:            return "X86ISD::PMULUDQ";
11193   case X86ISD::VASTART_SAVE_XMM_REGS: return "X86ISD::VASTART_SAVE_XMM_REGS";
11194   case X86ISD::VAARG_64:           return "X86ISD::VAARG_64";
11195   case X86ISD::WIN_ALLOCA:         return "X86ISD::WIN_ALLOCA";
11196   case X86ISD::MEMBARRIER:         return "X86ISD::MEMBARRIER";
11197   case X86ISD::SEG_ALLOCA:         return "X86ISD::SEG_ALLOCA";
11198   case X86ISD::WIN_FTOL:           return "X86ISD::WIN_FTOL";
11199   case X86ISD::SAHF:               return "X86ISD::SAHF";
11200   }
11201 }
11202
11203 // isLegalAddressingMode - Return true if the addressing mode represented
11204 // by AM is legal for this target, for a load/store of the specified type.
11205 bool X86TargetLowering::isLegalAddressingMode(const AddrMode &AM,
11206                                               Type *Ty) const {
11207   // X86 supports extremely general addressing modes.
11208   CodeModel::Model M = getTargetMachine().getCodeModel();
11209   Reloc::Model R = getTargetMachine().getRelocationModel();
11210
11211   // X86 allows a sign-extended 32-bit immediate field as a displacement.
11212   if (!X86::isOffsetSuitableForCodeModel(AM.BaseOffs, M, AM.BaseGV != NULL))
11213     return false;
11214
11215   if (AM.BaseGV) {
11216     unsigned GVFlags =
11217       Subtarget->ClassifyGlobalReference(AM.BaseGV, getTargetMachine());
11218
11219     // If a reference to this global requires an extra load, we can't fold it.
11220     if (isGlobalStubReference(GVFlags))
11221       return false;
11222
11223     // If BaseGV requires a register for the PIC base, we cannot also have a
11224     // BaseReg specified.
11225     if (AM.HasBaseReg && isGlobalRelativeToPICBase(GVFlags))
11226       return false;
11227
11228     // If lower 4G is not available, then we must use rip-relative addressing.
11229     if ((M != CodeModel::Small || R != Reloc::Static) &&
11230         Subtarget->is64Bit() && (AM.BaseOffs || AM.Scale > 1))
11231       return false;
11232   }
11233
11234   switch (AM.Scale) {
11235   case 0:
11236   case 1:
11237   case 2:
11238   case 4:
11239   case 8:
11240     // These scales always work.
11241     break;
11242   case 3:
11243   case 5:
11244   case 9:
11245     // These scales are formed with basereg+scalereg.  Only accept if there is
11246     // no basereg yet.
11247     if (AM.HasBaseReg)
11248       return false;
11249     break;
11250   default:  // Other stuff never works.
11251     return false;
11252   }
11253
11254   return true;
11255 }
11256
11257
11258 bool X86TargetLowering::isTruncateFree(Type *Ty1, Type *Ty2) const {
11259   if (!Ty1->isIntegerTy() || !Ty2->isIntegerTy())
11260     return false;
11261   unsigned NumBits1 = Ty1->getPrimitiveSizeInBits();
11262   unsigned NumBits2 = Ty2->getPrimitiveSizeInBits();
11263   if (NumBits1 <= NumBits2)
11264     return false;
11265   return true;
11266 }
11267
11268 bool X86TargetLowering::isTruncateFree(EVT VT1, EVT VT2) const {
11269   if (!VT1.isInteger() || !VT2.isInteger())
11270     return false;
11271   unsigned NumBits1 = VT1.getSizeInBits();
11272   unsigned NumBits2 = VT2.getSizeInBits();
11273   if (NumBits1 <= NumBits2)
11274     return false;
11275   return true;
11276 }
11277
11278 bool X86TargetLowering::isZExtFree(Type *Ty1, Type *Ty2) const {
11279   // x86-64 implicitly zero-extends 32-bit results in 64-bit registers.
11280   return Ty1->isIntegerTy(32) && Ty2->isIntegerTy(64) && Subtarget->is64Bit();
11281 }
11282
11283 bool X86TargetLowering::isZExtFree(EVT VT1, EVT VT2) const {
11284   // x86-64 implicitly zero-extends 32-bit results in 64-bit registers.
11285   return VT1 == MVT::i32 && VT2 == MVT::i64 && Subtarget->is64Bit();
11286 }
11287
11288 bool X86TargetLowering::isNarrowingProfitable(EVT VT1, EVT VT2) const {
11289   // i16 instructions are longer (0x66 prefix) and potentially slower.
11290   return !(VT1 == MVT::i32 && VT2 == MVT::i16);
11291 }
11292
11293 /// isShuffleMaskLegal - Targets can use this to indicate that they only
11294 /// support *some* VECTOR_SHUFFLE operations, those with specific masks.
11295 /// By default, if a target supports the VECTOR_SHUFFLE node, all mask values
11296 /// are assumed to be legal.
11297 bool
11298 X86TargetLowering::isShuffleMaskLegal(const SmallVectorImpl<int> &M,
11299                                       EVT VT) const {
11300   // Very little shuffling can be done for 64-bit vectors right now.
11301   if (VT.getSizeInBits() == 64)
11302     return false;
11303
11304   // FIXME: pshufb, blends, shifts.
11305   return (VT.getVectorNumElements() == 2 ||
11306           ShuffleVectorSDNode::isSplatMask(&M[0], VT) ||
11307           isMOVLMask(M, VT) ||
11308           isSHUFPMask(M, VT, Subtarget->hasAVX()) ||
11309           isPSHUFDMask(M, VT) ||
11310           isPSHUFHWMask(M, VT, Subtarget->hasAVX2()) ||
11311           isPSHUFLWMask(M, VT, Subtarget->hasAVX2()) ||
11312           isPALIGNRMask(M, VT, Subtarget) ||
11313           isUNPCKLMask(M, VT, Subtarget->hasAVX2()) ||
11314           isUNPCKHMask(M, VT, Subtarget->hasAVX2()) ||
11315           isUNPCKL_v_undef_Mask(M, VT, Subtarget->hasAVX2()) ||
11316           isUNPCKH_v_undef_Mask(M, VT, Subtarget->hasAVX2()));
11317 }
11318
11319 bool
11320 X86TargetLowering::isVectorClearMaskLegal(const SmallVectorImpl<int> &Mask,
11321                                           EVT VT) const {
11322   unsigned NumElts = VT.getVectorNumElements();
11323   // FIXME: This collection of masks seems suspect.
11324   if (NumElts == 2)
11325     return true;
11326   if (NumElts == 4 && VT.getSizeInBits() == 128) {
11327     return (isMOVLMask(Mask, VT)  ||
11328             isCommutedMOVLMask(Mask, VT, true) ||
11329             isSHUFPMask(Mask, VT, Subtarget->hasAVX()) ||
11330             isSHUFPMask(Mask, VT, Subtarget->hasAVX(), /* Commuted */ true));
11331   }
11332   return false;
11333 }
11334
11335 //===----------------------------------------------------------------------===//
11336 //                           X86 Scheduler Hooks
11337 //===----------------------------------------------------------------------===//
11338
11339 // private utility function
11340 MachineBasicBlock *
11341 X86TargetLowering::EmitAtomicBitwiseWithCustomInserter(MachineInstr *bInstr,
11342                                                        MachineBasicBlock *MBB,
11343                                                        unsigned regOpc,
11344                                                        unsigned immOpc,
11345                                                        unsigned LoadOpc,
11346                                                        unsigned CXchgOpc,
11347                                                        unsigned notOpc,
11348                                                        unsigned EAXreg,
11349                                                  const TargetRegisterClass *RC,
11350                                                        bool Invert) const {
11351   // For the atomic bitwise operator, we generate
11352   //   thisMBB:
11353   //   newMBB:
11354   //     ld  t1 = [bitinstr.addr]
11355   //     op  t2 = t1, [bitinstr.val]
11356   //     not t3 = t2  (if Invert)
11357   //     mov EAX = t1
11358   //     lcs dest = [bitinstr.addr], t3  [EAX is implicit]
11359   //     bz  newMBB
11360   //     fallthrough -->nextMBB
11361   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
11362   const BasicBlock *LLVM_BB = MBB->getBasicBlock();
11363   MachineFunction::iterator MBBIter = MBB;
11364   ++MBBIter;
11365
11366   /// First build the CFG
11367   MachineFunction *F = MBB->getParent();
11368   MachineBasicBlock *thisMBB = MBB;
11369   MachineBasicBlock *newMBB = F->CreateMachineBasicBlock(LLVM_BB);
11370   MachineBasicBlock *nextMBB = F->CreateMachineBasicBlock(LLVM_BB);
11371   F->insert(MBBIter, newMBB);
11372   F->insert(MBBIter, nextMBB);
11373
11374   // Transfer the remainder of thisMBB and its successor edges to nextMBB.
11375   nextMBB->splice(nextMBB->begin(), thisMBB,
11376                   llvm::next(MachineBasicBlock::iterator(bInstr)),
11377                   thisMBB->end());
11378   nextMBB->transferSuccessorsAndUpdatePHIs(thisMBB);
11379
11380   // Update thisMBB to fall through to newMBB
11381   thisMBB->addSuccessor(newMBB);
11382
11383   // newMBB jumps to itself and fall through to nextMBB
11384   newMBB->addSuccessor(nextMBB);
11385   newMBB->addSuccessor(newMBB);
11386
11387   // Insert instructions into newMBB based on incoming instruction
11388   assert(bInstr->getNumOperands() < X86::AddrNumOperands + 4 &&
11389          "unexpected number of operands");
11390   DebugLoc dl = bInstr->getDebugLoc();
11391   MachineOperand& destOper = bInstr->getOperand(0);
11392   MachineOperand* argOpers[2 + X86::AddrNumOperands];
11393   int numArgs = bInstr->getNumOperands() - 1;
11394   for (int i=0; i < numArgs; ++i)
11395     argOpers[i] = &bInstr->getOperand(i+1);
11396
11397   // x86 address has 4 operands: base, index, scale, and displacement
11398   int lastAddrIndx = X86::AddrNumOperands - 1; // [0,3]
11399   int valArgIndx = lastAddrIndx + 1;
11400
11401   unsigned t1 = F->getRegInfo().createVirtualRegister(RC);
11402   MachineInstrBuilder MIB = BuildMI(newMBB, dl, TII->get(LoadOpc), t1);
11403   for (int i=0; i <= lastAddrIndx; ++i)
11404     (*MIB).addOperand(*argOpers[i]);
11405
11406   unsigned t2 = F->getRegInfo().createVirtualRegister(RC);
11407   assert((argOpers[valArgIndx]->isReg() ||
11408           argOpers[valArgIndx]->isImm()) &&
11409          "invalid operand");
11410   if (argOpers[valArgIndx]->isReg())
11411     MIB = BuildMI(newMBB, dl, TII->get(regOpc), t2);
11412   else
11413     MIB = BuildMI(newMBB, dl, TII->get(immOpc), t2);
11414   MIB.addReg(t1);
11415   (*MIB).addOperand(*argOpers[valArgIndx]);
11416
11417   unsigned t3 = F->getRegInfo().createVirtualRegister(RC);
11418   if (Invert) {
11419     MIB = BuildMI(newMBB, dl, TII->get(notOpc), t3).addReg(t2);
11420   }
11421   else
11422     t3 = t2;
11423
11424   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), EAXreg);
11425   MIB.addReg(t1);
11426
11427   MIB = BuildMI(newMBB, dl, TII->get(CXchgOpc));
11428   for (int i=0; i <= lastAddrIndx; ++i)
11429     (*MIB).addOperand(*argOpers[i]);
11430   MIB.addReg(t3);
11431   assert(bInstr->hasOneMemOperand() && "Unexpected number of memoperand");
11432   (*MIB).setMemRefs(bInstr->memoperands_begin(),
11433                     bInstr->memoperands_end());
11434
11435   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), destOper.getReg());
11436   MIB.addReg(EAXreg);
11437
11438   // insert branch
11439   BuildMI(newMBB, dl, TII->get(X86::JNE_4)).addMBB(newMBB);
11440
11441   bInstr->eraseFromParent();   // The pseudo instruction is gone now.
11442   return nextMBB;
11443 }
11444
11445 // private utility function:  64 bit atomics on 32 bit host.
11446 MachineBasicBlock *
11447 X86TargetLowering::EmitAtomicBit6432WithCustomInserter(MachineInstr *bInstr,
11448                                                        MachineBasicBlock *MBB,
11449                                                        unsigned regOpcL,
11450                                                        unsigned regOpcH,
11451                                                        unsigned immOpcL,
11452                                                        unsigned immOpcH,
11453                                                        bool Invert) const {
11454   // For the atomic bitwise operator, we generate
11455   //   thisMBB (instructions are in pairs, except cmpxchg8b)
11456   //     ld t1,t2 = [bitinstr.addr]
11457   //   newMBB:
11458   //     out1, out2 = phi (thisMBB, t1/t2) (newMBB, t3/t4)
11459   //     op  t5, t6 <- out1, out2, [bitinstr.val]
11460   //      (for SWAP, substitute:  mov t5, t6 <- [bitinstr.val])
11461   //     neg t7, t8 < t5, t6  (if Invert)
11462   //     mov ECX, EBX <- t5, t6
11463   //     mov EAX, EDX <- t1, t2
11464   //     cmpxchg8b [bitinstr.addr]  [EAX, EDX, EBX, ECX implicit]
11465   //     mov t3, t4 <- EAX, EDX
11466   //     bz  newMBB
11467   //     result in out1, out2
11468   //     fallthrough -->nextMBB
11469
11470   const TargetRegisterClass *RC = &X86::GR32RegClass;
11471   const unsigned LoadOpc = X86::MOV32rm;
11472   const unsigned NotOpc = X86::NOT32r;
11473   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
11474   const BasicBlock *LLVM_BB = MBB->getBasicBlock();
11475   MachineFunction::iterator MBBIter = MBB;
11476   ++MBBIter;
11477
11478   /// First build the CFG
11479   MachineFunction *F = MBB->getParent();
11480   MachineBasicBlock *thisMBB = MBB;
11481   MachineBasicBlock *newMBB = F->CreateMachineBasicBlock(LLVM_BB);
11482   MachineBasicBlock *nextMBB = F->CreateMachineBasicBlock(LLVM_BB);
11483   F->insert(MBBIter, newMBB);
11484   F->insert(MBBIter, nextMBB);
11485
11486   // Transfer the remainder of thisMBB and its successor edges to nextMBB.
11487   nextMBB->splice(nextMBB->begin(), thisMBB,
11488                   llvm::next(MachineBasicBlock::iterator(bInstr)),
11489                   thisMBB->end());
11490   nextMBB->transferSuccessorsAndUpdatePHIs(thisMBB);
11491
11492   // Update thisMBB to fall through to newMBB
11493   thisMBB->addSuccessor(newMBB);
11494
11495   // newMBB jumps to itself and fall through to nextMBB
11496   newMBB->addSuccessor(nextMBB);
11497   newMBB->addSuccessor(newMBB);
11498
11499   DebugLoc dl = bInstr->getDebugLoc();
11500   // Insert instructions into newMBB based on incoming instruction
11501   // There are 8 "real" operands plus 9 implicit def/uses, ignored here.
11502   assert(bInstr->getNumOperands() < X86::AddrNumOperands + 14 &&
11503          "unexpected number of operands");
11504   MachineOperand& dest1Oper = bInstr->getOperand(0);
11505   MachineOperand& dest2Oper = bInstr->getOperand(1);
11506   MachineOperand* argOpers[2 + X86::AddrNumOperands];
11507   for (int i=0; i < 2 + X86::AddrNumOperands; ++i) {
11508     argOpers[i] = &bInstr->getOperand(i+2);
11509
11510     // We use some of the operands multiple times, so conservatively just
11511     // clear any kill flags that might be present.
11512     if (argOpers[i]->isReg() && argOpers[i]->isUse())
11513       argOpers[i]->setIsKill(false);
11514   }
11515
11516   // x86 address has 5 operands: base, index, scale, displacement, and segment.
11517   int lastAddrIndx = X86::AddrNumOperands - 1; // [0,3]
11518
11519   unsigned t1 = F->getRegInfo().createVirtualRegister(RC);
11520   MachineInstrBuilder MIB = BuildMI(thisMBB, dl, TII->get(LoadOpc), t1);
11521   for (int i=0; i <= lastAddrIndx; ++i)
11522     (*MIB).addOperand(*argOpers[i]);
11523   unsigned t2 = F->getRegInfo().createVirtualRegister(RC);
11524   MIB = BuildMI(thisMBB, dl, TII->get(LoadOpc), t2);
11525   // add 4 to displacement.
11526   for (int i=0; i <= lastAddrIndx-2; ++i)
11527     (*MIB).addOperand(*argOpers[i]);
11528   MachineOperand newOp3 = *(argOpers[3]);
11529   if (newOp3.isImm())
11530     newOp3.setImm(newOp3.getImm()+4);
11531   else
11532     newOp3.setOffset(newOp3.getOffset()+4);
11533   (*MIB).addOperand(newOp3);
11534   (*MIB).addOperand(*argOpers[lastAddrIndx]);
11535
11536   // t3/4 are defined later, at the bottom of the loop
11537   unsigned t3 = F->getRegInfo().createVirtualRegister(RC);
11538   unsigned t4 = F->getRegInfo().createVirtualRegister(RC);
11539   BuildMI(newMBB, dl, TII->get(X86::PHI), dest1Oper.getReg())
11540     .addReg(t1).addMBB(thisMBB).addReg(t3).addMBB(newMBB);
11541   BuildMI(newMBB, dl, TII->get(X86::PHI), dest2Oper.getReg())
11542     .addReg(t2).addMBB(thisMBB).addReg(t4).addMBB(newMBB);
11543
11544   // The subsequent operations should be using the destination registers of
11545   // the PHI instructions.
11546   t1 = dest1Oper.getReg();
11547   t2 = dest2Oper.getReg();
11548
11549   int valArgIndx = lastAddrIndx + 1;
11550   assert((argOpers[valArgIndx]->isReg() ||
11551           argOpers[valArgIndx]->isImm()) &&
11552          "invalid operand");
11553   unsigned t5 = F->getRegInfo().createVirtualRegister(RC);
11554   unsigned t6 = F->getRegInfo().createVirtualRegister(RC);
11555   if (argOpers[valArgIndx]->isReg())
11556     MIB = BuildMI(newMBB, dl, TII->get(regOpcL), t5);
11557   else
11558     MIB = BuildMI(newMBB, dl, TII->get(immOpcL), t5);
11559   if (regOpcL != X86::MOV32rr)
11560     MIB.addReg(t1);
11561   (*MIB).addOperand(*argOpers[valArgIndx]);
11562   assert(argOpers[valArgIndx + 1]->isReg() ==
11563          argOpers[valArgIndx]->isReg());
11564   assert(argOpers[valArgIndx + 1]->isImm() ==
11565          argOpers[valArgIndx]->isImm());
11566   if (argOpers[valArgIndx + 1]->isReg())
11567     MIB = BuildMI(newMBB, dl, TII->get(regOpcH), t6);
11568   else
11569     MIB = BuildMI(newMBB, dl, TII->get(immOpcH), t6);
11570   if (regOpcH != X86::MOV32rr)
11571     MIB.addReg(t2);
11572   (*MIB).addOperand(*argOpers[valArgIndx + 1]);
11573
11574   unsigned t7, t8;
11575   if (Invert) {
11576     t7 = F->getRegInfo().createVirtualRegister(RC);
11577     t8 = F->getRegInfo().createVirtualRegister(RC);
11578     MIB = BuildMI(newMBB, dl, TII->get(NotOpc), t7).addReg(t5);
11579     MIB = BuildMI(newMBB, dl, TII->get(NotOpc), t8).addReg(t6);
11580   } else {
11581     t7 = t5;
11582     t8 = t6;
11583   }
11584
11585   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), X86::EAX);
11586   MIB.addReg(t1);
11587   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), X86::EDX);
11588   MIB.addReg(t2);
11589
11590   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), X86::EBX);
11591   MIB.addReg(t7);
11592   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), X86::ECX);
11593   MIB.addReg(t8);
11594
11595   MIB = BuildMI(newMBB, dl, TII->get(X86::LCMPXCHG8B));
11596   for (int i=0; i <= lastAddrIndx; ++i)
11597     (*MIB).addOperand(*argOpers[i]);
11598
11599   assert(bInstr->hasOneMemOperand() && "Unexpected number of memoperand");
11600   (*MIB).setMemRefs(bInstr->memoperands_begin(),
11601                     bInstr->memoperands_end());
11602
11603   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), t3);
11604   MIB.addReg(X86::EAX);
11605   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), t4);
11606   MIB.addReg(X86::EDX);
11607
11608   // insert branch
11609   BuildMI(newMBB, dl, TII->get(X86::JNE_4)).addMBB(newMBB);
11610
11611   bInstr->eraseFromParent();   // The pseudo instruction is gone now.
11612   return nextMBB;
11613 }
11614
11615 // private utility function
11616 MachineBasicBlock *
11617 X86TargetLowering::EmitAtomicMinMaxWithCustomInserter(MachineInstr *mInstr,
11618                                                       MachineBasicBlock *MBB,
11619                                                       unsigned cmovOpc) const {
11620   // For the atomic min/max operator, we generate
11621   //   thisMBB:
11622   //   newMBB:
11623   //     ld t1 = [min/max.addr]
11624   //     mov t2 = [min/max.val]
11625   //     cmp  t1, t2
11626   //     cmov[cond] t2 = t1
11627   //     mov EAX = t1
11628   //     lcs dest = [bitinstr.addr], t2  [EAX is implicit]
11629   //     bz   newMBB
11630   //     fallthrough -->nextMBB
11631   //
11632   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
11633   const BasicBlock *LLVM_BB = MBB->getBasicBlock();
11634   MachineFunction::iterator MBBIter = MBB;
11635   ++MBBIter;
11636
11637   /// First build the CFG
11638   MachineFunction *F = MBB->getParent();
11639   MachineBasicBlock *thisMBB = MBB;
11640   MachineBasicBlock *newMBB = F->CreateMachineBasicBlock(LLVM_BB);
11641   MachineBasicBlock *nextMBB = F->CreateMachineBasicBlock(LLVM_BB);
11642   F->insert(MBBIter, newMBB);
11643   F->insert(MBBIter, nextMBB);
11644
11645   // Transfer the remainder of thisMBB and its successor edges to nextMBB.
11646   nextMBB->splice(nextMBB->begin(), thisMBB,
11647                   llvm::next(MachineBasicBlock::iterator(mInstr)),
11648                   thisMBB->end());
11649   nextMBB->transferSuccessorsAndUpdatePHIs(thisMBB);
11650
11651   // Update thisMBB to fall through to newMBB
11652   thisMBB->addSuccessor(newMBB);
11653
11654   // newMBB jumps to newMBB and fall through to nextMBB
11655   newMBB->addSuccessor(nextMBB);
11656   newMBB->addSuccessor(newMBB);
11657
11658   DebugLoc dl = mInstr->getDebugLoc();
11659   // Insert instructions into newMBB based on incoming instruction
11660   assert(mInstr->getNumOperands() < X86::AddrNumOperands + 4 &&
11661          "unexpected number of operands");
11662   MachineOperand& destOper = mInstr->getOperand(0);
11663   MachineOperand* argOpers[2 + X86::AddrNumOperands];
11664   int numArgs = mInstr->getNumOperands() - 1;
11665   for (int i=0; i < numArgs; ++i)
11666     argOpers[i] = &mInstr->getOperand(i+1);
11667
11668   // x86 address has 4 operands: base, index, scale, and displacement
11669   int lastAddrIndx = X86::AddrNumOperands - 1; // [0,3]
11670   int valArgIndx = lastAddrIndx + 1;
11671
11672   unsigned t1 = F->getRegInfo().createVirtualRegister(&X86::GR32RegClass);
11673   MachineInstrBuilder MIB = BuildMI(newMBB, dl, TII->get(X86::MOV32rm), t1);
11674   for (int i=0; i <= lastAddrIndx; ++i)
11675     (*MIB).addOperand(*argOpers[i]);
11676
11677   // We only support register and immediate values
11678   assert((argOpers[valArgIndx]->isReg() ||
11679           argOpers[valArgIndx]->isImm()) &&
11680          "invalid operand");
11681
11682   unsigned t2 = F->getRegInfo().createVirtualRegister(&X86::GR32RegClass);
11683   if (argOpers[valArgIndx]->isReg())
11684     MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), t2);
11685   else
11686     MIB = BuildMI(newMBB, dl, TII->get(X86::MOV32rr), t2);
11687   (*MIB).addOperand(*argOpers[valArgIndx]);
11688
11689   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), X86::EAX);
11690   MIB.addReg(t1);
11691
11692   MIB = BuildMI(newMBB, dl, TII->get(X86::CMP32rr));
11693   MIB.addReg(t1);
11694   MIB.addReg(t2);
11695
11696   // Generate movc
11697   unsigned t3 = F->getRegInfo().createVirtualRegister(&X86::GR32RegClass);
11698   MIB = BuildMI(newMBB, dl, TII->get(cmovOpc),t3);
11699   MIB.addReg(t2);
11700   MIB.addReg(t1);
11701
11702   // Cmp and exchange if none has modified the memory location
11703   MIB = BuildMI(newMBB, dl, TII->get(X86::LCMPXCHG32));
11704   for (int i=0; i <= lastAddrIndx; ++i)
11705     (*MIB).addOperand(*argOpers[i]);
11706   MIB.addReg(t3);
11707   assert(mInstr->hasOneMemOperand() && "Unexpected number of memoperand");
11708   (*MIB).setMemRefs(mInstr->memoperands_begin(),
11709                     mInstr->memoperands_end());
11710
11711   MIB = BuildMI(newMBB, dl, TII->get(TargetOpcode::COPY), destOper.getReg());
11712   MIB.addReg(X86::EAX);
11713
11714   // insert branch
11715   BuildMI(newMBB, dl, TII->get(X86::JNE_4)).addMBB(newMBB);
11716
11717   mInstr->eraseFromParent();   // The pseudo instruction is gone now.
11718   return nextMBB;
11719 }
11720
11721 // FIXME: When we get size specific XMM0 registers, i.e. XMM0_V16I8
11722 // or XMM0_V32I8 in AVX all of this code can be replaced with that
11723 // in the .td file.
11724 MachineBasicBlock *
11725 X86TargetLowering::EmitPCMP(MachineInstr *MI, MachineBasicBlock *BB,
11726                             unsigned numArgs, bool memArg) const {
11727   assert(Subtarget->hasSSE42() &&
11728          "Target must have SSE4.2 or AVX features enabled");
11729
11730   DebugLoc dl = MI->getDebugLoc();
11731   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
11732   unsigned Opc;
11733   if (!Subtarget->hasAVX()) {
11734     if (memArg)
11735       Opc = numArgs == 3 ? X86::PCMPISTRM128rm : X86::PCMPESTRM128rm;
11736     else
11737       Opc = numArgs == 3 ? X86::PCMPISTRM128rr : X86::PCMPESTRM128rr;
11738   } else {
11739     if (memArg)
11740       Opc = numArgs == 3 ? X86::VPCMPISTRM128rm : X86::VPCMPESTRM128rm;
11741     else
11742       Opc = numArgs == 3 ? X86::VPCMPISTRM128rr : X86::VPCMPESTRM128rr;
11743   }
11744
11745   MachineInstrBuilder MIB = BuildMI(*BB, MI, dl, TII->get(Opc));
11746   for (unsigned i = 0; i < numArgs; ++i) {
11747     MachineOperand &Op = MI->getOperand(i+1);
11748     if (!(Op.isReg() && Op.isImplicit()))
11749       MIB.addOperand(Op);
11750   }
11751   BuildMI(*BB, MI, dl,
11752     TII->get(Subtarget->hasAVX() ? X86::VMOVAPSrr : X86::MOVAPSrr),
11753              MI->getOperand(0).getReg())
11754     .addReg(X86::XMM0);
11755
11756   MI->eraseFromParent();
11757   return BB;
11758 }
11759
11760 MachineBasicBlock *
11761 X86TargetLowering::EmitMonitor(MachineInstr *MI, MachineBasicBlock *BB) const {
11762   DebugLoc dl = MI->getDebugLoc();
11763   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
11764
11765   // Address into RAX/EAX, other two args into ECX, EDX.
11766   unsigned MemOpc = Subtarget->is64Bit() ? X86::LEA64r : X86::LEA32r;
11767   unsigned MemReg = Subtarget->is64Bit() ? X86::RAX : X86::EAX;
11768   MachineInstrBuilder MIB = BuildMI(*BB, MI, dl, TII->get(MemOpc), MemReg);
11769   for (int i = 0; i < X86::AddrNumOperands; ++i)
11770     MIB.addOperand(MI->getOperand(i));
11771
11772   unsigned ValOps = X86::AddrNumOperands;
11773   BuildMI(*BB, MI, dl, TII->get(TargetOpcode::COPY), X86::ECX)
11774     .addReg(MI->getOperand(ValOps).getReg());
11775   BuildMI(*BB, MI, dl, TII->get(TargetOpcode::COPY), X86::EDX)
11776     .addReg(MI->getOperand(ValOps+1).getReg());
11777
11778   // The instruction doesn't actually take any operands though.
11779   BuildMI(*BB, MI, dl, TII->get(X86::MONITORrrr));
11780
11781   MI->eraseFromParent(); // The pseudo is gone now.
11782   return BB;
11783 }
11784
11785 MachineBasicBlock *
11786 X86TargetLowering::EmitMwait(MachineInstr *MI, MachineBasicBlock *BB) const {
11787   DebugLoc dl = MI->getDebugLoc();
11788   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
11789
11790   // First arg in ECX, the second in EAX.
11791   BuildMI(*BB, MI, dl, TII->get(TargetOpcode::COPY), X86::ECX)
11792     .addReg(MI->getOperand(0).getReg());
11793   BuildMI(*BB, MI, dl, TII->get(TargetOpcode::COPY), X86::EAX)
11794     .addReg(MI->getOperand(1).getReg());
11795
11796   // The instruction doesn't actually take any operands though.
11797   BuildMI(*BB, MI, dl, TII->get(X86::MWAITrr));
11798
11799   MI->eraseFromParent(); // The pseudo is gone now.
11800   return BB;
11801 }
11802
11803 MachineBasicBlock *
11804 X86TargetLowering::EmitVAARG64WithCustomInserter(
11805                    MachineInstr *MI,
11806                    MachineBasicBlock *MBB) const {
11807   // Emit va_arg instruction on X86-64.
11808
11809   // Operands to this pseudo-instruction:
11810   // 0  ) Output        : destination address (reg)
11811   // 1-5) Input         : va_list address (addr, i64mem)
11812   // 6  ) ArgSize       : Size (in bytes) of vararg type
11813   // 7  ) ArgMode       : 0=overflow only, 1=use gp_offset, 2=use fp_offset
11814   // 8  ) Align         : Alignment of type
11815   // 9  ) EFLAGS (implicit-def)
11816
11817   assert(MI->getNumOperands() == 10 && "VAARG_64 should have 10 operands!");
11818   assert(X86::AddrNumOperands == 5 && "VAARG_64 assumes 5 address operands");
11819
11820   unsigned DestReg = MI->getOperand(0).getReg();
11821   MachineOperand &Base = MI->getOperand(1);
11822   MachineOperand &Scale = MI->getOperand(2);
11823   MachineOperand &Index = MI->getOperand(3);
11824   MachineOperand &Disp = MI->getOperand(4);
11825   MachineOperand &Segment = MI->getOperand(5);
11826   unsigned ArgSize = MI->getOperand(6).getImm();
11827   unsigned ArgMode = MI->getOperand(7).getImm();
11828   unsigned Align = MI->getOperand(8).getImm();
11829
11830   // Memory Reference
11831   assert(MI->hasOneMemOperand() && "Expected VAARG_64 to have one memoperand");
11832   MachineInstr::mmo_iterator MMOBegin = MI->memoperands_begin();
11833   MachineInstr::mmo_iterator MMOEnd = MI->memoperands_end();
11834
11835   // Machine Information
11836   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
11837   MachineRegisterInfo &MRI = MBB->getParent()->getRegInfo();
11838   const TargetRegisterClass *AddrRegClass = getRegClassFor(MVT::i64);
11839   const TargetRegisterClass *OffsetRegClass = getRegClassFor(MVT::i32);
11840   DebugLoc DL = MI->getDebugLoc();
11841
11842   // struct va_list {
11843   //   i32   gp_offset
11844   //   i32   fp_offset
11845   //   i64   overflow_area (address)
11846   //   i64   reg_save_area (address)
11847   // }
11848   // sizeof(va_list) = 24
11849   // alignment(va_list) = 8
11850
11851   unsigned TotalNumIntRegs = 6;
11852   unsigned TotalNumXMMRegs = 8;
11853   bool UseGPOffset = (ArgMode == 1);
11854   bool UseFPOffset = (ArgMode == 2);
11855   unsigned MaxOffset = TotalNumIntRegs * 8 +
11856                        (UseFPOffset ? TotalNumXMMRegs * 16 : 0);
11857
11858   /* Align ArgSize to a multiple of 8 */
11859   unsigned ArgSizeA8 = (ArgSize + 7) & ~7;
11860   bool NeedsAlign = (Align > 8);
11861
11862   MachineBasicBlock *thisMBB = MBB;
11863   MachineBasicBlock *overflowMBB;
11864   MachineBasicBlock *offsetMBB;
11865   MachineBasicBlock *endMBB;
11866
11867   unsigned OffsetDestReg = 0;    // Argument address computed by offsetMBB
11868   unsigned OverflowDestReg = 0;  // Argument address computed by overflowMBB
11869   unsigned OffsetReg = 0;
11870
11871   if (!UseGPOffset && !UseFPOffset) {
11872     // If we only pull from the overflow region, we don't create a branch.
11873     // We don't need to alter control flow.
11874     OffsetDestReg = 0; // unused
11875     OverflowDestReg = DestReg;
11876
11877     offsetMBB = NULL;
11878     overflowMBB = thisMBB;
11879     endMBB = thisMBB;
11880   } else {
11881     // First emit code to check if gp_offset (or fp_offset) is below the bound.
11882     // If so, pull the argument from reg_save_area. (branch to offsetMBB)
11883     // If not, pull from overflow_area. (branch to overflowMBB)
11884     //
11885     //       thisMBB
11886     //         |     .
11887     //         |        .
11888     //     offsetMBB   overflowMBB
11889     //         |        .
11890     //         |     .
11891     //        endMBB
11892
11893     // Registers for the PHI in endMBB
11894     OffsetDestReg = MRI.createVirtualRegister(AddrRegClass);
11895     OverflowDestReg = MRI.createVirtualRegister(AddrRegClass);
11896
11897     const BasicBlock *LLVM_BB = MBB->getBasicBlock();
11898     MachineFunction *MF = MBB->getParent();
11899     overflowMBB = MF->CreateMachineBasicBlock(LLVM_BB);
11900     offsetMBB = MF->CreateMachineBasicBlock(LLVM_BB);
11901     endMBB = MF->CreateMachineBasicBlock(LLVM_BB);
11902
11903     MachineFunction::iterator MBBIter = MBB;
11904     ++MBBIter;
11905
11906     // Insert the new basic blocks
11907     MF->insert(MBBIter, offsetMBB);
11908     MF->insert(MBBIter, overflowMBB);
11909     MF->insert(MBBIter, endMBB);
11910
11911     // Transfer the remainder of MBB and its successor edges to endMBB.
11912     endMBB->splice(endMBB->begin(), thisMBB,
11913                     llvm::next(MachineBasicBlock::iterator(MI)),
11914                     thisMBB->end());
11915     endMBB->transferSuccessorsAndUpdatePHIs(thisMBB);
11916
11917     // Make offsetMBB and overflowMBB successors of thisMBB
11918     thisMBB->addSuccessor(offsetMBB);
11919     thisMBB->addSuccessor(overflowMBB);
11920
11921     // endMBB is a successor of both offsetMBB and overflowMBB
11922     offsetMBB->addSuccessor(endMBB);
11923     overflowMBB->addSuccessor(endMBB);
11924
11925     // Load the offset value into a register
11926     OffsetReg = MRI.createVirtualRegister(OffsetRegClass);
11927     BuildMI(thisMBB, DL, TII->get(X86::MOV32rm), OffsetReg)
11928       .addOperand(Base)
11929       .addOperand(Scale)
11930       .addOperand(Index)
11931       .addDisp(Disp, UseFPOffset ? 4 : 0)
11932       .addOperand(Segment)
11933       .setMemRefs(MMOBegin, MMOEnd);
11934
11935     // Check if there is enough room left to pull this argument.
11936     BuildMI(thisMBB, DL, TII->get(X86::CMP32ri))
11937       .addReg(OffsetReg)
11938       .addImm(MaxOffset + 8 - ArgSizeA8);
11939
11940     // Branch to "overflowMBB" if offset >= max
11941     // Fall through to "offsetMBB" otherwise
11942     BuildMI(thisMBB, DL, TII->get(X86::GetCondBranchFromCond(X86::COND_AE)))
11943       .addMBB(overflowMBB);
11944   }
11945
11946   // In offsetMBB, emit code to use the reg_save_area.
11947   if (offsetMBB) {
11948     assert(OffsetReg != 0);
11949
11950     // Read the reg_save_area address.
11951     unsigned RegSaveReg = MRI.createVirtualRegister(AddrRegClass);
11952     BuildMI(offsetMBB, DL, TII->get(X86::MOV64rm), RegSaveReg)
11953       .addOperand(Base)
11954       .addOperand(Scale)
11955       .addOperand(Index)
11956       .addDisp(Disp, 16)
11957       .addOperand(Segment)
11958       .setMemRefs(MMOBegin, MMOEnd);
11959
11960     // Zero-extend the offset
11961     unsigned OffsetReg64 = MRI.createVirtualRegister(AddrRegClass);
11962       BuildMI(offsetMBB, DL, TII->get(X86::SUBREG_TO_REG), OffsetReg64)
11963         .addImm(0)
11964         .addReg(OffsetReg)
11965         .addImm(X86::sub_32bit);
11966
11967     // Add the offset to the reg_save_area to get the final address.
11968     BuildMI(offsetMBB, DL, TII->get(X86::ADD64rr), OffsetDestReg)
11969       .addReg(OffsetReg64)
11970       .addReg(RegSaveReg);
11971
11972     // Compute the offset for the next argument
11973     unsigned NextOffsetReg = MRI.createVirtualRegister(OffsetRegClass);
11974     BuildMI(offsetMBB, DL, TII->get(X86::ADD32ri), NextOffsetReg)
11975       .addReg(OffsetReg)
11976       .addImm(UseFPOffset ? 16 : 8);
11977
11978     // Store it back into the va_list.
11979     BuildMI(offsetMBB, DL, TII->get(X86::MOV32mr))
11980       .addOperand(Base)
11981       .addOperand(Scale)
11982       .addOperand(Index)
11983       .addDisp(Disp, UseFPOffset ? 4 : 0)
11984       .addOperand(Segment)
11985       .addReg(NextOffsetReg)
11986       .setMemRefs(MMOBegin, MMOEnd);
11987
11988     // Jump to endMBB
11989     BuildMI(offsetMBB, DL, TII->get(X86::JMP_4))
11990       .addMBB(endMBB);
11991   }
11992
11993   //
11994   // Emit code to use overflow area
11995   //
11996
11997   // Load the overflow_area address into a register.
11998   unsigned OverflowAddrReg = MRI.createVirtualRegister(AddrRegClass);
11999   BuildMI(overflowMBB, DL, TII->get(X86::MOV64rm), OverflowAddrReg)
12000     .addOperand(Base)
12001     .addOperand(Scale)
12002     .addOperand(Index)
12003     .addDisp(Disp, 8)
12004     .addOperand(Segment)
12005     .setMemRefs(MMOBegin, MMOEnd);
12006
12007   // If we need to align it, do so. Otherwise, just copy the address
12008   // to OverflowDestReg.
12009   if (NeedsAlign) {
12010     // Align the overflow address
12011     assert((Align & (Align-1)) == 0 && "Alignment must be a power of 2");
12012     unsigned TmpReg = MRI.createVirtualRegister(AddrRegClass);
12013
12014     // aligned_addr = (addr + (align-1)) & ~(align-1)
12015     BuildMI(overflowMBB, DL, TII->get(X86::ADD64ri32), TmpReg)
12016       .addReg(OverflowAddrReg)
12017       .addImm(Align-1);
12018
12019     BuildMI(overflowMBB, DL, TII->get(X86::AND64ri32), OverflowDestReg)
12020       .addReg(TmpReg)
12021       .addImm(~(uint64_t)(Align-1));
12022   } else {
12023     BuildMI(overflowMBB, DL, TII->get(TargetOpcode::COPY), OverflowDestReg)
12024       .addReg(OverflowAddrReg);
12025   }
12026
12027   // Compute the next overflow address after this argument.
12028   // (the overflow address should be kept 8-byte aligned)
12029   unsigned NextAddrReg = MRI.createVirtualRegister(AddrRegClass);
12030   BuildMI(overflowMBB, DL, TII->get(X86::ADD64ri32), NextAddrReg)
12031     .addReg(OverflowDestReg)
12032     .addImm(ArgSizeA8);
12033
12034   // Store the new overflow address.
12035   BuildMI(overflowMBB, DL, TII->get(X86::MOV64mr))
12036     .addOperand(Base)
12037     .addOperand(Scale)
12038     .addOperand(Index)
12039     .addDisp(Disp, 8)
12040     .addOperand(Segment)
12041     .addReg(NextAddrReg)
12042     .setMemRefs(MMOBegin, MMOEnd);
12043
12044   // If we branched, emit the PHI to the front of endMBB.
12045   if (offsetMBB) {
12046     BuildMI(*endMBB, endMBB->begin(), DL,
12047             TII->get(X86::PHI), DestReg)
12048       .addReg(OffsetDestReg).addMBB(offsetMBB)
12049       .addReg(OverflowDestReg).addMBB(overflowMBB);
12050   }
12051
12052   // Erase the pseudo instruction
12053   MI->eraseFromParent();
12054
12055   return endMBB;
12056 }
12057
12058 MachineBasicBlock *
12059 X86TargetLowering::EmitVAStartSaveXMMRegsWithCustomInserter(
12060                                                  MachineInstr *MI,
12061                                                  MachineBasicBlock *MBB) const {
12062   // Emit code to save XMM registers to the stack. The ABI says that the
12063   // number of registers to save is given in %al, so it's theoretically
12064   // possible to do an indirect jump trick to avoid saving all of them,
12065   // however this code takes a simpler approach and just executes all
12066   // of the stores if %al is non-zero. It's less code, and it's probably
12067   // easier on the hardware branch predictor, and stores aren't all that
12068   // expensive anyway.
12069
12070   // Create the new basic blocks. One block contains all the XMM stores,
12071   // and one block is the final destination regardless of whether any
12072   // stores were performed.
12073   const BasicBlock *LLVM_BB = MBB->getBasicBlock();
12074   MachineFunction *F = MBB->getParent();
12075   MachineFunction::iterator MBBIter = MBB;
12076   ++MBBIter;
12077   MachineBasicBlock *XMMSaveMBB = F->CreateMachineBasicBlock(LLVM_BB);
12078   MachineBasicBlock *EndMBB = F->CreateMachineBasicBlock(LLVM_BB);
12079   F->insert(MBBIter, XMMSaveMBB);
12080   F->insert(MBBIter, EndMBB);
12081
12082   // Transfer the remainder of MBB and its successor edges to EndMBB.
12083   EndMBB->splice(EndMBB->begin(), MBB,
12084                  llvm::next(MachineBasicBlock::iterator(MI)),
12085                  MBB->end());
12086   EndMBB->transferSuccessorsAndUpdatePHIs(MBB);
12087
12088   // The original block will now fall through to the XMM save block.
12089   MBB->addSuccessor(XMMSaveMBB);
12090   // The XMMSaveMBB will fall through to the end block.
12091   XMMSaveMBB->addSuccessor(EndMBB);
12092
12093   // Now add the instructions.
12094   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
12095   DebugLoc DL = MI->getDebugLoc();
12096
12097   unsigned CountReg = MI->getOperand(0).getReg();
12098   int64_t RegSaveFrameIndex = MI->getOperand(1).getImm();
12099   int64_t VarArgsFPOffset = MI->getOperand(2).getImm();
12100
12101   if (!Subtarget->isTargetWin64()) {
12102     // If %al is 0, branch around the XMM save block.
12103     BuildMI(MBB, DL, TII->get(X86::TEST8rr)).addReg(CountReg).addReg(CountReg);
12104     BuildMI(MBB, DL, TII->get(X86::JE_4)).addMBB(EndMBB);
12105     MBB->addSuccessor(EndMBB);
12106   }
12107
12108   unsigned MOVOpc = Subtarget->hasAVX() ? X86::VMOVAPSmr : X86::MOVAPSmr;
12109   // In the XMM save block, save all the XMM argument registers.
12110   for (int i = 3, e = MI->getNumOperands(); i != e; ++i) {
12111     int64_t Offset = (i - 3) * 16 + VarArgsFPOffset;
12112     MachineMemOperand *MMO =
12113       F->getMachineMemOperand(
12114           MachinePointerInfo::getFixedStack(RegSaveFrameIndex, Offset),
12115         MachineMemOperand::MOStore,
12116         /*Size=*/16, /*Align=*/16);
12117     BuildMI(XMMSaveMBB, DL, TII->get(MOVOpc))
12118       .addFrameIndex(RegSaveFrameIndex)
12119       .addImm(/*Scale=*/1)
12120       .addReg(/*IndexReg=*/0)
12121       .addImm(/*Disp=*/Offset)
12122       .addReg(/*Segment=*/0)
12123       .addReg(MI->getOperand(i).getReg())
12124       .addMemOperand(MMO);
12125   }
12126
12127   MI->eraseFromParent();   // The pseudo instruction is gone now.
12128
12129   return EndMBB;
12130 }
12131
12132 // The EFLAGS operand of SelectItr might be missing a kill marker
12133 // because there were multiple uses of EFLAGS, and ISel didn't know
12134 // which to mark. Figure out whether SelectItr should have had a
12135 // kill marker, and set it if it should. Returns the correct kill
12136 // marker value.
12137 static bool checkAndUpdateEFLAGSKill(MachineBasicBlock::iterator SelectItr,
12138                                      MachineBasicBlock* BB,
12139                                      const TargetRegisterInfo* TRI) {
12140   // Scan forward through BB for a use/def of EFLAGS.
12141   MachineBasicBlock::iterator miI(llvm::next(SelectItr));
12142   for (MachineBasicBlock::iterator miE = BB->end(); miI != miE; ++miI) {
12143     const MachineInstr& mi = *miI;
12144     if (mi.readsRegister(X86::EFLAGS))
12145       return false;
12146     if (mi.definesRegister(X86::EFLAGS))
12147       break; // Should have kill-flag - update below.
12148   }
12149
12150   // If we hit the end of the block, check whether EFLAGS is live into a
12151   // successor.
12152   if (miI == BB->end()) {
12153     for (MachineBasicBlock::succ_iterator sItr = BB->succ_begin(),
12154                                           sEnd = BB->succ_end();
12155          sItr != sEnd; ++sItr) {
12156       MachineBasicBlock* succ = *sItr;
12157       if (succ->isLiveIn(X86::EFLAGS))
12158         return false;
12159     }
12160   }
12161
12162   // We found a def, or hit the end of the basic block and EFLAGS wasn't live
12163   // out. SelectMI should have a kill flag on EFLAGS.
12164   SelectItr->addRegisterKilled(X86::EFLAGS, TRI);
12165   return true;
12166 }
12167
12168 MachineBasicBlock *
12169 X86TargetLowering::EmitLoweredSelect(MachineInstr *MI,
12170                                      MachineBasicBlock *BB) const {
12171   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
12172   DebugLoc DL = MI->getDebugLoc();
12173
12174   // To "insert" a SELECT_CC instruction, we actually have to insert the
12175   // diamond control-flow pattern.  The incoming instruction knows the
12176   // destination vreg to set, the condition code register to branch on, the
12177   // true/false values to select between, and a branch opcode to use.
12178   const BasicBlock *LLVM_BB = BB->getBasicBlock();
12179   MachineFunction::iterator It = BB;
12180   ++It;
12181
12182   //  thisMBB:
12183   //  ...
12184   //   TrueVal = ...
12185   //   cmpTY ccX, r1, r2
12186   //   bCC copy1MBB
12187   //   fallthrough --> copy0MBB
12188   MachineBasicBlock *thisMBB = BB;
12189   MachineFunction *F = BB->getParent();
12190   MachineBasicBlock *copy0MBB = F->CreateMachineBasicBlock(LLVM_BB);
12191   MachineBasicBlock *sinkMBB = F->CreateMachineBasicBlock(LLVM_BB);
12192   F->insert(It, copy0MBB);
12193   F->insert(It, sinkMBB);
12194
12195   // If the EFLAGS register isn't dead in the terminator, then claim that it's
12196   // live into the sink and copy blocks.
12197   const TargetRegisterInfo* TRI = getTargetMachine().getRegisterInfo();
12198   if (!MI->killsRegister(X86::EFLAGS) &&
12199       !checkAndUpdateEFLAGSKill(MI, BB, TRI)) {
12200     copy0MBB->addLiveIn(X86::EFLAGS);
12201     sinkMBB->addLiveIn(X86::EFLAGS);
12202   }
12203
12204   // Transfer the remainder of BB and its successor edges to sinkMBB.
12205   sinkMBB->splice(sinkMBB->begin(), BB,
12206                   llvm::next(MachineBasicBlock::iterator(MI)),
12207                   BB->end());
12208   sinkMBB->transferSuccessorsAndUpdatePHIs(BB);
12209
12210   // Add the true and fallthrough blocks as its successors.
12211   BB->addSuccessor(copy0MBB);
12212   BB->addSuccessor(sinkMBB);
12213
12214   // Create the conditional branch instruction.
12215   unsigned Opc =
12216     X86::GetCondBranchFromCond((X86::CondCode)MI->getOperand(3).getImm());
12217   BuildMI(BB, DL, TII->get(Opc)).addMBB(sinkMBB);
12218
12219   //  copy0MBB:
12220   //   %FalseValue = ...
12221   //   # fallthrough to sinkMBB
12222   copy0MBB->addSuccessor(sinkMBB);
12223
12224   //  sinkMBB:
12225   //   %Result = phi [ %FalseValue, copy0MBB ], [ %TrueValue, thisMBB ]
12226   //  ...
12227   BuildMI(*sinkMBB, sinkMBB->begin(), DL,
12228           TII->get(X86::PHI), MI->getOperand(0).getReg())
12229     .addReg(MI->getOperand(1).getReg()).addMBB(copy0MBB)
12230     .addReg(MI->getOperand(2).getReg()).addMBB(thisMBB);
12231
12232   MI->eraseFromParent();   // The pseudo instruction is gone now.
12233   return sinkMBB;
12234 }
12235
12236 MachineBasicBlock *
12237 X86TargetLowering::EmitLoweredSegAlloca(MachineInstr *MI, MachineBasicBlock *BB,
12238                                         bool Is64Bit) const {
12239   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
12240   DebugLoc DL = MI->getDebugLoc();
12241   MachineFunction *MF = BB->getParent();
12242   const BasicBlock *LLVM_BB = BB->getBasicBlock();
12243
12244   assert(getTargetMachine().Options.EnableSegmentedStacks);
12245
12246   unsigned TlsReg = Is64Bit ? X86::FS : X86::GS;
12247   unsigned TlsOffset = Is64Bit ? 0x70 : 0x30;
12248
12249   // BB:
12250   //  ... [Till the alloca]
12251   // If stacklet is not large enough, jump to mallocMBB
12252   //
12253   // bumpMBB:
12254   //  Allocate by subtracting from RSP
12255   //  Jump to continueMBB
12256   //
12257   // mallocMBB:
12258   //  Allocate by call to runtime
12259   //
12260   // continueMBB:
12261   //  ...
12262   //  [rest of original BB]
12263   //
12264
12265   MachineBasicBlock *mallocMBB = MF->CreateMachineBasicBlock(LLVM_BB);
12266   MachineBasicBlock *bumpMBB = MF->CreateMachineBasicBlock(LLVM_BB);
12267   MachineBasicBlock *continueMBB = MF->CreateMachineBasicBlock(LLVM_BB);
12268
12269   MachineRegisterInfo &MRI = MF->getRegInfo();
12270   const TargetRegisterClass *AddrRegClass =
12271     getRegClassFor(Is64Bit ? MVT::i64:MVT::i32);
12272
12273   unsigned mallocPtrVReg = MRI.createVirtualRegister(AddrRegClass),
12274     bumpSPPtrVReg = MRI.createVirtualRegister(AddrRegClass),
12275     tmpSPVReg = MRI.createVirtualRegister(AddrRegClass),
12276     SPLimitVReg = MRI.createVirtualRegister(AddrRegClass),
12277     sizeVReg = MI->getOperand(1).getReg(),
12278     physSPReg = Is64Bit ? X86::RSP : X86::ESP;
12279
12280   MachineFunction::iterator MBBIter = BB;
12281   ++MBBIter;
12282
12283   MF->insert(MBBIter, bumpMBB);
12284   MF->insert(MBBIter, mallocMBB);
12285   MF->insert(MBBIter, continueMBB);
12286
12287   continueMBB->splice(continueMBB->begin(), BB, llvm::next
12288                       (MachineBasicBlock::iterator(MI)), BB->end());
12289   continueMBB->transferSuccessorsAndUpdatePHIs(BB);
12290
12291   // Add code to the main basic block to check if the stack limit has been hit,
12292   // and if so, jump to mallocMBB otherwise to bumpMBB.
12293   BuildMI(BB, DL, TII->get(TargetOpcode::COPY), tmpSPVReg).addReg(physSPReg);
12294   BuildMI(BB, DL, TII->get(Is64Bit ? X86::SUB64rr:X86::SUB32rr), SPLimitVReg)
12295     .addReg(tmpSPVReg).addReg(sizeVReg);
12296   BuildMI(BB, DL, TII->get(Is64Bit ? X86::CMP64mr:X86::CMP32mr))
12297     .addReg(0).addImm(1).addReg(0).addImm(TlsOffset).addReg(TlsReg)
12298     .addReg(SPLimitVReg);
12299   BuildMI(BB, DL, TII->get(X86::JG_4)).addMBB(mallocMBB);
12300
12301   // bumpMBB simply decreases the stack pointer, since we know the current
12302   // stacklet has enough space.
12303   BuildMI(bumpMBB, DL, TII->get(TargetOpcode::COPY), physSPReg)
12304     .addReg(SPLimitVReg);
12305   BuildMI(bumpMBB, DL, TII->get(TargetOpcode::COPY), bumpSPPtrVReg)
12306     .addReg(SPLimitVReg);
12307   BuildMI(bumpMBB, DL, TII->get(X86::JMP_4)).addMBB(continueMBB);
12308
12309   // Calls into a routine in libgcc to allocate more space from the heap.
12310   const uint32_t *RegMask =
12311     getTargetMachine().getRegisterInfo()->getCallPreservedMask(CallingConv::C);
12312   if (Is64Bit) {
12313     BuildMI(mallocMBB, DL, TII->get(X86::MOV64rr), X86::RDI)
12314       .addReg(sizeVReg);
12315     BuildMI(mallocMBB, DL, TII->get(X86::CALL64pcrel32))
12316       .addExternalSymbol("__morestack_allocate_stack_space").addReg(X86::RDI)
12317       .addRegMask(RegMask)
12318       .addReg(X86::RAX, RegState::ImplicitDefine);
12319   } else {
12320     BuildMI(mallocMBB, DL, TII->get(X86::SUB32ri), physSPReg).addReg(physSPReg)
12321       .addImm(12);
12322     BuildMI(mallocMBB, DL, TII->get(X86::PUSH32r)).addReg(sizeVReg);
12323     BuildMI(mallocMBB, DL, TII->get(X86::CALLpcrel32))
12324       .addExternalSymbol("__morestack_allocate_stack_space")
12325       .addRegMask(RegMask)
12326       .addReg(X86::EAX, RegState::ImplicitDefine);
12327   }
12328
12329   if (!Is64Bit)
12330     BuildMI(mallocMBB, DL, TII->get(X86::ADD32ri), physSPReg).addReg(physSPReg)
12331       .addImm(16);
12332
12333   BuildMI(mallocMBB, DL, TII->get(TargetOpcode::COPY), mallocPtrVReg)
12334     .addReg(Is64Bit ? X86::RAX : X86::EAX);
12335   BuildMI(mallocMBB, DL, TII->get(X86::JMP_4)).addMBB(continueMBB);
12336
12337   // Set up the CFG correctly.
12338   BB->addSuccessor(bumpMBB);
12339   BB->addSuccessor(mallocMBB);
12340   mallocMBB->addSuccessor(continueMBB);
12341   bumpMBB->addSuccessor(continueMBB);
12342
12343   // Take care of the PHI nodes.
12344   BuildMI(*continueMBB, continueMBB->begin(), DL, TII->get(X86::PHI),
12345           MI->getOperand(0).getReg())
12346     .addReg(mallocPtrVReg).addMBB(mallocMBB)
12347     .addReg(bumpSPPtrVReg).addMBB(bumpMBB);
12348
12349   // Delete the original pseudo instruction.
12350   MI->eraseFromParent();
12351
12352   // And we're done.
12353   return continueMBB;
12354 }
12355
12356 MachineBasicBlock *
12357 X86TargetLowering::EmitLoweredWinAlloca(MachineInstr *MI,
12358                                           MachineBasicBlock *BB) const {
12359   const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
12360   DebugLoc DL = MI->getDebugLoc();
12361
12362   assert(!Subtarget->isTargetEnvMacho());
12363
12364   // The lowering is pretty easy: we're just emitting the call to _alloca.  The
12365   // non-trivial part is impdef of ESP.
12366
12367   if (Subtarget->isTargetWin64()) {
12368     if (Subtarget->isTargetCygMing()) {
12369       // ___chkstk(Mingw64):
12370       // Clobbers R10, R11, RAX and EFLAGS.
12371       // Updates RSP.
12372       BuildMI(*BB, MI, DL, TII->get(X86::W64ALLOCA))
12373         .addExternalSymbol("___chkstk")
12374         .addReg(X86::RAX, RegState::Implicit)
12375         .addReg(X86::RSP, RegState::Implicit)
12376         .addReg(X86::RAX, RegState::Define | RegState::Implicit)
12377         .addReg(X86::RSP, RegState::Define | RegState::Implicit)
12378         .addReg(X86::EFLAGS, RegState::Define | RegState::Implicit);
12379     } else {
12380       // __chkstk(MSVCRT): does not update stack pointer.
12381       // Clobbers R10, R11 and EFLAGS.
12382       // FIXME: RAX(allocated size) might be reused and not killed.
12383       BuildMI(*BB, MI, DL, TII->get(X86::W64ALLOCA))
12384         .addExternalSymbol("__chkstk")
12385         .addReg(X86::RAX, RegState::Implicit)
12386         .addReg(X86::EFLAGS, RegState::Define | RegState::Implicit);
12387       // RAX has the offset to subtracted from RSP.
12388       BuildMI(*BB, MI, DL, TII->get(X86::SUB64rr), X86::RSP)
12389         .addReg(X86::RSP)
12390         .addReg(X86::RAX);
12391     }
12392   } else {
12393     const char *StackProbeSymbol =
12394       Subtarget->isTargetWindows() ? "_chkstk" : "_alloca";
12395
12396     BuildMI(*BB, MI, DL, TII->get(X86::CALLpcrel32))
12397       .addExternalSymbol(StackProbeSymbol)
12398       .addReg(X86::EAX, RegState::Implicit)
12399       .addReg(X86::ESP, RegState::Implicit)
12400       .addReg(X86::EAX, RegState::Define | RegState::Implicit)
12401       .addReg(X86::ESP, RegState::Define | RegState::Implicit)
12402       .addReg(X86::EFLAGS, RegState::Define | RegState::Implicit);
12403   }
12404
12405   MI->eraseFromParent();   // The pseudo instruction is gone now.
12406   return BB;
12407 }
12408
12409 MachineBasicBlock *
12410 X86TargetLowering::EmitLoweredTLSCall(MachineInstr *MI,
12411                                       MachineBasicBlock *BB) const {
12412   // This is pretty easy.  We're taking the value that we received from
12413   // our load from the relocation, sticking it in either RDI (x86-64)
12414   // or EAX and doing an indirect call.  The return value will then
12415   // be in the normal return register.
12416   const X86InstrInfo *TII
12417     = static_cast<const X86InstrInfo*>(getTargetMachine().getInstrInfo());
12418   DebugLoc DL = MI->getDebugLoc();
12419   MachineFunction *F = BB->getParent();
12420
12421   assert(Subtarget->isTargetDarwin() && "Darwin only instr emitted?");
12422   assert(MI->getOperand(3).isGlobal() && "This should be a global");
12423
12424   // Get a register mask for the lowered call.
12425   // FIXME: The 32-bit calls have non-standard calling conventions. Use a
12426   // proper register mask.
12427   const uint32_t *RegMask =
12428     getTargetMachine().getRegisterInfo()->getCallPreservedMask(CallingConv::C);
12429   if (Subtarget->is64Bit()) {
12430     MachineInstrBuilder MIB = BuildMI(*BB, MI, DL,
12431                                       TII->get(X86::MOV64rm), X86::RDI)
12432     .addReg(X86::RIP)
12433     .addImm(0).addReg(0)
12434     .addGlobalAddress(MI->getOperand(3).getGlobal(), 0,
12435                       MI->getOperand(3).getTargetFlags())
12436     .addReg(0);
12437     MIB = BuildMI(*BB, MI, DL, TII->get(X86::CALL64m));
12438     addDirectMem(MIB, X86::RDI);
12439     MIB.addReg(X86::RAX, RegState::ImplicitDefine).addRegMask(RegMask);
12440   } else if (getTargetMachine().getRelocationModel() != Reloc::PIC_) {
12441     MachineInstrBuilder MIB = BuildMI(*BB, MI, DL,
12442                                       TII->get(X86::MOV32rm), X86::EAX)
12443     .addReg(0)
12444     .addImm(0).addReg(0)
12445     .addGlobalAddress(MI->getOperand(3).getGlobal(), 0,
12446                       MI->getOperand(3).getTargetFlags())
12447     .addReg(0);
12448     MIB = BuildMI(*BB, MI, DL, TII->get(X86::CALL32m));
12449     addDirectMem(MIB, X86::EAX);
12450     MIB.addReg(X86::EAX, RegState::ImplicitDefine).addRegMask(RegMask);
12451   } else {
12452     MachineInstrBuilder MIB = BuildMI(*BB, MI, DL,
12453                                       TII->get(X86::MOV32rm), X86::EAX)
12454     .addReg(TII->getGlobalBaseReg(F))
12455     .addImm(0).addReg(0)
12456     .addGlobalAddress(MI->getOperand(3).getGlobal(), 0,
12457                       MI->getOperand(3).getTargetFlags())
12458     .addReg(0);
12459     MIB = BuildMI(*BB, MI, DL, TII->get(X86::CALL32m));
12460     addDirectMem(MIB, X86::EAX);
12461     MIB.addReg(X86::EAX, RegState::ImplicitDefine).addRegMask(RegMask);
12462   }
12463
12464   MI->eraseFromParent(); // The pseudo instruction is gone now.
12465   return BB;
12466 }
12467
12468 MachineBasicBlock *
12469 X86TargetLowering::EmitInstrWithCustomInserter(MachineInstr *MI,
12470                                                MachineBasicBlock *BB) const {
12471   switch (MI->getOpcode()) {
12472   default: llvm_unreachable("Unexpected instr type to insert");
12473   case X86::TAILJMPd64:
12474   case X86::TAILJMPr64:
12475   case X86::TAILJMPm64:
12476     llvm_unreachable("TAILJMP64 would not be touched here.");
12477   case X86::TCRETURNdi64:
12478   case X86::TCRETURNri64:
12479   case X86::TCRETURNmi64:
12480     return BB;
12481   case X86::WIN_ALLOCA:
12482     return EmitLoweredWinAlloca(MI, BB);
12483   case X86::SEG_ALLOCA_32:
12484     return EmitLoweredSegAlloca(MI, BB, false);
12485   case X86::SEG_ALLOCA_64:
12486     return EmitLoweredSegAlloca(MI, BB, true);
12487   case X86::TLSCall_32:
12488   case X86::TLSCall_64:
12489     return EmitLoweredTLSCall(MI, BB);
12490   case X86::CMOV_GR8:
12491   case X86::CMOV_FR32:
12492   case X86::CMOV_FR64:
12493   case X86::CMOV_V4F32:
12494   case X86::CMOV_V2F64:
12495   case X86::CMOV_V2I64:
12496   case X86::CMOV_V8F32:
12497   case X86::CMOV_V4F64:
12498   case X86::CMOV_V4I64:
12499   case X86::CMOV_GR16:
12500   case X86::CMOV_GR32:
12501   case X86::CMOV_RFP32:
12502   case X86::CMOV_RFP64:
12503   case X86::CMOV_RFP80:
12504     return EmitLoweredSelect(MI, BB);
12505
12506   case X86::FP32_TO_INT16_IN_MEM:
12507   case X86::FP32_TO_INT32_IN_MEM:
12508   case X86::FP32_TO_INT64_IN_MEM:
12509   case X86::FP64_TO_INT16_IN_MEM:
12510   case X86::FP64_TO_INT32_IN_MEM:
12511   case X86::FP64_TO_INT64_IN_MEM:
12512   case X86::FP80_TO_INT16_IN_MEM:
12513   case X86::FP80_TO_INT32_IN_MEM:
12514   case X86::FP80_TO_INT64_IN_MEM: {
12515     const TargetInstrInfo *TII = getTargetMachine().getInstrInfo();
12516     DebugLoc DL = MI->getDebugLoc();
12517
12518     // Change the floating point control register to use "round towards zero"
12519     // mode when truncating to an integer value.
12520     MachineFunction *F = BB->getParent();
12521     int CWFrameIdx = F->getFrameInfo()->CreateStackObject(2, 2, false);
12522     addFrameReference(BuildMI(*BB, MI, DL,
12523                               TII->get(X86::FNSTCW16m)), CWFrameIdx);
12524
12525     // Load the old value of the high byte of the control word...
12526     unsigned OldCW =
12527       F->getRegInfo().createVirtualRegister(&X86::GR16RegClass);
12528     addFrameReference(BuildMI(*BB, MI, DL, TII->get(X86::MOV16rm), OldCW),
12529                       CWFrameIdx);
12530
12531     // Set the high part to be round to zero...
12532     addFrameReference(BuildMI(*BB, MI, DL, TII->get(X86::MOV16mi)), CWFrameIdx)
12533       .addImm(0xC7F);
12534
12535     // Reload the modified control word now...
12536     addFrameReference(BuildMI(*BB, MI, DL,
12537                               TII->get(X86::FLDCW16m)), CWFrameIdx);
12538
12539     // Restore the memory image of control word to original value
12540     addFrameReference(BuildMI(*BB, MI, DL, TII->get(X86::MOV16mr)), CWFrameIdx)
12541       .addReg(OldCW);
12542
12543     // Get the X86 opcode to use.
12544     unsigned Opc;
12545     switch (MI->getOpcode()) {
12546     default: llvm_unreachable("illegal opcode!");
12547     case X86::FP32_TO_INT16_IN_MEM: Opc = X86::IST_Fp16m32; break;
12548     case X86::FP32_TO_INT32_IN_MEM: Opc = X86::IST_Fp32m32; break;
12549     case X86::FP32_TO_INT64_IN_MEM: Opc = X86::IST_Fp64m32; break;
12550     case X86::FP64_TO_INT16_IN_MEM: Opc = X86::IST_Fp16m64; break;
12551     case X86::FP64_TO_INT32_IN_MEM: Opc = X86::IST_Fp32m64; break;
12552     case X86::FP64_TO_INT64_IN_MEM: Opc = X86::IST_Fp64m64; break;
12553     case X86::FP80_TO_INT16_IN_MEM: Opc = X86::IST_Fp16m80; break;
12554     case X86::FP80_TO_INT32_IN_MEM: Opc = X86::IST_Fp32m80; break;
12555     case X86::FP80_TO_INT64_IN_MEM: Opc = X86::IST_Fp64m80; break;
12556     }
12557
12558     X86AddressMode AM;
12559     MachineOperand &Op = MI->getOperand(0);
12560     if (Op.isReg()) {
12561       AM.BaseType = X86AddressMode::RegBase;
12562       AM.Base.Reg = Op.getReg();
12563     } else {
12564       AM.BaseType = X86AddressMode::FrameIndexBase;
12565       AM.Base.FrameIndex = Op.getIndex();
12566     }
12567     Op = MI->getOperand(1);
12568     if (Op.isImm())
12569       AM.Scale = Op.getImm();
12570     Op = MI->getOperand(2);
12571     if (Op.isImm())
12572       AM.IndexReg = Op.getImm();
12573     Op = MI->getOperand(3);
12574     if (Op.isGlobal()) {
12575       AM.GV = Op.getGlobal();
12576     } else {
12577       AM.Disp = Op.getImm();
12578     }
12579     addFullAddress(BuildMI(*BB, MI, DL, TII->get(Opc)), AM)
12580                       .addReg(MI->getOperand(X86::AddrNumOperands).getReg());
12581
12582     // Reload the original control word now.
12583     addFrameReference(BuildMI(*BB, MI, DL,
12584                               TII->get(X86::FLDCW16m)), CWFrameIdx);
12585
12586     MI->eraseFromParent();   // The pseudo instruction is gone now.
12587     return BB;
12588   }
12589     // String/text processing lowering.
12590   case X86::PCMPISTRM128REG:
12591   case X86::VPCMPISTRM128REG:
12592     return EmitPCMP(MI, BB, 3, false /* in-mem */);
12593   case X86::PCMPISTRM128MEM:
12594   case X86::VPCMPISTRM128MEM:
12595     return EmitPCMP(MI, BB, 3, true /* in-mem */);
12596   case X86::PCMPESTRM128REG:
12597   case X86::VPCMPESTRM128REG:
12598     return EmitPCMP(MI, BB, 5, false /* in mem */);
12599   case X86::PCMPESTRM128MEM:
12600   case X86::VPCMPESTRM128MEM:
12601     return EmitPCMP(MI, BB, 5, true /* in mem */);
12602
12603     // Thread synchronization.
12604   case X86::MONITOR:
12605     return EmitMonitor(MI, BB);
12606   case X86::MWAIT:
12607     return EmitMwait(MI, BB);
12608
12609     // Atomic Lowering.
12610   case X86::ATOMAND32:
12611     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::AND32rr,
12612                                                X86::AND32ri, X86::MOV32rm,
12613                                                X86::LCMPXCHG32,
12614                                                X86::NOT32r, X86::EAX,
12615                                                &X86::GR32RegClass);
12616   case X86::ATOMOR32:
12617     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::OR32rr,
12618                                                X86::OR32ri, X86::MOV32rm,
12619                                                X86::LCMPXCHG32,
12620                                                X86::NOT32r, X86::EAX,
12621                                                &X86::GR32RegClass);
12622   case X86::ATOMXOR32:
12623     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::XOR32rr,
12624                                                X86::XOR32ri, X86::MOV32rm,
12625                                                X86::LCMPXCHG32,
12626                                                X86::NOT32r, X86::EAX,
12627                                                &X86::GR32RegClass);
12628   case X86::ATOMNAND32:
12629     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::AND32rr,
12630                                                X86::AND32ri, X86::MOV32rm,
12631                                                X86::LCMPXCHG32,
12632                                                X86::NOT32r, X86::EAX,
12633                                                &X86::GR32RegClass, true);
12634   case X86::ATOMMIN32:
12635     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVL32rr);
12636   case X86::ATOMMAX32:
12637     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVG32rr);
12638   case X86::ATOMUMIN32:
12639     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVB32rr);
12640   case X86::ATOMUMAX32:
12641     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVA32rr);
12642
12643   case X86::ATOMAND16:
12644     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::AND16rr,
12645                                                X86::AND16ri, X86::MOV16rm,
12646                                                X86::LCMPXCHG16,
12647                                                X86::NOT16r, X86::AX,
12648                                                &X86::GR16RegClass);
12649   case X86::ATOMOR16:
12650     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::OR16rr,
12651                                                X86::OR16ri, X86::MOV16rm,
12652                                                X86::LCMPXCHG16,
12653                                                X86::NOT16r, X86::AX,
12654                                                &X86::GR16RegClass);
12655   case X86::ATOMXOR16:
12656     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::XOR16rr,
12657                                                X86::XOR16ri, X86::MOV16rm,
12658                                                X86::LCMPXCHG16,
12659                                                X86::NOT16r, X86::AX,
12660                                                &X86::GR16RegClass);
12661   case X86::ATOMNAND16:
12662     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::AND16rr,
12663                                                X86::AND16ri, X86::MOV16rm,
12664                                                X86::LCMPXCHG16,
12665                                                X86::NOT16r, X86::AX,
12666                                                &X86::GR16RegClass, true);
12667   case X86::ATOMMIN16:
12668     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVL16rr);
12669   case X86::ATOMMAX16:
12670     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVG16rr);
12671   case X86::ATOMUMIN16:
12672     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVB16rr);
12673   case X86::ATOMUMAX16:
12674     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVA16rr);
12675
12676   case X86::ATOMAND8:
12677     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::AND8rr,
12678                                                X86::AND8ri, X86::MOV8rm,
12679                                                X86::LCMPXCHG8,
12680                                                X86::NOT8r, X86::AL,
12681                                                &X86::GR8RegClass);
12682   case X86::ATOMOR8:
12683     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::OR8rr,
12684                                                X86::OR8ri, X86::MOV8rm,
12685                                                X86::LCMPXCHG8,
12686                                                X86::NOT8r, X86::AL,
12687                                                &X86::GR8RegClass);
12688   case X86::ATOMXOR8:
12689     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::XOR8rr,
12690                                                X86::XOR8ri, X86::MOV8rm,
12691                                                X86::LCMPXCHG8,
12692                                                X86::NOT8r, X86::AL,
12693                                                &X86::GR8RegClass);
12694   case X86::ATOMNAND8:
12695     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::AND8rr,
12696                                                X86::AND8ri, X86::MOV8rm,
12697                                                X86::LCMPXCHG8,
12698                                                X86::NOT8r, X86::AL,
12699                                                &X86::GR8RegClass, true);
12700   // FIXME: There are no CMOV8 instructions; MIN/MAX need some other way.
12701   // This group is for 64-bit host.
12702   case X86::ATOMAND64:
12703     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::AND64rr,
12704                                                X86::AND64ri32, X86::MOV64rm,
12705                                                X86::LCMPXCHG64,
12706                                                X86::NOT64r, X86::RAX,
12707                                                &X86::GR64RegClass);
12708   case X86::ATOMOR64:
12709     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::OR64rr,
12710                                                X86::OR64ri32, X86::MOV64rm,
12711                                                X86::LCMPXCHG64,
12712                                                X86::NOT64r, X86::RAX,
12713                                                &X86::GR64RegClass);
12714   case X86::ATOMXOR64:
12715     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::XOR64rr,
12716                                                X86::XOR64ri32, X86::MOV64rm,
12717                                                X86::LCMPXCHG64,
12718                                                X86::NOT64r, X86::RAX,
12719                                                &X86::GR64RegClass);
12720   case X86::ATOMNAND64:
12721     return EmitAtomicBitwiseWithCustomInserter(MI, BB, X86::AND64rr,
12722                                                X86::AND64ri32, X86::MOV64rm,
12723                                                X86::LCMPXCHG64,
12724                                                X86::NOT64r, X86::RAX,
12725                                                &X86::GR64RegClass, true);
12726   case X86::ATOMMIN64:
12727     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVL64rr);
12728   case X86::ATOMMAX64:
12729     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVG64rr);
12730   case X86::ATOMUMIN64:
12731     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVB64rr);
12732   case X86::ATOMUMAX64:
12733     return EmitAtomicMinMaxWithCustomInserter(MI, BB, X86::CMOVA64rr);
12734
12735   // This group does 64-bit operations on a 32-bit host.
12736   case X86::ATOMAND6432:
12737     return EmitAtomicBit6432WithCustomInserter(MI, BB,
12738                                                X86::AND32rr, X86::AND32rr,
12739                                                X86::AND32ri, X86::AND32ri,
12740                                                false);
12741   case X86::ATOMOR6432:
12742     return EmitAtomicBit6432WithCustomInserter(MI, BB,
12743                                                X86::OR32rr, X86::OR32rr,
12744                                                X86::OR32ri, X86::OR32ri,
12745                                                false);
12746   case X86::ATOMXOR6432:
12747     return EmitAtomicBit6432WithCustomInserter(MI, BB,
12748                                                X86::XOR32rr, X86::XOR32rr,
12749                                                X86::XOR32ri, X86::XOR32ri,
12750                                                false);
12751   case X86::ATOMNAND6432:
12752     return EmitAtomicBit6432WithCustomInserter(MI, BB,
12753                                                X86::AND32rr, X86::AND32rr,
12754                                                X86::AND32ri, X86::AND32ri,
12755                                                true);
12756   case X86::ATOMADD6432:
12757     return EmitAtomicBit6432WithCustomInserter(MI, BB,
12758                                                X86::ADD32rr, X86::ADC32rr,
12759                                                X86::ADD32ri, X86::ADC32ri,
12760                                                false);
12761   case X86::ATOMSUB6432:
12762     return EmitAtomicBit6432WithCustomInserter(MI, BB,
12763                                                X86::SUB32rr, X86::SBB32rr,
12764                                                X86::SUB32ri, X86::SBB32ri,
12765                                                false);
12766   case X86::ATOMSWAP6432:
12767     return EmitAtomicBit6432WithCustomInserter(MI, BB,
12768                                                X86::MOV32rr, X86::MOV32rr,
12769                                                X86::MOV32ri, X86::MOV32ri,
12770                                                false);
12771   case X86::VASTART_SAVE_XMM_REGS:
12772     return EmitVAStartSaveXMMRegsWithCustomInserter(MI, BB);
12773
12774   case X86::VAARG_64:
12775     return EmitVAARG64WithCustomInserter(MI, BB);
12776   }
12777 }
12778
12779 //===----------------------------------------------------------------------===//
12780 //                           X86 Optimization Hooks
12781 //===----------------------------------------------------------------------===//
12782
12783 void X86TargetLowering::computeMaskedBitsForTargetNode(const SDValue Op,
12784                                                        APInt &KnownZero,
12785                                                        APInt &KnownOne,
12786                                                        const SelectionDAG &DAG,
12787                                                        unsigned Depth) const {
12788   unsigned BitWidth = KnownZero.getBitWidth();
12789   unsigned Opc = Op.getOpcode();
12790   assert((Opc >= ISD::BUILTIN_OP_END ||
12791           Opc == ISD::INTRINSIC_WO_CHAIN ||
12792           Opc == ISD::INTRINSIC_W_CHAIN ||
12793           Opc == ISD::INTRINSIC_VOID) &&
12794          "Should use MaskedValueIsZero if you don't know whether Op"
12795          " is a target node!");
12796
12797   KnownZero = KnownOne = APInt(BitWidth, 0);   // Don't know anything.
12798   switch (Opc) {
12799   default: break;
12800   case X86ISD::ADD:
12801   case X86ISD::SUB:
12802   case X86ISD::ADC:
12803   case X86ISD::SBB:
12804   case X86ISD::SMUL:
12805   case X86ISD::UMUL:
12806   case X86ISD::INC:
12807   case X86ISD::DEC:
12808   case X86ISD::OR:
12809   case X86ISD::XOR:
12810   case X86ISD::AND:
12811     // These nodes' second result is a boolean.
12812     if (Op.getResNo() == 0)
12813       break;
12814     // Fallthrough
12815   case X86ISD::SETCC:
12816     KnownZero |= APInt::getHighBitsSet(BitWidth, BitWidth - 1);
12817     break;
12818   case ISD::INTRINSIC_WO_CHAIN: {
12819     unsigned IntId = cast<ConstantSDNode>(Op.getOperand(0))->getZExtValue();
12820     unsigned NumLoBits = 0;
12821     switch (IntId) {
12822     default: break;
12823     case Intrinsic::x86_sse_movmsk_ps:
12824     case Intrinsic::x86_avx_movmsk_ps_256:
12825     case Intrinsic::x86_sse2_movmsk_pd:
12826     case Intrinsic::x86_avx_movmsk_pd_256:
12827     case Intrinsic::x86_mmx_pmovmskb:
12828     case Intrinsic::x86_sse2_pmovmskb_128:
12829     case Intrinsic::x86_avx2_pmovmskb: {
12830       // High bits of movmskp{s|d}, pmovmskb are known zero.
12831       switch (IntId) {
12832         default: llvm_unreachable("Impossible intrinsic");  // Can't reach here.
12833         case Intrinsic::x86_sse_movmsk_ps:      NumLoBits = 4; break;
12834         case Intrinsic::x86_avx_movmsk_ps_256:  NumLoBits = 8; break;
12835         case Intrinsic::x86_sse2_movmsk_pd:     NumLoBits = 2; break;
12836         case Intrinsic::x86_avx_movmsk_pd_256:  NumLoBits = 4; break;
12837         case Intrinsic::x86_mmx_pmovmskb:       NumLoBits = 8; break;
12838         case Intrinsic::x86_sse2_pmovmskb_128:  NumLoBits = 16; break;
12839         case Intrinsic::x86_avx2_pmovmskb:      NumLoBits = 32; break;
12840       }
12841       KnownZero = APInt::getHighBitsSet(BitWidth, BitWidth - NumLoBits);
12842       break;
12843     }
12844     }
12845     break;
12846   }
12847   }
12848 }
12849
12850 unsigned X86TargetLowering::ComputeNumSignBitsForTargetNode(SDValue Op,
12851                                                          unsigned Depth) const {
12852   // SETCC_CARRY sets the dest to ~0 for true or 0 for false.
12853   if (Op.getOpcode() == X86ISD::SETCC_CARRY)
12854     return Op.getValueType().getScalarType().getSizeInBits();
12855
12856   // Fallback case.
12857   return 1;
12858 }
12859
12860 /// isGAPlusOffset - Returns true (and the GlobalValue and the offset) if the
12861 /// node is a GlobalAddress + offset.
12862 bool X86TargetLowering::isGAPlusOffset(SDNode *N,
12863                                        const GlobalValue* &GA,
12864                                        int64_t &Offset) const {
12865   if (N->getOpcode() == X86ISD::Wrapper) {
12866     if (isa<GlobalAddressSDNode>(N->getOperand(0))) {
12867       GA = cast<GlobalAddressSDNode>(N->getOperand(0))->getGlobal();
12868       Offset = cast<GlobalAddressSDNode>(N->getOperand(0))->getOffset();
12869       return true;
12870     }
12871   }
12872   return TargetLowering::isGAPlusOffset(N, GA, Offset);
12873 }
12874
12875 /// isShuffleHigh128VectorInsertLow - Checks whether the shuffle node is the
12876 /// same as extracting the high 128-bit part of 256-bit vector and then
12877 /// inserting the result into the low part of a new 256-bit vector
12878 static bool isShuffleHigh128VectorInsertLow(ShuffleVectorSDNode *SVOp) {
12879   EVT VT = SVOp->getValueType(0);
12880   unsigned NumElems = VT.getVectorNumElements();
12881
12882   // vector_shuffle <4, 5, 6, 7, u, u, u, u> or <2, 3, u, u>
12883   for (unsigned i = 0, j = NumElems/2; i != NumElems/2; ++i, ++j)
12884     if (!isUndefOrEqual(SVOp->getMaskElt(i), j) ||
12885         SVOp->getMaskElt(j) >= 0)
12886       return false;
12887
12888   return true;
12889 }
12890
12891 /// isShuffleLow128VectorInsertHigh - Checks whether the shuffle node is the
12892 /// same as extracting the low 128-bit part of 256-bit vector and then
12893 /// inserting the result into the high part of a new 256-bit vector
12894 static bool isShuffleLow128VectorInsertHigh(ShuffleVectorSDNode *SVOp) {
12895   EVT VT = SVOp->getValueType(0);
12896   unsigned NumElems = VT.getVectorNumElements();
12897
12898   // vector_shuffle <u, u, u, u, 0, 1, 2, 3> or <u, u, 0, 1>
12899   for (unsigned i = NumElems/2, j = 0; i != NumElems; ++i, ++j)
12900     if (!isUndefOrEqual(SVOp->getMaskElt(i), j) ||
12901         SVOp->getMaskElt(j) >= 0)
12902       return false;
12903
12904   return true;
12905 }
12906
12907 /// PerformShuffleCombine256 - Performs shuffle combines for 256-bit vectors.
12908 static SDValue PerformShuffleCombine256(SDNode *N, SelectionDAG &DAG,
12909                                         TargetLowering::DAGCombinerInfo &DCI,
12910                                         const X86Subtarget* Subtarget) {
12911   DebugLoc dl = N->getDebugLoc();
12912   ShuffleVectorSDNode *SVOp = cast<ShuffleVectorSDNode>(N);
12913   SDValue V1 = SVOp->getOperand(0);
12914   SDValue V2 = SVOp->getOperand(1);
12915   EVT VT = SVOp->getValueType(0);
12916   unsigned NumElems = VT.getVectorNumElements();
12917
12918   if (V1.getOpcode() == ISD::CONCAT_VECTORS &&
12919       V2.getOpcode() == ISD::CONCAT_VECTORS) {
12920     //
12921     //                   0,0,0,...
12922     //                      |
12923     //    V      UNDEF    BUILD_VECTOR    UNDEF
12924     //     \      /           \           /
12925     //  CONCAT_VECTOR         CONCAT_VECTOR
12926     //         \                  /
12927     //          \                /
12928     //          RESULT: V + zero extended
12929     //
12930     if (V2.getOperand(0).getOpcode() != ISD::BUILD_VECTOR ||
12931         V2.getOperand(1).getOpcode() != ISD::UNDEF ||
12932         V1.getOperand(1).getOpcode() != ISD::UNDEF)
12933       return SDValue();
12934
12935     if (!ISD::isBuildVectorAllZeros(V2.getOperand(0).getNode()))
12936       return SDValue();
12937
12938     // To match the shuffle mask, the first half of the mask should
12939     // be exactly the first vector, and all the rest a splat with the
12940     // first element of the second one.
12941     for (unsigned i = 0; i != NumElems/2; ++i)
12942       if (!isUndefOrEqual(SVOp->getMaskElt(i), i) ||
12943           !isUndefOrEqual(SVOp->getMaskElt(i+NumElems/2), NumElems))
12944         return SDValue();
12945
12946     // If V1 is coming from a vector load then just fold to a VZEXT_LOAD.
12947     if (LoadSDNode *Ld = dyn_cast<LoadSDNode>(V1.getOperand(0))) {
12948       if (Ld->hasNUsesOfValue(1, 0)) {
12949         SDVTList Tys = DAG.getVTList(MVT::v4i64, MVT::Other);
12950         SDValue Ops[] = { Ld->getChain(), Ld->getBasePtr() };
12951         SDValue ResNode =
12952           DAG.getMemIntrinsicNode(X86ISD::VZEXT_LOAD, dl, Tys, Ops, 2,
12953                                   Ld->getMemoryVT(),
12954                                   Ld->getPointerInfo(),
12955                                   Ld->getAlignment(),
12956                                   false/*isVolatile*/, true/*ReadMem*/,
12957                                   false/*WriteMem*/);
12958         return DAG.getNode(ISD::BITCAST, dl, VT, ResNode);
12959       }
12960     } 
12961
12962     // Emit a zeroed vector and insert the desired subvector on its
12963     // first half.
12964     SDValue Zeros = getZeroVector(VT, Subtarget, DAG, dl);
12965     SDValue InsV = Insert128BitVector(Zeros, V1.getOperand(0), 0, DAG, dl);
12966     return DCI.CombineTo(N, InsV);
12967   }
12968
12969   //===--------------------------------------------------------------------===//
12970   // Combine some shuffles into subvector extracts and inserts:
12971   //
12972
12973   // vector_shuffle <4, 5, 6, 7, u, u, u, u> or <2, 3, u, u>
12974   if (isShuffleHigh128VectorInsertLow(SVOp)) {
12975     SDValue V = Extract128BitVector(V1, NumElems/2, DAG, dl);
12976     SDValue InsV = Insert128BitVector(DAG.getUNDEF(VT), V, 0, DAG, dl);
12977     return DCI.CombineTo(N, InsV);
12978   }
12979
12980   // vector_shuffle <u, u, u, u, 0, 1, 2, 3> or <u, u, 0, 1>
12981   if (isShuffleLow128VectorInsertHigh(SVOp)) {
12982     SDValue V = Extract128BitVector(V1, 0, DAG, dl);
12983     SDValue InsV = Insert128BitVector(DAG.getUNDEF(VT), V, NumElems/2, DAG, dl);
12984     return DCI.CombineTo(N, InsV);
12985   }
12986
12987   return SDValue();
12988 }
12989
12990 /// PerformShuffleCombine - Performs several different shuffle combines.
12991 static SDValue PerformShuffleCombine(SDNode *N, SelectionDAG &DAG,
12992                                      TargetLowering::DAGCombinerInfo &DCI,
12993                                      const X86Subtarget *Subtarget) {
12994   DebugLoc dl = N->getDebugLoc();
12995   EVT VT = N->getValueType(0);
12996
12997   // Don't create instructions with illegal types after legalize types has run.
12998   const TargetLowering &TLI = DAG.getTargetLoweringInfo();
12999   if (!DCI.isBeforeLegalize() && !TLI.isTypeLegal(VT.getVectorElementType()))
13000     return SDValue();
13001
13002   // Combine 256-bit vector shuffles. This is only profitable when in AVX mode
13003   if (Subtarget->hasAVX() && VT.getSizeInBits() == 256 &&
13004       N->getOpcode() == ISD::VECTOR_SHUFFLE)
13005     return PerformShuffleCombine256(N, DAG, DCI, Subtarget);
13006
13007   // Only handle 128 wide vector from here on.
13008   if (VT.getSizeInBits() != 128)
13009     return SDValue();
13010
13011   // Combine a vector_shuffle that is equal to build_vector load1, load2, load3,
13012   // load4, <0, 1, 2, 3> into a 128-bit load if the load addresses are
13013   // consecutive, non-overlapping, and in the right order.
13014   SmallVector<SDValue, 16> Elts;
13015   for (unsigned i = 0, e = VT.getVectorNumElements(); i != e; ++i)
13016     Elts.push_back(getShuffleScalarElt(N, i, DAG, 0));
13017
13018   return EltsFromConsecutiveLoads(VT, Elts, dl, DAG);
13019 }
13020
13021
13022 /// DCI, PerformTruncateCombine - Converts truncate operation to
13023 /// a sequence of vector shuffle operations.
13024 /// It is possible when we truncate 256-bit vector to 128-bit vector
13025
13026 SDValue X86TargetLowering::PerformTruncateCombine(SDNode *N, SelectionDAG &DAG, 
13027                                                   DAGCombinerInfo &DCI) const {
13028   if (!DCI.isBeforeLegalizeOps())
13029     return SDValue();
13030
13031   if (!Subtarget->hasAVX())
13032     return SDValue();
13033
13034   EVT VT = N->getValueType(0);
13035   SDValue Op = N->getOperand(0);
13036   EVT OpVT = Op.getValueType();
13037   DebugLoc dl = N->getDebugLoc();
13038
13039   if ((VT == MVT::v4i32) && (OpVT == MVT::v4i64)) {
13040
13041     if (Subtarget->hasAVX2()) {
13042       // AVX2: v4i64 -> v4i32
13043
13044       // VPERMD
13045       static const int ShufMask[] = {0, 2, 4, 6, -1, -1, -1, -1};
13046
13047       Op = DAG.getNode(ISD::BITCAST, dl, MVT::v8i32, Op);
13048       Op = DAG.getVectorShuffle(MVT::v8i32, dl, Op, DAG.getUNDEF(MVT::v8i32),
13049                                 ShufMask);
13050
13051       return DAG.getNode(ISD::EXTRACT_SUBVECTOR, dl, VT, Op,
13052                          DAG.getIntPtrConstant(0));
13053     }
13054
13055     // AVX: v4i64 -> v4i32
13056     SDValue OpLo = DAG.getNode(ISD::EXTRACT_SUBVECTOR, dl, MVT::v2i64, Op,
13057                                DAG.getIntPtrConstant(0));
13058
13059     SDValue OpHi = DAG.getNode(ISD::EXTRACT_SUBVECTOR, dl, MVT::v2i64, Op,
13060                                DAG.getIntPtrConstant(2));
13061
13062     OpLo = DAG.getNode(ISD::BITCAST, dl, MVT::v4i32, OpLo);
13063     OpHi = DAG.getNode(ISD::BITCAST, dl, MVT::v4i32, OpHi);
13064
13065     // PSHUFD
13066     static const int ShufMask1[] = {0, 2, 0, 0};
13067
13068     OpLo = DAG.getVectorShuffle(VT, dl, OpLo, DAG.getUNDEF(VT), ShufMask1);
13069     OpHi = DAG.getVectorShuffle(VT, dl, OpHi, DAG.getUNDEF(VT), ShufMask1);
13070
13071     // MOVLHPS
13072     static const int ShufMask2[] = {0, 1, 4, 5};
13073
13074     return DAG.getVectorShuffle(VT, dl, OpLo, OpHi, ShufMask2);
13075   }
13076
13077   if ((VT == MVT::v8i16) && (OpVT == MVT::v8i32)) {
13078
13079     if (Subtarget->hasAVX2()) {
13080       // AVX2: v8i32 -> v8i16
13081
13082       Op = DAG.getNode(ISD::BITCAST, dl, MVT::v32i8, Op);
13083
13084       // PSHUFB
13085       SmallVector<SDValue,32> pshufbMask;
13086       for (unsigned i = 0; i < 2; ++i) {
13087         pshufbMask.push_back(DAG.getConstant(0x0, MVT::i8));
13088         pshufbMask.push_back(DAG.getConstant(0x1, MVT::i8));
13089         pshufbMask.push_back(DAG.getConstant(0x4, MVT::i8));
13090         pshufbMask.push_back(DAG.getConstant(0x5, MVT::i8));
13091         pshufbMask.push_back(DAG.getConstant(0x8, MVT::i8));
13092         pshufbMask.push_back(DAG.getConstant(0x9, MVT::i8));
13093         pshufbMask.push_back(DAG.getConstant(0xc, MVT::i8));
13094         pshufbMask.push_back(DAG.getConstant(0xd, MVT::i8));
13095         for (unsigned j = 0; j < 8; ++j)
13096           pshufbMask.push_back(DAG.getConstant(0x80, MVT::i8));
13097       }
13098       SDValue BV = DAG.getNode(ISD::BUILD_VECTOR, dl, MVT::v32i8,
13099                                &pshufbMask[0], 32);
13100       Op = DAG.getNode(X86ISD::PSHUFB, dl, MVT::v32i8, Op, BV);
13101
13102       Op = DAG.getNode(ISD::BITCAST, dl, MVT::v4i64, Op);
13103
13104       static const int ShufMask[] = {0,  2,  -1,  -1};
13105       Op = DAG.getVectorShuffle(MVT::v4i64, dl,  Op, DAG.getUNDEF(MVT::v4i64),
13106                                 &ShufMask[0]);
13107
13108       Op = DAG.getNode(ISD::EXTRACT_SUBVECTOR, dl, MVT::v2i64, Op,
13109                        DAG.getIntPtrConstant(0));
13110
13111       return DAG.getNode(ISD::BITCAST, dl, VT, Op);
13112     }
13113
13114     SDValue OpLo = DAG.getNode(ISD::EXTRACT_SUBVECTOR, dl, MVT::v4i32, Op,
13115                                DAG.getIntPtrConstant(0));
13116
13117     SDValue OpHi = DAG.getNode(ISD::EXTRACT_SUBVECTOR, dl, MVT::v4i32, Op,
13118                                DAG.getIntPtrConstant(4));
13119
13120     OpLo = DAG.getNode(ISD::BITCAST, dl, MVT::v16i8, OpLo);
13121     OpHi = DAG.getNode(ISD::BITCAST, dl, MVT::v16i8, OpHi);
13122
13123     // PSHUFB
13124     static const int ShufMask1[] = {0,  1,  4,  5,  8,  9, 12, 13,
13125                                    -1, -1, -1, -1, -1, -1, -1, -1};
13126
13127     OpLo = DAG.getVectorShuffle(MVT::v16i8, dl, OpLo, DAG.getUNDEF(MVT::v16i8),
13128                                 ShufMask1);
13129     OpHi = DAG.getVectorShuffle(MVT::v16i8, dl, OpHi, DAG.getUNDEF(MVT::v16i8),
13130                                 ShufMask1);
13131
13132     OpLo = DAG.getNode(ISD::BITCAST, dl, MVT::v4i32, OpLo);
13133     OpHi = DAG.getNode(ISD::BITCAST, dl, MVT::v4i32, OpHi);
13134
13135     // MOVLHPS
13136     static const int ShufMask2[] = {0, 1, 4, 5};
13137
13138     SDValue res = DAG.getVectorShuffle(MVT::v4i32, dl, OpLo, OpHi, ShufMask2);
13139     return DAG.getNode(ISD::BITCAST, dl, MVT::v8i16, res);
13140   }
13141
13142   return SDValue();
13143 }
13144
13145 /// XFormVExtractWithShuffleIntoLoad - Check if a vector extract from a target
13146 /// specific shuffle of a load can be folded into a single element load.
13147 /// Similar handling for VECTOR_SHUFFLE is performed by DAGCombiner, but
13148 /// shuffles have been customed lowered so we need to handle those here.
13149 static SDValue XFormVExtractWithShuffleIntoLoad(SDNode *N, SelectionDAG &DAG,
13150                                          TargetLowering::DAGCombinerInfo &DCI) {
13151   if (DCI.isBeforeLegalizeOps())
13152     return SDValue();
13153
13154   SDValue InVec = N->getOperand(0);
13155   SDValue EltNo = N->getOperand(1);
13156
13157   if (!isa<ConstantSDNode>(EltNo))
13158     return SDValue();
13159
13160   EVT VT = InVec.getValueType();
13161
13162   bool HasShuffleIntoBitcast = false;
13163   if (InVec.getOpcode() == ISD::BITCAST) {
13164     // Don't duplicate a load with other uses.
13165     if (!InVec.hasOneUse())
13166       return SDValue();
13167     EVT BCVT = InVec.getOperand(0).getValueType();
13168     if (BCVT.getVectorNumElements() != VT.getVectorNumElements())
13169       return SDValue();
13170     InVec = InVec.getOperand(0);
13171     HasShuffleIntoBitcast = true;
13172   }
13173
13174   if (!isTargetShuffle(InVec.getOpcode()))
13175     return SDValue();
13176
13177   // Don't duplicate a load with other uses.
13178   if (!InVec.hasOneUse())
13179     return SDValue();
13180
13181   SmallVector<int, 16> ShuffleMask;
13182   bool UnaryShuffle;
13183   if (!getTargetShuffleMask(InVec.getNode(), VT.getSimpleVT(), ShuffleMask,
13184                             UnaryShuffle))
13185     return SDValue();
13186
13187   // Select the input vector, guarding against out of range extract vector.
13188   unsigned NumElems = VT.getVectorNumElements();
13189   int Elt = cast<ConstantSDNode>(EltNo)->getZExtValue();
13190   int Idx = (Elt > (int)NumElems) ? -1 : ShuffleMask[Elt];
13191   SDValue LdNode = (Idx < (int)NumElems) ? InVec.getOperand(0)
13192                                          : InVec.getOperand(1);
13193
13194   // If inputs to shuffle are the same for both ops, then allow 2 uses
13195   unsigned AllowedUses = InVec.getOperand(0) == InVec.getOperand(1) ? 2 : 1;
13196
13197   if (LdNode.getOpcode() == ISD::BITCAST) {
13198     // Don't duplicate a load with other uses.
13199     if (!LdNode.getNode()->hasNUsesOfValue(AllowedUses, 0))
13200       return SDValue();
13201
13202     AllowedUses = 1; // only allow 1 load use if we have a bitcast
13203     LdNode = LdNode.getOperand(0);
13204   }
13205
13206   if (!ISD::isNormalLoad(LdNode.getNode()))
13207     return SDValue();
13208
13209   LoadSDNode *LN0 = cast<LoadSDNode>(LdNode);
13210
13211   if (!LN0 ||!LN0->hasNUsesOfValue(AllowedUses, 0) || LN0->isVolatile())
13212     return SDValue();
13213
13214   if (HasShuffleIntoBitcast) {
13215     // If there's a bitcast before the shuffle, check if the load type and
13216     // alignment is valid.
13217     unsigned Align = LN0->getAlignment();
13218     const TargetLowering &TLI = DAG.getTargetLoweringInfo();
13219     unsigned NewAlign = TLI.getTargetData()->
13220       getABITypeAlignment(VT.getTypeForEVT(*DAG.getContext()));
13221
13222     if (NewAlign > Align || !TLI.isOperationLegalOrCustom(ISD::LOAD, VT))
13223       return SDValue();
13224   }
13225
13226   // All checks match so transform back to vector_shuffle so that DAG combiner
13227   // can finish the job
13228   DebugLoc dl = N->getDebugLoc();
13229
13230   // Create shuffle node taking into account the case that its a unary shuffle
13231   SDValue Shuffle = (UnaryShuffle) ? DAG.getUNDEF(VT) : InVec.getOperand(1);
13232   Shuffle = DAG.getVectorShuffle(InVec.getValueType(), dl,
13233                                  InVec.getOperand(0), Shuffle,
13234                                  &ShuffleMask[0]);
13235   Shuffle = DAG.getNode(ISD::BITCAST, dl, VT, Shuffle);
13236   return DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl, N->getValueType(0), Shuffle,
13237                      EltNo);
13238 }
13239
13240 /// PerformEXTRACT_VECTOR_ELTCombine - Detect vector gather/scatter index
13241 /// generation and convert it from being a bunch of shuffles and extracts
13242 /// to a simple store and scalar loads to extract the elements.
13243 static SDValue PerformEXTRACT_VECTOR_ELTCombine(SDNode *N, SelectionDAG &DAG,
13244                                          TargetLowering::DAGCombinerInfo &DCI) {
13245   SDValue NewOp = XFormVExtractWithShuffleIntoLoad(N, DAG, DCI);
13246   if (NewOp.getNode())
13247     return NewOp;
13248
13249   SDValue InputVector = N->getOperand(0);
13250
13251   // Only operate on vectors of 4 elements, where the alternative shuffling
13252   // gets to be more expensive.
13253   if (InputVector.getValueType() != MVT::v4i32)
13254     return SDValue();
13255
13256   // Check whether every use of InputVector is an EXTRACT_VECTOR_ELT with a
13257   // single use which is a sign-extend or zero-extend, and all elements are
13258   // used.
13259   SmallVector<SDNode *, 4> Uses;
13260   unsigned ExtractedElements = 0;
13261   for (SDNode::use_iterator UI = InputVector.getNode()->use_begin(),
13262        UE = InputVector.getNode()->use_end(); UI != UE; ++UI) {
13263     if (UI.getUse().getResNo() != InputVector.getResNo())
13264       return SDValue();
13265
13266     SDNode *Extract = *UI;
13267     if (Extract->getOpcode() != ISD::EXTRACT_VECTOR_ELT)
13268       return SDValue();
13269
13270     if (Extract->getValueType(0) != MVT::i32)
13271       return SDValue();
13272     if (!Extract->hasOneUse())
13273       return SDValue();
13274     if (Extract->use_begin()->getOpcode() != ISD::SIGN_EXTEND &&
13275         Extract->use_begin()->getOpcode() != ISD::ZERO_EXTEND)
13276       return SDValue();
13277     if (!isa<ConstantSDNode>(Extract->getOperand(1)))
13278       return SDValue();
13279
13280     // Record which element was extracted.
13281     ExtractedElements |=
13282       1 << cast<ConstantSDNode>(Extract->getOperand(1))->getZExtValue();
13283
13284     Uses.push_back(Extract);
13285   }
13286
13287   // If not all the elements were used, this may not be worthwhile.
13288   if (ExtractedElements != 15)
13289     return SDValue();
13290
13291   // Ok, we've now decided to do the transformation.
13292   DebugLoc dl = InputVector.getDebugLoc();
13293
13294   // Store the value to a temporary stack slot.
13295   SDValue StackPtr = DAG.CreateStackTemporary(InputVector.getValueType());
13296   SDValue Ch = DAG.getStore(DAG.getEntryNode(), dl, InputVector, StackPtr,
13297                             MachinePointerInfo(), false, false, 0);
13298
13299   // Replace each use (extract) with a load of the appropriate element.
13300   for (SmallVectorImpl<SDNode *>::iterator UI = Uses.begin(),
13301        UE = Uses.end(); UI != UE; ++UI) {
13302     SDNode *Extract = *UI;
13303
13304     // cOMpute the element's address.
13305     SDValue Idx = Extract->getOperand(1);
13306     unsigned EltSize =
13307         InputVector.getValueType().getVectorElementType().getSizeInBits()/8;
13308     uint64_t Offset = EltSize * cast<ConstantSDNode>(Idx)->getZExtValue();
13309     const TargetLowering &TLI = DAG.getTargetLoweringInfo();
13310     SDValue OffsetVal = DAG.getConstant(Offset, TLI.getPointerTy());
13311
13312     SDValue ScalarAddr = DAG.getNode(ISD::ADD, dl, TLI.getPointerTy(),
13313                                      StackPtr, OffsetVal);
13314
13315     // Load the scalar.
13316     SDValue LoadScalar = DAG.getLoad(Extract->getValueType(0), dl, Ch,
13317                                      ScalarAddr, MachinePointerInfo(),
13318                                      false, false, false, 0);
13319
13320     // Replace the exact with the load.
13321     DAG.ReplaceAllUsesOfValueWith(SDValue(Extract, 0), LoadScalar);
13322   }
13323
13324   // The replacement was made in place; don't return anything.
13325   return SDValue();
13326 }
13327
13328 /// PerformSELECTCombine - Do target-specific dag combines on SELECT and VSELECT
13329 /// nodes.
13330 static SDValue PerformSELECTCombine(SDNode *N, SelectionDAG &DAG,
13331                                     TargetLowering::DAGCombinerInfo &DCI,
13332                                     const X86Subtarget *Subtarget) {
13333   DebugLoc DL = N->getDebugLoc();
13334   SDValue Cond = N->getOperand(0);
13335   // Get the LHS/RHS of the select.
13336   SDValue LHS = N->getOperand(1);
13337   SDValue RHS = N->getOperand(2);
13338   EVT VT = LHS.getValueType();
13339
13340   // If we have SSE[12] support, try to form min/max nodes. SSE min/max
13341   // instructions match the semantics of the common C idiom x<y?x:y but not
13342   // x<=y?x:y, because of how they handle negative zero (which can be
13343   // ignored in unsafe-math mode).
13344   if (Cond.getOpcode() == ISD::SETCC && VT.isFloatingPoint() &&
13345       VT != MVT::f80 && DAG.getTargetLoweringInfo().isTypeLegal(VT) &&
13346       (Subtarget->hasSSE2() ||
13347        (Subtarget->hasSSE1() && VT.getScalarType() == MVT::f32))) {
13348     ISD::CondCode CC = cast<CondCodeSDNode>(Cond.getOperand(2))->get();
13349
13350     unsigned Opcode = 0;
13351     // Check for x CC y ? x : y.
13352     if (DAG.isEqualTo(LHS, Cond.getOperand(0)) &&
13353         DAG.isEqualTo(RHS, Cond.getOperand(1))) {
13354       switch (CC) {
13355       default: break;
13356       case ISD::SETULT:
13357         // Converting this to a min would handle NaNs incorrectly, and swapping
13358         // the operands would cause it to handle comparisons between positive
13359         // and negative zero incorrectly.
13360         if (!DAG.isKnownNeverNaN(LHS) || !DAG.isKnownNeverNaN(RHS)) {
13361           if (!DAG.getTarget().Options.UnsafeFPMath &&
13362               !(DAG.isKnownNeverZero(LHS) || DAG.isKnownNeverZero(RHS)))
13363             break;
13364           std::swap(LHS, RHS);
13365         }
13366         Opcode = X86ISD::FMIN;
13367         break;
13368       case ISD::SETOLE:
13369         // Converting this to a min would handle comparisons between positive
13370         // and negative zero incorrectly.
13371         if (!DAG.getTarget().Options.UnsafeFPMath &&
13372             !DAG.isKnownNeverZero(LHS) && !DAG.isKnownNeverZero(RHS))
13373           break;
13374         Opcode = X86ISD::FMIN;
13375         break;
13376       case ISD::SETULE:
13377         // Converting this to a min would handle both negative zeros and NaNs
13378         // incorrectly, but we can swap the operands to fix both.
13379         std::swap(LHS, RHS);
13380       case ISD::SETOLT:
13381       case ISD::SETLT:
13382       case ISD::SETLE:
13383         Opcode = X86ISD::FMIN;
13384         break;
13385
13386       case ISD::SETOGE:
13387         // Converting this to a max would handle comparisons between positive
13388         // and negative zero incorrectly.
13389         if (!DAG.getTarget().Options.UnsafeFPMath &&
13390             !DAG.isKnownNeverZero(LHS) && !DAG.isKnownNeverZero(RHS))
13391           break;
13392         Opcode = X86ISD::FMAX;
13393         break;
13394       case ISD::SETUGT:
13395         // Converting this to a max would handle NaNs incorrectly, and swapping
13396         // the operands would cause it to handle comparisons between positive
13397         // and negative zero incorrectly.
13398         if (!DAG.isKnownNeverNaN(LHS) || !DAG.isKnownNeverNaN(RHS)) {
13399           if (!DAG.getTarget().Options.UnsafeFPMath &&
13400               !(DAG.isKnownNeverZero(LHS) || DAG.isKnownNeverZero(RHS)))
13401             break;
13402           std::swap(LHS, RHS);
13403         }
13404         Opcode = X86ISD::FMAX;
13405         break;
13406       case ISD::SETUGE:
13407         // Converting this to a max would handle both negative zeros and NaNs
13408         // incorrectly, but we can swap the operands to fix both.
13409         std::swap(LHS, RHS);
13410       case ISD::SETOGT:
13411       case ISD::SETGT:
13412       case ISD::SETGE:
13413         Opcode = X86ISD::FMAX;
13414         break;
13415       }
13416     // Check for x CC y ? y : x -- a min/max with reversed arms.
13417     } else if (DAG.isEqualTo(LHS, Cond.getOperand(1)) &&
13418                DAG.isEqualTo(RHS, Cond.getOperand(0))) {
13419       switch (CC) {
13420       default: break;
13421       case ISD::SETOGE:
13422         // Converting this to a min would handle comparisons between positive
13423         // and negative zero incorrectly, and swapping the operands would
13424         // cause it to handle NaNs incorrectly.
13425         if (!DAG.getTarget().Options.UnsafeFPMath &&
13426             !(DAG.isKnownNeverZero(LHS) || DAG.isKnownNeverZero(RHS))) {
13427           if (!DAG.isKnownNeverNaN(LHS) || !DAG.isKnownNeverNaN(RHS))
13428             break;
13429           std::swap(LHS, RHS);
13430         }
13431         Opcode = X86ISD::FMIN;
13432         break;
13433       case ISD::SETUGT:
13434         // Converting this to a min would handle NaNs incorrectly.
13435         if (!DAG.getTarget().Options.UnsafeFPMath &&
13436             (!DAG.isKnownNeverNaN(LHS) || !DAG.isKnownNeverNaN(RHS)))
13437           break;
13438         Opcode = X86ISD::FMIN;
13439         break;
13440       case ISD::SETUGE:
13441         // Converting this to a min would handle both negative zeros and NaNs
13442         // incorrectly, but we can swap the operands to fix both.
13443         std::swap(LHS, RHS);
13444       case ISD::SETOGT:
13445       case ISD::SETGT:
13446       case ISD::SETGE:
13447         Opcode = X86ISD::FMIN;
13448         break;
13449
13450       case ISD::SETULT:
13451         // Converting this to a max would handle NaNs incorrectly.
13452         if (!DAG.isKnownNeverNaN(LHS) || !DAG.isKnownNeverNaN(RHS))
13453           break;
13454         Opcode = X86ISD::FMAX;
13455         break;
13456       case ISD::SETOLE:
13457         // Converting this to a max would handle comparisons between positive
13458         // and negative zero incorrectly, and swapping the operands would
13459         // cause it to handle NaNs incorrectly.
13460         if (!DAG.getTarget().Options.UnsafeFPMath &&
13461             !DAG.isKnownNeverZero(LHS) && !DAG.isKnownNeverZero(RHS)) {
13462           if (!DAG.isKnownNeverNaN(LHS) || !DAG.isKnownNeverNaN(RHS))
13463             break;
13464           std::swap(LHS, RHS);
13465         }
13466         Opcode = X86ISD::FMAX;
13467         break;
13468       case ISD::SETULE:
13469         // Converting this to a max would handle both negative zeros and NaNs
13470         // incorrectly, but we can swap the operands to fix both.
13471         std::swap(LHS, RHS);
13472       case ISD::SETOLT:
13473       case ISD::SETLT:
13474       case ISD::SETLE:
13475         Opcode = X86ISD::FMAX;
13476         break;
13477       }
13478     }
13479
13480     if (Opcode)
13481       return DAG.getNode(Opcode, DL, N->getValueType(0), LHS, RHS);
13482   }
13483
13484   // If this is a select between two integer constants, try to do some
13485   // optimizations.
13486   if (ConstantSDNode *TrueC = dyn_cast<ConstantSDNode>(LHS)) {
13487     if (ConstantSDNode *FalseC = dyn_cast<ConstantSDNode>(RHS))
13488       // Don't do this for crazy integer types.
13489       if (DAG.getTargetLoweringInfo().isTypeLegal(LHS.getValueType())) {
13490         // If this is efficiently invertible, canonicalize the LHSC/RHSC values
13491         // so that TrueC (the true value) is larger than FalseC.
13492         bool NeedsCondInvert = false;
13493
13494         if (TrueC->getAPIntValue().ult(FalseC->getAPIntValue()) &&
13495             // Efficiently invertible.
13496             (Cond.getOpcode() == ISD::SETCC ||  // setcc -> invertible.
13497              (Cond.getOpcode() == ISD::XOR &&   // xor(X, C) -> invertible.
13498               isa<ConstantSDNode>(Cond.getOperand(1))))) {
13499           NeedsCondInvert = true;
13500           std::swap(TrueC, FalseC);
13501         }
13502
13503         // Optimize C ? 8 : 0 -> zext(C) << 3.  Likewise for any pow2/0.
13504         if (FalseC->getAPIntValue() == 0 &&
13505             TrueC->getAPIntValue().isPowerOf2()) {
13506           if (NeedsCondInvert) // Invert the condition if needed.
13507             Cond = DAG.getNode(ISD::XOR, DL, Cond.getValueType(), Cond,
13508                                DAG.getConstant(1, Cond.getValueType()));
13509
13510           // Zero extend the condition if needed.
13511           Cond = DAG.getNode(ISD::ZERO_EXTEND, DL, LHS.getValueType(), Cond);
13512
13513           unsigned ShAmt = TrueC->getAPIntValue().logBase2();
13514           return DAG.getNode(ISD::SHL, DL, LHS.getValueType(), Cond,
13515                              DAG.getConstant(ShAmt, MVT::i8));
13516         }
13517
13518         // Optimize Cond ? cst+1 : cst -> zext(setcc(C)+cst.
13519         if (FalseC->getAPIntValue()+1 == TrueC->getAPIntValue()) {
13520           if (NeedsCondInvert) // Invert the condition if needed.
13521             Cond = DAG.getNode(ISD::XOR, DL, Cond.getValueType(), Cond,
13522                                DAG.getConstant(1, Cond.getValueType()));
13523
13524           // Zero extend the condition if needed.
13525           Cond = DAG.getNode(ISD::ZERO_EXTEND, DL,
13526                              FalseC->getValueType(0), Cond);
13527           return DAG.getNode(ISD::ADD, DL, Cond.getValueType(), Cond,
13528                              SDValue(FalseC, 0));
13529         }
13530
13531         // Optimize cases that will turn into an LEA instruction.  This requires
13532         // an i32 or i64 and an efficient multiplier (1, 2, 3, 4, 5, 8, 9).
13533         if (N->getValueType(0) == MVT::i32 || N->getValueType(0) == MVT::i64) {
13534           uint64_t Diff = TrueC->getZExtValue()-FalseC->getZExtValue();
13535           if (N->getValueType(0) == MVT::i32) Diff = (unsigned)Diff;
13536
13537           bool isFastMultiplier = false;
13538           if (Diff < 10) {
13539             switch ((unsigned char)Diff) {
13540               default: break;
13541               case 1:  // result = add base, cond
13542               case 2:  // result = lea base(    , cond*2)
13543               case 3:  // result = lea base(cond, cond*2)
13544               case 4:  // result = lea base(    , cond*4)
13545               case 5:  // result = lea base(cond, cond*4)
13546               case 8:  // result = lea base(    , cond*8)
13547               case 9:  // result = lea base(cond, cond*8)
13548                 isFastMultiplier = true;
13549                 break;
13550             }
13551           }
13552
13553           if (isFastMultiplier) {
13554             APInt Diff = TrueC->getAPIntValue()-FalseC->getAPIntValue();
13555             if (NeedsCondInvert) // Invert the condition if needed.
13556               Cond = DAG.getNode(ISD::XOR, DL, Cond.getValueType(), Cond,
13557                                  DAG.getConstant(1, Cond.getValueType()));
13558
13559             // Zero extend the condition if needed.
13560             Cond = DAG.getNode(ISD::ZERO_EXTEND, DL, FalseC->getValueType(0),
13561                                Cond);
13562             // Scale the condition by the difference.
13563             if (Diff != 1)
13564               Cond = DAG.getNode(ISD::MUL, DL, Cond.getValueType(), Cond,
13565                                  DAG.getConstant(Diff, Cond.getValueType()));
13566
13567             // Add the base if non-zero.
13568             if (FalseC->getAPIntValue() != 0)
13569               Cond = DAG.getNode(ISD::ADD, DL, Cond.getValueType(), Cond,
13570                                  SDValue(FalseC, 0));
13571             return Cond;
13572           }
13573         }
13574       }
13575   }
13576
13577   // Canonicalize max and min:
13578   // (x > y) ? x : y -> (x >= y) ? x : y
13579   // (x < y) ? x : y -> (x <= y) ? x : y
13580   // This allows use of COND_S / COND_NS (see TranslateX86CC) which eliminates
13581   // the need for an extra compare
13582   // against zero. e.g.
13583   // (x - y) > 0 : (x - y) ? 0 -> (x - y) >= 0 : (x - y) ? 0
13584   // subl   %esi, %edi
13585   // testl  %edi, %edi
13586   // movl   $0, %eax
13587   // cmovgl %edi, %eax
13588   // =>
13589   // xorl   %eax, %eax
13590   // subl   %esi, $edi
13591   // cmovsl %eax, %edi
13592   if (N->getOpcode() == ISD::SELECT && Cond.getOpcode() == ISD::SETCC &&
13593       DAG.isEqualTo(LHS, Cond.getOperand(0)) &&
13594       DAG.isEqualTo(RHS, Cond.getOperand(1))) {
13595     ISD::CondCode CC = cast<CondCodeSDNode>(Cond.getOperand(2))->get();
13596     switch (CC) {
13597     default: break;
13598     case ISD::SETLT:
13599     case ISD::SETGT: {
13600       ISD::CondCode NewCC = (CC == ISD::SETLT) ? ISD::SETLE : ISD::SETGE;
13601       Cond = DAG.getSetCC(Cond.getDebugLoc(), Cond.getValueType(),
13602                           Cond.getOperand(0), Cond.getOperand(1), NewCC);
13603       return DAG.getNode(ISD::SELECT, DL, VT, Cond, LHS, RHS);
13604     }
13605     }
13606   }
13607
13608   // If we know that this node is legal then we know that it is going to be
13609   // matched by one of the SSE/AVX BLEND instructions. These instructions only
13610   // depend on the highest bit in each word. Try to use SimplifyDemandedBits
13611   // to simplify previous instructions.
13612   const TargetLowering &TLI = DAG.getTargetLoweringInfo();
13613   if (N->getOpcode() == ISD::VSELECT && DCI.isBeforeLegalizeOps() &&
13614       !DCI.isBeforeLegalize() && TLI.isOperationLegal(ISD::VSELECT, VT)) {
13615     unsigned BitWidth = Cond.getValueType().getScalarType().getSizeInBits();
13616
13617     // Don't optimize vector selects that map to mask-registers.
13618     if (BitWidth == 1)
13619       return SDValue();
13620
13621     assert(BitWidth >= 8 && BitWidth <= 64 && "Invalid mask size");
13622     APInt DemandedMask = APInt::getHighBitsSet(BitWidth, 1);
13623
13624     APInt KnownZero, KnownOne;
13625     TargetLowering::TargetLoweringOpt TLO(DAG, DCI.isBeforeLegalize(),
13626                                           DCI.isBeforeLegalizeOps());
13627     if (TLO.ShrinkDemandedConstant(Cond, DemandedMask) ||
13628         TLI.SimplifyDemandedBits(Cond, DemandedMask, KnownZero, KnownOne, TLO))
13629       DCI.CommitTargetLoweringOpt(TLO);
13630   }
13631
13632   return SDValue();
13633 }
13634
13635 /// Optimize X86ISD::CMOV [LHS, RHS, CONDCODE (e.g. X86::COND_NE), CONDVAL]
13636 static SDValue PerformCMOVCombine(SDNode *N, SelectionDAG &DAG,
13637                                   TargetLowering::DAGCombinerInfo &DCI) {
13638   DebugLoc DL = N->getDebugLoc();
13639
13640   // If the flag operand isn't dead, don't touch this CMOV.
13641   if (N->getNumValues() == 2 && !SDValue(N, 1).use_empty())
13642     return SDValue();
13643
13644   SDValue FalseOp = N->getOperand(0);
13645   SDValue TrueOp = N->getOperand(1);
13646   X86::CondCode CC = (X86::CondCode)N->getConstantOperandVal(2);
13647   SDValue Cond = N->getOperand(3);
13648   if (CC == X86::COND_E || CC == X86::COND_NE) {
13649     switch (Cond.getOpcode()) {
13650     default: break;
13651     case X86ISD::BSR:
13652     case X86ISD::BSF:
13653       // If operand of BSR / BSF are proven never zero, then ZF cannot be set.
13654       if (DAG.isKnownNeverZero(Cond.getOperand(0)))
13655         return (CC == X86::COND_E) ? FalseOp : TrueOp;
13656     }
13657   }
13658
13659   // If this is a select between two integer constants, try to do some
13660   // optimizations.  Note that the operands are ordered the opposite of SELECT
13661   // operands.
13662   if (ConstantSDNode *TrueC = dyn_cast<ConstantSDNode>(TrueOp)) {
13663     if (ConstantSDNode *FalseC = dyn_cast<ConstantSDNode>(FalseOp)) {
13664       // Canonicalize the TrueC/FalseC values so that TrueC (the true value) is
13665       // larger than FalseC (the false value).
13666       if (TrueC->getAPIntValue().ult(FalseC->getAPIntValue())) {
13667         CC = X86::GetOppositeBranchCondition(CC);
13668         std::swap(TrueC, FalseC);
13669       }
13670
13671       // Optimize C ? 8 : 0 -> zext(setcc(C)) << 3.  Likewise for any pow2/0.
13672       // This is efficient for any integer data type (including i8/i16) and
13673       // shift amount.
13674       if (FalseC->getAPIntValue() == 0 && TrueC->getAPIntValue().isPowerOf2()) {
13675         Cond = DAG.getNode(X86ISD::SETCC, DL, MVT::i8,
13676                            DAG.getConstant(CC, MVT::i8), Cond);
13677
13678         // Zero extend the condition if needed.
13679         Cond = DAG.getNode(ISD::ZERO_EXTEND, DL, TrueC->getValueType(0), Cond);
13680
13681         unsigned ShAmt = TrueC->getAPIntValue().logBase2();
13682         Cond = DAG.getNode(ISD::SHL, DL, Cond.getValueType(), Cond,
13683                            DAG.getConstant(ShAmt, MVT::i8));
13684         if (N->getNumValues() == 2)  // Dead flag value?
13685           return DCI.CombineTo(N, Cond, SDValue());
13686         return Cond;
13687       }
13688
13689       // Optimize Cond ? cst+1 : cst -> zext(setcc(C)+cst.  This is efficient
13690       // for any integer data type, including i8/i16.
13691       if (FalseC->getAPIntValue()+1 == TrueC->getAPIntValue()) {
13692         Cond = DAG.getNode(X86ISD::SETCC, DL, MVT::i8,
13693                            DAG.getConstant(CC, MVT::i8), Cond);
13694
13695         // Zero extend the condition if needed.
13696         Cond = DAG.getNode(ISD::ZERO_EXTEND, DL,
13697                            FalseC->getValueType(0), Cond);
13698         Cond = DAG.getNode(ISD::ADD, DL, Cond.getValueType(), Cond,
13699                            SDValue(FalseC, 0));
13700
13701         if (N->getNumValues() == 2)  // Dead flag value?
13702           return DCI.CombineTo(N, Cond, SDValue());
13703         return Cond;
13704       }
13705
13706       // Optimize cases that will turn into an LEA instruction.  This requires
13707       // an i32 or i64 and an efficient multiplier (1, 2, 3, 4, 5, 8, 9).
13708       if (N->getValueType(0) == MVT::i32 || N->getValueType(0) == MVT::i64) {
13709         uint64_t Diff = TrueC->getZExtValue()-FalseC->getZExtValue();
13710         if (N->getValueType(0) == MVT::i32) Diff = (unsigned)Diff;
13711
13712         bool isFastMultiplier = false;
13713         if (Diff < 10) {
13714           switch ((unsigned char)Diff) {
13715           default: break;
13716           case 1:  // result = add base, cond
13717           case 2:  // result = lea base(    , cond*2)
13718           case 3:  // result = lea base(cond, cond*2)
13719           case 4:  // result = lea base(    , cond*4)
13720           case 5:  // result = lea base(cond, cond*4)
13721           case 8:  // result = lea base(    , cond*8)
13722           case 9:  // result = lea base(cond, cond*8)
13723             isFastMultiplier = true;
13724             break;
13725           }
13726         }
13727
13728         if (isFastMultiplier) {
13729           APInt Diff = TrueC->getAPIntValue()-FalseC->getAPIntValue();
13730           Cond = DAG.getNode(X86ISD::SETCC, DL, MVT::i8,
13731                              DAG.getConstant(CC, MVT::i8), Cond);
13732           // Zero extend the condition if needed.
13733           Cond = DAG.getNode(ISD::ZERO_EXTEND, DL, FalseC->getValueType(0),
13734                              Cond);
13735           // Scale the condition by the difference.
13736           if (Diff != 1)
13737             Cond = DAG.getNode(ISD::MUL, DL, Cond.getValueType(), Cond,
13738                                DAG.getConstant(Diff, Cond.getValueType()));
13739
13740           // Add the base if non-zero.
13741           if (FalseC->getAPIntValue() != 0)
13742             Cond = DAG.getNode(ISD::ADD, DL, Cond.getValueType(), Cond,
13743                                SDValue(FalseC, 0));
13744           if (N->getNumValues() == 2)  // Dead flag value?
13745             return DCI.CombineTo(N, Cond, SDValue());
13746           return Cond;
13747         }
13748       }
13749     }
13750   }
13751   return SDValue();
13752 }
13753
13754
13755 /// PerformMulCombine - Optimize a single multiply with constant into two
13756 /// in order to implement it with two cheaper instructions, e.g.
13757 /// LEA + SHL, LEA + LEA.
13758 static SDValue PerformMulCombine(SDNode *N, SelectionDAG &DAG,
13759                                  TargetLowering::DAGCombinerInfo &DCI) {
13760   if (DCI.isBeforeLegalize() || DCI.isCalledByLegalizer())
13761     return SDValue();
13762
13763   EVT VT = N->getValueType(0);
13764   if (VT != MVT::i64)
13765     return SDValue();
13766
13767   ConstantSDNode *C = dyn_cast<ConstantSDNode>(N->getOperand(1));
13768   if (!C)
13769     return SDValue();
13770   uint64_t MulAmt = C->getZExtValue();
13771   if (isPowerOf2_64(MulAmt) || MulAmt == 3 || MulAmt == 5 || MulAmt == 9)
13772     return SDValue();
13773
13774   uint64_t MulAmt1 = 0;
13775   uint64_t MulAmt2 = 0;
13776   if ((MulAmt % 9) == 0) {
13777     MulAmt1 = 9;
13778     MulAmt2 = MulAmt / 9;
13779   } else if ((MulAmt % 5) == 0) {
13780     MulAmt1 = 5;
13781     MulAmt2 = MulAmt / 5;
13782   } else if ((MulAmt % 3) == 0) {
13783     MulAmt1 = 3;
13784     MulAmt2 = MulAmt / 3;
13785   }
13786   if (MulAmt2 &&
13787       (isPowerOf2_64(MulAmt2) || MulAmt2 == 3 || MulAmt2 == 5 || MulAmt2 == 9)){
13788     DebugLoc DL = N->getDebugLoc();
13789
13790     if (isPowerOf2_64(MulAmt2) &&
13791         !(N->hasOneUse() && N->use_begin()->getOpcode() == ISD::ADD))
13792       // If second multiplifer is pow2, issue it first. We want the multiply by
13793       // 3, 5, or 9 to be folded into the addressing mode unless the lone use
13794       // is an add.
13795       std::swap(MulAmt1, MulAmt2);
13796
13797     SDValue NewMul;
13798     if (isPowerOf2_64(MulAmt1))
13799       NewMul = DAG.getNode(ISD::SHL, DL, VT, N->getOperand(0),
13800                            DAG.getConstant(Log2_64(MulAmt1), MVT::i8));
13801     else
13802       NewMul = DAG.getNode(X86ISD::MUL_IMM, DL, VT, N->getOperand(0),
13803                            DAG.getConstant(MulAmt1, VT));
13804
13805     if (isPowerOf2_64(MulAmt2))
13806       NewMul = DAG.getNode(ISD::SHL, DL, VT, NewMul,
13807                            DAG.getConstant(Log2_64(MulAmt2), MVT::i8));
13808     else
13809       NewMul = DAG.getNode(X86ISD::MUL_IMM, DL, VT, NewMul,
13810                            DAG.getConstant(MulAmt2, VT));
13811
13812     // Do not add new nodes to DAG combiner worklist.
13813     DCI.CombineTo(N, NewMul, false);
13814   }
13815   return SDValue();
13816 }
13817
13818 static SDValue PerformSHLCombine(SDNode *N, SelectionDAG &DAG) {
13819   SDValue N0 = N->getOperand(0);
13820   SDValue N1 = N->getOperand(1);
13821   ConstantSDNode *N1C = dyn_cast<ConstantSDNode>(N1);
13822   EVT VT = N0.getValueType();
13823
13824   // fold (shl (and (setcc_c), c1), c2) -> (and setcc_c, (c1 << c2))
13825   // since the result of setcc_c is all zero's or all ones.
13826   if (VT.isInteger() && !VT.isVector() &&
13827       N1C && N0.getOpcode() == ISD::AND &&
13828       N0.getOperand(1).getOpcode() == ISD::Constant) {
13829     SDValue N00 = N0.getOperand(0);
13830     if (N00.getOpcode() == X86ISD::SETCC_CARRY ||
13831         ((N00.getOpcode() == ISD::ANY_EXTEND ||
13832           N00.getOpcode() == ISD::ZERO_EXTEND) &&
13833          N00.getOperand(0).getOpcode() == X86ISD::SETCC_CARRY)) {
13834       APInt Mask = cast<ConstantSDNode>(N0.getOperand(1))->getAPIntValue();
13835       APInt ShAmt = N1C->getAPIntValue();
13836       Mask = Mask.shl(ShAmt);
13837       if (Mask != 0)
13838         return DAG.getNode(ISD::AND, N->getDebugLoc(), VT,
13839                            N00, DAG.getConstant(Mask, VT));
13840     }
13841   }
13842
13843
13844   // Hardware support for vector shifts is sparse which makes us scalarize the
13845   // vector operations in many cases. Also, on sandybridge ADD is faster than
13846   // shl.
13847   // (shl V, 1) -> add V,V
13848   if (isSplatVector(N1.getNode())) {
13849     assert(N0.getValueType().isVector() && "Invalid vector shift type");
13850     ConstantSDNode *N1C = dyn_cast<ConstantSDNode>(N1->getOperand(0));
13851     // We shift all of the values by one. In many cases we do not have
13852     // hardware support for this operation. This is better expressed as an ADD
13853     // of two values.
13854     if (N1C && (1 == N1C->getZExtValue())) {
13855       return DAG.getNode(ISD::ADD, N->getDebugLoc(), VT, N0, N0);
13856     }
13857   }
13858
13859   return SDValue();
13860 }
13861
13862 /// PerformShiftCombine - Transforms vector shift nodes to use vector shifts
13863 ///                       when possible.
13864 static SDValue PerformShiftCombine(SDNode* N, SelectionDAG &DAG,
13865                                    TargetLowering::DAGCombinerInfo &DCI,
13866                                    const X86Subtarget *Subtarget) {
13867   EVT VT = N->getValueType(0);
13868   if (N->getOpcode() == ISD::SHL) {
13869     SDValue V = PerformSHLCombine(N, DAG);
13870     if (V.getNode()) return V;
13871   }
13872
13873   // On X86 with SSE2 support, we can transform this to a vector shift if
13874   // all elements are shifted by the same amount.  We can't do this in legalize
13875   // because the a constant vector is typically transformed to a constant pool
13876   // so we have no knowledge of the shift amount.
13877   if (!Subtarget->hasSSE2())
13878     return SDValue();
13879
13880   if (VT != MVT::v2i64 && VT != MVT::v4i32 && VT != MVT::v8i16 &&
13881       (!Subtarget->hasAVX2() ||
13882        (VT != MVT::v4i64 && VT != MVT::v8i32 && VT != MVT::v16i16)))
13883     return SDValue();
13884
13885   SDValue ShAmtOp = N->getOperand(1);
13886   EVT EltVT = VT.getVectorElementType();
13887   DebugLoc DL = N->getDebugLoc();
13888   SDValue BaseShAmt = SDValue();
13889   if (ShAmtOp.getOpcode() == ISD::BUILD_VECTOR) {
13890     unsigned NumElts = VT.getVectorNumElements();
13891     unsigned i = 0;
13892     for (; i != NumElts; ++i) {
13893       SDValue Arg = ShAmtOp.getOperand(i);
13894       if (Arg.getOpcode() == ISD::UNDEF) continue;
13895       BaseShAmt = Arg;
13896       break;
13897     }
13898     // Handle the case where the build_vector is all undef
13899     // FIXME: Should DAG allow this?
13900     if (i == NumElts)
13901       return SDValue();
13902
13903     for (; i != NumElts; ++i) {
13904       SDValue Arg = ShAmtOp.getOperand(i);
13905       if (Arg.getOpcode() == ISD::UNDEF) continue;
13906       if (Arg != BaseShAmt) {
13907         return SDValue();
13908       }
13909     }
13910   } else if (ShAmtOp.getOpcode() == ISD::VECTOR_SHUFFLE &&
13911              cast<ShuffleVectorSDNode>(ShAmtOp)->isSplat()) {
13912     SDValue InVec = ShAmtOp.getOperand(0);
13913     if (InVec.getOpcode() == ISD::BUILD_VECTOR) {
13914       unsigned NumElts = InVec.getValueType().getVectorNumElements();
13915       unsigned i = 0;
13916       for (; i != NumElts; ++i) {
13917         SDValue Arg = InVec.getOperand(i);
13918         if (Arg.getOpcode() == ISD::UNDEF) continue;
13919         BaseShAmt = Arg;
13920         break;
13921       }
13922     } else if (InVec.getOpcode() == ISD::INSERT_VECTOR_ELT) {
13923        if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(InVec.getOperand(2))) {
13924          unsigned SplatIdx= cast<ShuffleVectorSDNode>(ShAmtOp)->getSplatIndex();
13925          if (C->getZExtValue() == SplatIdx)
13926            BaseShAmt = InVec.getOperand(1);
13927        }
13928     }
13929     if (BaseShAmt.getNode() == 0) {
13930       // Don't create instructions with illegal types after legalize
13931       // types has run.
13932       if (!DAG.getTargetLoweringInfo().isTypeLegal(EltVT) &&
13933           !DCI.isBeforeLegalize())
13934         return SDValue();
13935
13936       BaseShAmt = DAG.getNode(ISD::EXTRACT_VECTOR_ELT, DL, EltVT, ShAmtOp,
13937                               DAG.getIntPtrConstant(0));
13938     }
13939   } else
13940     return SDValue();
13941
13942   // The shift amount is an i32.
13943   if (EltVT.bitsGT(MVT::i32))
13944     BaseShAmt = DAG.getNode(ISD::TRUNCATE, DL, MVT::i32, BaseShAmt);
13945   else if (EltVT.bitsLT(MVT::i32))
13946     BaseShAmt = DAG.getNode(ISD::ZERO_EXTEND, DL, MVT::i32, BaseShAmt);
13947
13948   // The shift amount is identical so we can do a vector shift.
13949   SDValue  ValOp = N->getOperand(0);
13950   switch (N->getOpcode()) {
13951   default:
13952     llvm_unreachable("Unknown shift opcode!");
13953   case ISD::SHL:
13954     switch (VT.getSimpleVT().SimpleTy) {
13955     default: return SDValue();
13956     case MVT::v2i64:
13957     case MVT::v4i32:
13958     case MVT::v8i16:
13959     case MVT::v4i64:
13960     case MVT::v8i32:
13961     case MVT::v16i16:
13962       return getTargetVShiftNode(X86ISD::VSHLI, DL, VT, ValOp, BaseShAmt, DAG);
13963     }
13964   case ISD::SRA:
13965     switch (VT.getSimpleVT().SimpleTy) {
13966     default: return SDValue();
13967     case MVT::v4i32:
13968     case MVT::v8i16:
13969     case MVT::v8i32:
13970     case MVT::v16i16:
13971       return getTargetVShiftNode(X86ISD::VSRAI, DL, VT, ValOp, BaseShAmt, DAG);
13972     }
13973   case ISD::SRL:
13974     switch (VT.getSimpleVT().SimpleTy) {
13975     default: return SDValue();
13976     case MVT::v2i64:
13977     case MVT::v4i32:
13978     case MVT::v8i16:
13979     case MVT::v4i64:
13980     case MVT::v8i32:
13981     case MVT::v16i16:
13982       return getTargetVShiftNode(X86ISD::VSRLI, DL, VT, ValOp, BaseShAmt, DAG);
13983     }
13984   }
13985 }
13986
13987
13988 // CMPEQCombine - Recognize the distinctive  (AND (setcc ...) (setcc ..))
13989 // where both setccs reference the same FP CMP, and rewrite for CMPEQSS
13990 // and friends.  Likewise for OR -> CMPNEQSS.
13991 static SDValue CMPEQCombine(SDNode *N, SelectionDAG &DAG,
13992                             TargetLowering::DAGCombinerInfo &DCI,
13993                             const X86Subtarget *Subtarget) {
13994   unsigned opcode;
13995
13996   // SSE1 supports CMP{eq|ne}SS, and SSE2 added CMP{eq|ne}SD, but
13997   // we're requiring SSE2 for both.
13998   if (Subtarget->hasSSE2() && isAndOrOfSetCCs(SDValue(N, 0U), opcode)) {
13999     SDValue N0 = N->getOperand(0);
14000     SDValue N1 = N->getOperand(1);
14001     SDValue CMP0 = N0->getOperand(1);
14002     SDValue CMP1 = N1->getOperand(1);
14003     DebugLoc DL = N->getDebugLoc();
14004
14005     // The SETCCs should both refer to the same CMP.
14006     if (CMP0.getOpcode() != X86ISD::CMP || CMP0 != CMP1)
14007       return SDValue();
14008
14009     SDValue CMP00 = CMP0->getOperand(0);
14010     SDValue CMP01 = CMP0->getOperand(1);
14011     EVT     VT    = CMP00.getValueType();
14012
14013     if (VT == MVT::f32 || VT == MVT::f64) {
14014       bool ExpectingFlags = false;
14015       // Check for any users that want flags:
14016       for (SDNode::use_iterator UI = N->use_begin(),
14017              UE = N->use_end();
14018            !ExpectingFlags && UI != UE; ++UI)
14019         switch (UI->getOpcode()) {
14020         default:
14021         case ISD::BR_CC:
14022         case ISD::BRCOND:
14023         case ISD::SELECT:
14024           ExpectingFlags = true;
14025           break;
14026         case ISD::CopyToReg:
14027         case ISD::SIGN_EXTEND:
14028         case ISD::ZERO_EXTEND:
14029         case ISD::ANY_EXTEND:
14030           break;
14031         }
14032
14033       if (!ExpectingFlags) {
14034         enum X86::CondCode cc0 = (enum X86::CondCode)N0.getConstantOperandVal(0);
14035         enum X86::CondCode cc1 = (enum X86::CondCode)N1.getConstantOperandVal(0);
14036
14037         if (cc1 == X86::COND_E || cc1 == X86::COND_NE) {
14038           X86::CondCode tmp = cc0;
14039           cc0 = cc1;
14040           cc1 = tmp;
14041         }
14042
14043         if ((cc0 == X86::COND_E  && cc1 == X86::COND_NP) ||
14044             (cc0 == X86::COND_NE && cc1 == X86::COND_P)) {
14045           bool is64BitFP = (CMP00.getValueType() == MVT::f64);
14046           X86ISD::NodeType NTOperator = is64BitFP ?
14047             X86ISD::FSETCCsd : X86ISD::FSETCCss;
14048           // FIXME: need symbolic constants for these magic numbers.
14049           // See X86ATTInstPrinter.cpp:printSSECC().
14050           unsigned x86cc = (cc0 == X86::COND_E) ? 0 : 4;
14051           SDValue OnesOrZeroesF = DAG.getNode(NTOperator, DL, MVT::f32, CMP00, CMP01,
14052                                               DAG.getConstant(x86cc, MVT::i8));
14053           SDValue OnesOrZeroesI = DAG.getNode(ISD::BITCAST, DL, MVT::i32,
14054                                               OnesOrZeroesF);
14055           SDValue ANDed = DAG.getNode(ISD::AND, DL, MVT::i32, OnesOrZeroesI,
14056                                       DAG.getConstant(1, MVT::i32));
14057           SDValue OneBitOfTruth = DAG.getNode(ISD::TRUNCATE, DL, MVT::i8, ANDed);
14058           return OneBitOfTruth;
14059         }
14060       }
14061     }
14062   }
14063   return SDValue();
14064 }
14065
14066 /// CanFoldXORWithAllOnes - Test whether the XOR operand is a AllOnes vector
14067 /// so it can be folded inside ANDNP.
14068 static bool CanFoldXORWithAllOnes(const SDNode *N) {
14069   EVT VT = N->getValueType(0);
14070
14071   // Match direct AllOnes for 128 and 256-bit vectors
14072   if (ISD::isBuildVectorAllOnes(N))
14073     return true;
14074
14075   // Look through a bit convert.
14076   if (N->getOpcode() == ISD::BITCAST)
14077     N = N->getOperand(0).getNode();
14078
14079   // Sometimes the operand may come from a insert_subvector building a 256-bit
14080   // allones vector
14081   if (VT.getSizeInBits() == 256 &&
14082       N->getOpcode() == ISD::INSERT_SUBVECTOR) {
14083     SDValue V1 = N->getOperand(0);
14084     SDValue V2 = N->getOperand(1);
14085
14086     if (V1.getOpcode() == ISD::INSERT_SUBVECTOR &&
14087         V1.getOperand(0).getOpcode() == ISD::UNDEF &&
14088         ISD::isBuildVectorAllOnes(V1.getOperand(1).getNode()) &&
14089         ISD::isBuildVectorAllOnes(V2.getNode()))
14090       return true;
14091   }
14092
14093   return false;
14094 }
14095
14096 static SDValue PerformAndCombine(SDNode *N, SelectionDAG &DAG,
14097                                  TargetLowering::DAGCombinerInfo &DCI,
14098                                  const X86Subtarget *Subtarget) {
14099   if (DCI.isBeforeLegalizeOps())
14100     return SDValue();
14101
14102   SDValue R = CMPEQCombine(N, DAG, DCI, Subtarget);
14103   if (R.getNode())
14104     return R;
14105
14106   EVT VT = N->getValueType(0);
14107
14108   // Create ANDN, BLSI, and BLSR instructions
14109   // BLSI is X & (-X)
14110   // BLSR is X & (X-1)
14111   if (Subtarget->hasBMI() && (VT == MVT::i32 || VT == MVT::i64)) {
14112     SDValue N0 = N->getOperand(0);
14113     SDValue N1 = N->getOperand(1);
14114     DebugLoc DL = N->getDebugLoc();
14115
14116     // Check LHS for not
14117     if (N0.getOpcode() == ISD::XOR && isAllOnes(N0.getOperand(1)))
14118       return DAG.getNode(X86ISD::ANDN, DL, VT, N0.getOperand(0), N1);
14119     // Check RHS for not
14120     if (N1.getOpcode() == ISD::XOR && isAllOnes(N1.getOperand(1)))
14121       return DAG.getNode(X86ISD::ANDN, DL, VT, N1.getOperand(0), N0);
14122
14123     // Check LHS for neg
14124     if (N0.getOpcode() == ISD::SUB && N0.getOperand(1) == N1 &&
14125         isZero(N0.getOperand(0)))
14126       return DAG.getNode(X86ISD::BLSI, DL, VT, N1);
14127
14128     // Check RHS for neg
14129     if (N1.getOpcode() == ISD::SUB && N1.getOperand(1) == N0 &&
14130         isZero(N1.getOperand(0)))
14131       return DAG.getNode(X86ISD::BLSI, DL, VT, N0);
14132
14133     // Check LHS for X-1
14134     if (N0.getOpcode() == ISD::ADD && N0.getOperand(0) == N1 &&
14135         isAllOnes(N0.getOperand(1)))
14136       return DAG.getNode(X86ISD::BLSR, DL, VT, N1);
14137
14138     // Check RHS for X-1
14139     if (N1.getOpcode() == ISD::ADD && N1.getOperand(0) == N0 &&
14140         isAllOnes(N1.getOperand(1)))
14141       return DAG.getNode(X86ISD::BLSR, DL, VT, N0);
14142
14143     return SDValue();
14144   }
14145
14146   // Want to form ANDNP nodes:
14147   // 1) In the hopes of then easily combining them with OR and AND nodes
14148   //    to form PBLEND/PSIGN.
14149   // 2) To match ANDN packed intrinsics
14150   if (VT != MVT::v2i64 && VT != MVT::v4i64)
14151     return SDValue();
14152
14153   SDValue N0 = N->getOperand(0);
14154   SDValue N1 = N->getOperand(1);
14155   DebugLoc DL = N->getDebugLoc();
14156
14157   // Check LHS for vnot
14158   if (N0.getOpcode() == ISD::XOR &&
14159       //ISD::isBuildVectorAllOnes(N0.getOperand(1).getNode()))
14160       CanFoldXORWithAllOnes(N0.getOperand(1).getNode()))
14161     return DAG.getNode(X86ISD::ANDNP, DL, VT, N0.getOperand(0), N1);
14162
14163   // Check RHS for vnot
14164   if (N1.getOpcode() == ISD::XOR &&
14165       //ISD::isBuildVectorAllOnes(N1.getOperand(1).getNode()))
14166       CanFoldXORWithAllOnes(N1.getOperand(1).getNode()))
14167     return DAG.getNode(X86ISD::ANDNP, DL, VT, N1.getOperand(0), N0);
14168
14169   return SDValue();
14170 }
14171
14172 static SDValue PerformOrCombine(SDNode *N, SelectionDAG &DAG,
14173                                 TargetLowering::DAGCombinerInfo &DCI,
14174                                 const X86Subtarget *Subtarget) {
14175   if (DCI.isBeforeLegalizeOps())
14176     return SDValue();
14177
14178   SDValue R = CMPEQCombine(N, DAG, DCI, Subtarget);
14179   if (R.getNode())
14180     return R;
14181
14182   EVT VT = N->getValueType(0);
14183
14184   SDValue N0 = N->getOperand(0);
14185   SDValue N1 = N->getOperand(1);
14186
14187   // look for psign/blend
14188   if (VT == MVT::v2i64 || VT == MVT::v4i64) {
14189     if (!Subtarget->hasSSSE3() ||
14190         (VT == MVT::v4i64 && !Subtarget->hasAVX2()))
14191       return SDValue();
14192
14193     // Canonicalize pandn to RHS
14194     if (N0.getOpcode() == X86ISD::ANDNP)
14195       std::swap(N0, N1);
14196     // or (and (m, y), (pandn m, x))
14197     if (N0.getOpcode() == ISD::AND && N1.getOpcode() == X86ISD::ANDNP) {
14198       SDValue Mask = N1.getOperand(0);
14199       SDValue X    = N1.getOperand(1);
14200       SDValue Y;
14201       if (N0.getOperand(0) == Mask)
14202         Y = N0.getOperand(1);
14203       if (N0.getOperand(1) == Mask)
14204         Y = N0.getOperand(0);
14205
14206       // Check to see if the mask appeared in both the AND and ANDNP and
14207       if (!Y.getNode())
14208         return SDValue();
14209
14210       // Validate that X, Y, and Mask are BIT_CONVERTS, and see through them.
14211       // Look through mask bitcast.
14212       if (Mask.getOpcode() == ISD::BITCAST)
14213         Mask = Mask.getOperand(0);
14214       if (X.getOpcode() == ISD::BITCAST)
14215         X = X.getOperand(0);
14216       if (Y.getOpcode() == ISD::BITCAST)
14217         Y = Y.getOperand(0);
14218
14219       EVT MaskVT = Mask.getValueType();
14220
14221       // Validate that the Mask operand is a vector sra node.
14222       // FIXME: what to do for bytes, since there is a psignb/pblendvb, but
14223       // there is no psrai.b
14224       if (Mask.getOpcode() != X86ISD::VSRAI)
14225         return SDValue();
14226
14227       // Check that the SRA is all signbits.
14228       SDValue SraC = Mask.getOperand(1);
14229       unsigned SraAmt  = cast<ConstantSDNode>(SraC)->getZExtValue();
14230       unsigned EltBits = MaskVT.getVectorElementType().getSizeInBits();
14231       if ((SraAmt + 1) != EltBits)
14232         return SDValue();
14233
14234       DebugLoc DL = N->getDebugLoc();
14235
14236       // Now we know we at least have a plendvb with the mask val.  See if
14237       // we can form a psignb/w/d.
14238       // psign = x.type == y.type == mask.type && y = sub(0, x);
14239       if (Y.getOpcode() == ISD::SUB && Y.getOperand(1) == X &&
14240           ISD::isBuildVectorAllZeros(Y.getOperand(0).getNode()) &&
14241           X.getValueType() == MaskVT && Y.getValueType() == MaskVT) {
14242         assert((EltBits == 8 || EltBits == 16 || EltBits == 32) &&
14243                "Unsupported VT for PSIGN");
14244         Mask = DAG.getNode(X86ISD::PSIGN, DL, MaskVT, X, Mask.getOperand(0));
14245         return DAG.getNode(ISD::BITCAST, DL, VT, Mask);
14246       }
14247       // PBLENDVB only available on SSE 4.1
14248       if (!Subtarget->hasSSE41())
14249         return SDValue();
14250
14251       EVT BlendVT = (VT == MVT::v4i64) ? MVT::v32i8 : MVT::v16i8;
14252
14253       X = DAG.getNode(ISD::BITCAST, DL, BlendVT, X);
14254       Y = DAG.getNode(ISD::BITCAST, DL, BlendVT, Y);
14255       Mask = DAG.getNode(ISD::BITCAST, DL, BlendVT, Mask);
14256       Mask = DAG.getNode(ISD::VSELECT, DL, BlendVT, Mask, Y, X);
14257       return DAG.getNode(ISD::BITCAST, DL, VT, Mask);
14258     }
14259   }
14260
14261   if (VT != MVT::i16 && VT != MVT::i32 && VT != MVT::i64)
14262     return SDValue();
14263
14264   // fold (or (x << c) | (y >> (64 - c))) ==> (shld64 x, y, c)
14265   if (N0.getOpcode() == ISD::SRL && N1.getOpcode() == ISD::SHL)
14266     std::swap(N0, N1);
14267   if (N0.getOpcode() != ISD::SHL || N1.getOpcode() != ISD::SRL)
14268     return SDValue();
14269   if (!N0.hasOneUse() || !N1.hasOneUse())
14270     return SDValue();
14271
14272   SDValue ShAmt0 = N0.getOperand(1);
14273   if (ShAmt0.getValueType() != MVT::i8)
14274     return SDValue();
14275   SDValue ShAmt1 = N1.getOperand(1);
14276   if (ShAmt1.getValueType() != MVT::i8)
14277     return SDValue();
14278   if (ShAmt0.getOpcode() == ISD::TRUNCATE)
14279     ShAmt0 = ShAmt0.getOperand(0);
14280   if (ShAmt1.getOpcode() == ISD::TRUNCATE)
14281     ShAmt1 = ShAmt1.getOperand(0);
14282
14283   DebugLoc DL = N->getDebugLoc();
14284   unsigned Opc = X86ISD::SHLD;
14285   SDValue Op0 = N0.getOperand(0);
14286   SDValue Op1 = N1.getOperand(0);
14287   if (ShAmt0.getOpcode() == ISD::SUB) {
14288     Opc = X86ISD::SHRD;
14289     std::swap(Op0, Op1);
14290     std::swap(ShAmt0, ShAmt1);
14291   }
14292
14293   unsigned Bits = VT.getSizeInBits();
14294   if (ShAmt1.getOpcode() == ISD::SUB) {
14295     SDValue Sum = ShAmt1.getOperand(0);
14296     if (ConstantSDNode *SumC = dyn_cast<ConstantSDNode>(Sum)) {
14297       SDValue ShAmt1Op1 = ShAmt1.getOperand(1);
14298       if (ShAmt1Op1.getNode()->getOpcode() == ISD::TRUNCATE)
14299         ShAmt1Op1 = ShAmt1Op1.getOperand(0);
14300       if (SumC->getSExtValue() == Bits && ShAmt1Op1 == ShAmt0)
14301         return DAG.getNode(Opc, DL, VT,
14302                            Op0, Op1,
14303                            DAG.getNode(ISD::TRUNCATE, DL,
14304                                        MVT::i8, ShAmt0));
14305     }
14306   } else if (ConstantSDNode *ShAmt1C = dyn_cast<ConstantSDNode>(ShAmt1)) {
14307     ConstantSDNode *ShAmt0C = dyn_cast<ConstantSDNode>(ShAmt0);
14308     if (ShAmt0C &&
14309         ShAmt0C->getSExtValue() + ShAmt1C->getSExtValue() == Bits)
14310       return DAG.getNode(Opc, DL, VT,
14311                          N0.getOperand(0), N1.getOperand(0),
14312                          DAG.getNode(ISD::TRUNCATE, DL,
14313                                        MVT::i8, ShAmt0));
14314   }
14315
14316   return SDValue();
14317 }
14318
14319 // Generate NEG and CMOV for integer abs.
14320 static SDValue performIntegerAbsCombine(SDNode *N, SelectionDAG &DAG) {
14321   EVT VT = N->getValueType(0);
14322
14323   // Since X86 does not have CMOV for 8-bit integer, we don't convert
14324   // 8-bit integer abs to NEG and CMOV.
14325   if (VT.isInteger() && VT.getSizeInBits() == 8)
14326     return SDValue();
14327
14328   SDValue N0 = N->getOperand(0);
14329   SDValue N1 = N->getOperand(1);
14330   DebugLoc DL = N->getDebugLoc();
14331
14332   // Check pattern of XOR(ADD(X,Y), Y) where Y is SRA(X, size(X)-1)
14333   // and change it to SUB and CMOV.
14334   if (VT.isInteger() && N->getOpcode() == ISD::XOR &&
14335       N0.getOpcode() == ISD::ADD &&
14336       N0.getOperand(1) == N1 &&
14337       N1.getOpcode() == ISD::SRA &&
14338       N1.getOperand(0) == N0.getOperand(0))
14339     if (ConstantSDNode *Y1C = dyn_cast<ConstantSDNode>(N1.getOperand(1)))
14340       if (Y1C->getAPIntValue() == VT.getSizeInBits()-1) {
14341         // Generate SUB & CMOV.
14342         SDValue Neg = DAG.getNode(X86ISD::SUB, DL, DAG.getVTList(VT, MVT::i32),
14343                                   DAG.getConstant(0, VT), N0.getOperand(0));
14344
14345         SDValue Ops[] = { N0.getOperand(0), Neg,
14346                           DAG.getConstant(X86::COND_GE, MVT::i8),
14347                           SDValue(Neg.getNode(), 1) };
14348         return DAG.getNode(X86ISD::CMOV, DL, DAG.getVTList(VT, MVT::Glue),
14349                            Ops, array_lengthof(Ops));
14350       }
14351   return SDValue();
14352 }
14353
14354 // PerformXorCombine - Attempts to turn XOR nodes into BLSMSK nodes
14355 static SDValue PerformXorCombine(SDNode *N, SelectionDAG &DAG,
14356                                  TargetLowering::DAGCombinerInfo &DCI,
14357                                  const X86Subtarget *Subtarget) {
14358   if (DCI.isBeforeLegalizeOps())
14359     return SDValue();
14360
14361   if (Subtarget->hasCMov()) {
14362     SDValue RV = performIntegerAbsCombine(N, DAG);
14363     if (RV.getNode())
14364       return RV;
14365   }
14366
14367   // Try forming BMI if it is available.
14368   if (!Subtarget->hasBMI())
14369     return SDValue();
14370
14371   EVT VT = N->getValueType(0);
14372
14373   if (VT != MVT::i32 && VT != MVT::i64)
14374     return SDValue();
14375
14376   assert(Subtarget->hasBMI() && "Creating BLSMSK requires BMI instructions");
14377
14378   // Create BLSMSK instructions by finding X ^ (X-1)
14379   SDValue N0 = N->getOperand(0);
14380   SDValue N1 = N->getOperand(1);
14381   DebugLoc DL = N->getDebugLoc();
14382
14383   if (N0.getOpcode() == ISD::ADD && N0.getOperand(0) == N1 &&
14384       isAllOnes(N0.getOperand(1)))
14385     return DAG.getNode(X86ISD::BLSMSK, DL, VT, N1);
14386
14387   if (N1.getOpcode() == ISD::ADD && N1.getOperand(0) == N0 &&
14388       isAllOnes(N1.getOperand(1)))
14389     return DAG.getNode(X86ISD::BLSMSK, DL, VT, N0);
14390
14391   return SDValue();
14392 }
14393
14394 /// PerformLOADCombine - Do target-specific dag combines on LOAD nodes.
14395 static SDValue PerformLOADCombine(SDNode *N, SelectionDAG &DAG,
14396                                    const X86Subtarget *Subtarget) {
14397   LoadSDNode *Ld = cast<LoadSDNode>(N);
14398   EVT RegVT = Ld->getValueType(0);
14399   EVT MemVT = Ld->getMemoryVT();
14400   DebugLoc dl = Ld->getDebugLoc();
14401   const TargetLowering &TLI = DAG.getTargetLoweringInfo();
14402
14403   ISD::LoadExtType Ext = Ld->getExtensionType();
14404
14405   // If this is a vector EXT Load then attempt to optimize it using a
14406   // shuffle. We need SSE4 for the shuffles.
14407   // TODO: It is possible to support ZExt by zeroing the undef values
14408   // during the shuffle phase or after the shuffle.
14409   if (RegVT.isVector() && RegVT.isInteger() &&
14410       Ext == ISD::EXTLOAD && Subtarget->hasSSE41()) {
14411     assert(MemVT != RegVT && "Cannot extend to the same type");
14412     assert(MemVT.isVector() && "Must load a vector from memory");
14413
14414     unsigned NumElems = RegVT.getVectorNumElements();
14415     unsigned RegSz = RegVT.getSizeInBits();
14416     unsigned MemSz = MemVT.getSizeInBits();
14417     assert(RegSz > MemSz && "Register size must be greater than the mem size");
14418     // All sizes must be a power of two
14419     if (!isPowerOf2_32(RegSz * MemSz * NumElems)) return SDValue();
14420
14421     // Attempt to load the original value using a single load op.
14422     // Find a scalar type which is equal to the loaded word size.
14423     MVT SclrLoadTy = MVT::i8;
14424     for (unsigned tp = MVT::FIRST_INTEGER_VALUETYPE;
14425          tp < MVT::LAST_INTEGER_VALUETYPE; ++tp) {
14426       MVT Tp = (MVT::SimpleValueType)tp;
14427       if (TLI.isTypeLegal(Tp) &&  Tp.getSizeInBits() == MemSz) {
14428         SclrLoadTy = Tp;
14429         break;
14430       }
14431     }
14432
14433     // Proceed if a load word is found.
14434     if (SclrLoadTy.getSizeInBits() != MemSz) return SDValue();
14435
14436     EVT LoadUnitVecVT = EVT::getVectorVT(*DAG.getContext(), SclrLoadTy,
14437       RegSz/SclrLoadTy.getSizeInBits());
14438
14439     EVT WideVecVT = EVT::getVectorVT(*DAG.getContext(), MemVT.getScalarType(),
14440                                   RegSz/MemVT.getScalarType().getSizeInBits());
14441     // Can't shuffle using an illegal type.
14442     if (!TLI.isTypeLegal(WideVecVT)) return SDValue();
14443
14444     // Perform a single load.
14445     SDValue ScalarLoad = DAG.getLoad(SclrLoadTy, dl, Ld->getChain(),
14446                                   Ld->getBasePtr(),
14447                                   Ld->getPointerInfo(), Ld->isVolatile(),
14448                                   Ld->isNonTemporal(), Ld->isInvariant(),
14449                                   Ld->getAlignment());
14450
14451     // Insert the word loaded into a vector.
14452     SDValue ScalarInVector = DAG.getNode(ISD::SCALAR_TO_VECTOR, dl,
14453       LoadUnitVecVT, ScalarLoad);
14454
14455     // Bitcast the loaded value to a vector of the original element type, in
14456     // the size of the target vector type.
14457     SDValue SlicedVec = DAG.getNode(ISD::BITCAST, dl, WideVecVT,
14458                                     ScalarInVector);
14459     unsigned SizeRatio = RegSz/MemSz;
14460
14461     // Redistribute the loaded elements into the different locations.
14462     SmallVector<int, 8> ShuffleVec(NumElems * SizeRatio, -1);
14463     for (unsigned i = 0; i != NumElems; ++i)
14464       ShuffleVec[i*SizeRatio] = i;
14465
14466     SDValue Shuff = DAG.getVectorShuffle(WideVecVT, dl, SlicedVec,
14467                                          DAG.getUNDEF(WideVecVT),
14468                                          &ShuffleVec[0]);
14469
14470     // Bitcast to the requested type.
14471     Shuff = DAG.getNode(ISD::BITCAST, dl, RegVT, Shuff);
14472     // Replace the original load with the new sequence
14473     // and return the new chain.
14474     DAG.ReplaceAllUsesOfValueWith(SDValue(N, 0), Shuff);
14475     return SDValue(ScalarLoad.getNode(), 1);
14476   }
14477
14478   return SDValue();
14479 }
14480
14481 /// PerformSTORECombine - Do target-specific dag combines on STORE nodes.
14482 static SDValue PerformSTORECombine(SDNode *N, SelectionDAG &DAG,
14483                                    const X86Subtarget *Subtarget) {
14484   StoreSDNode *St = cast<StoreSDNode>(N);
14485   EVT VT = St->getValue().getValueType();
14486   EVT StVT = St->getMemoryVT();
14487   DebugLoc dl = St->getDebugLoc();
14488   SDValue StoredVal = St->getOperand(1);
14489   const TargetLowering &TLI = DAG.getTargetLoweringInfo();
14490
14491   // If we are saving a concatenation of two XMM registers, perform two stores.
14492   // On Sandy Bridge, 256-bit memory operations are executed by two
14493   // 128-bit ports. However, on Haswell it is better to issue a single 256-bit
14494   // memory  operation.
14495   if (VT.getSizeInBits() == 256 && !Subtarget->hasAVX2() &&
14496       StoredVal.getNode()->getOpcode() == ISD::CONCAT_VECTORS &&
14497       StoredVal.getNumOperands() == 2) {
14498     SDValue Value0 = StoredVal.getOperand(0);
14499     SDValue Value1 = StoredVal.getOperand(1);
14500
14501     SDValue Stride = DAG.getConstant(16, TLI.getPointerTy());
14502     SDValue Ptr0 = St->getBasePtr();
14503     SDValue Ptr1 = DAG.getNode(ISD::ADD, dl, Ptr0.getValueType(), Ptr0, Stride);
14504
14505     SDValue Ch0 = DAG.getStore(St->getChain(), dl, Value0, Ptr0,
14506                                 St->getPointerInfo(), St->isVolatile(),
14507                                 St->isNonTemporal(), St->getAlignment());
14508     SDValue Ch1 = DAG.getStore(St->getChain(), dl, Value1, Ptr1,
14509                                 St->getPointerInfo(), St->isVolatile(),
14510                                 St->isNonTemporal(), St->getAlignment());
14511     return DAG.getNode(ISD::TokenFactor, dl, MVT::Other, Ch0, Ch1);
14512   }
14513
14514   // Optimize trunc store (of multiple scalars) to shuffle and store.
14515   // First, pack all of the elements in one place. Next, store to memory
14516   // in fewer chunks.
14517   if (St->isTruncatingStore() && VT.isVector()) {
14518     const TargetLowering &TLI = DAG.getTargetLoweringInfo();
14519     unsigned NumElems = VT.getVectorNumElements();
14520     assert(StVT != VT && "Cannot truncate to the same type");
14521     unsigned FromSz = VT.getVectorElementType().getSizeInBits();
14522     unsigned ToSz = StVT.getVectorElementType().getSizeInBits();
14523
14524     // From, To sizes and ElemCount must be pow of two
14525     if (!isPowerOf2_32(NumElems * FromSz * ToSz)) return SDValue();
14526     // We are going to use the original vector elt for storing.
14527     // Accumulated smaller vector elements must be a multiple of the store size.
14528     if (0 != (NumElems * FromSz) % ToSz) return SDValue();
14529
14530     unsigned SizeRatio  = FromSz / ToSz;
14531
14532     assert(SizeRatio * NumElems * ToSz == VT.getSizeInBits());
14533
14534     // Create a type on which we perform the shuffle
14535     EVT WideVecVT = EVT::getVectorVT(*DAG.getContext(),
14536             StVT.getScalarType(), NumElems*SizeRatio);
14537
14538     assert(WideVecVT.getSizeInBits() == VT.getSizeInBits());
14539
14540     SDValue WideVec = DAG.getNode(ISD::BITCAST, dl, WideVecVT, St->getValue());
14541     SmallVector<int, 8> ShuffleVec(NumElems * SizeRatio, -1);
14542     for (unsigned i = 0; i != NumElems; ++i)
14543       ShuffleVec[i] = i * SizeRatio;
14544
14545     // Can't shuffle using an illegal type
14546     if (!TLI.isTypeLegal(WideVecVT)) return SDValue();
14547
14548     SDValue Shuff = DAG.getVectorShuffle(WideVecVT, dl, WideVec,
14549                                          DAG.getUNDEF(WideVecVT),
14550                                          &ShuffleVec[0]);
14551     // At this point all of the data is stored at the bottom of the
14552     // register. We now need to save it to mem.
14553
14554     // Find the largest store unit
14555     MVT StoreType = MVT::i8;
14556     for (unsigned tp = MVT::FIRST_INTEGER_VALUETYPE;
14557          tp < MVT::LAST_INTEGER_VALUETYPE; ++tp) {
14558       MVT Tp = (MVT::SimpleValueType)tp;
14559       if (TLI.isTypeLegal(Tp) && StoreType.getSizeInBits() < NumElems * ToSz)
14560         StoreType = Tp;
14561     }
14562
14563     // Bitcast the original vector into a vector of store-size units
14564     EVT StoreVecVT = EVT::getVectorVT(*DAG.getContext(),
14565             StoreType, VT.getSizeInBits()/EVT(StoreType).getSizeInBits());
14566     assert(StoreVecVT.getSizeInBits() == VT.getSizeInBits());
14567     SDValue ShuffWide = DAG.getNode(ISD::BITCAST, dl, StoreVecVT, Shuff);
14568     SmallVector<SDValue, 8> Chains;
14569     SDValue Increment = DAG.getConstant(StoreType.getSizeInBits()/8,
14570                                         TLI.getPointerTy());
14571     SDValue Ptr = St->getBasePtr();
14572
14573     // Perform one or more big stores into memory.
14574     for (unsigned i=0, e=(ToSz*NumElems)/StoreType.getSizeInBits(); i!=e; ++i) {
14575       SDValue SubVec = DAG.getNode(ISD::EXTRACT_VECTOR_ELT, dl,
14576                                    StoreType, ShuffWide,
14577                                    DAG.getIntPtrConstant(i));
14578       SDValue Ch = DAG.getStore(St->getChain(), dl, SubVec, Ptr,
14579                                 St->getPointerInfo(), St->isVolatile(),
14580                                 St->isNonTemporal(), St->getAlignment());
14581       Ptr = DAG.getNode(ISD::ADD, dl, Ptr.getValueType(), Ptr, Increment);
14582       Chains.push_back(Ch);
14583     }
14584
14585     return DAG.getNode(ISD::TokenFactor, dl, MVT::Other, &Chains[0],
14586                                Chains.size());
14587   }
14588
14589
14590   // Turn load->store of MMX types into GPR load/stores.  This avoids clobbering
14591   // the FP state in cases where an emms may be missing.
14592   // A preferable solution to the general problem is to figure out the right
14593   // places to insert EMMS.  This qualifies as a quick hack.
14594
14595   // Similarly, turn load->store of i64 into double load/stores in 32-bit mode.
14596   if (VT.getSizeInBits() != 64)
14597     return SDValue();
14598
14599   const Function *F = DAG.getMachineFunction().getFunction();
14600   bool NoImplicitFloatOps = F->hasFnAttr(Attribute::NoImplicitFloat);
14601   bool F64IsLegal = !DAG.getTarget().Options.UseSoftFloat && !NoImplicitFloatOps
14602                      && Subtarget->hasSSE2();
14603   if ((VT.isVector() ||
14604        (VT == MVT::i64 && F64IsLegal && !Subtarget->is64Bit())) &&
14605       isa<LoadSDNode>(St->getValue()) &&
14606       !cast<LoadSDNode>(St->getValue())->isVolatile() &&
14607       St->getChain().hasOneUse() && !St->isVolatile()) {
14608     SDNode* LdVal = St->getValue().getNode();
14609     LoadSDNode *Ld = 0;
14610     int TokenFactorIndex = -1;
14611     SmallVector<SDValue, 8> Ops;
14612     SDNode* ChainVal = St->getChain().getNode();
14613     // Must be a store of a load.  We currently handle two cases:  the load
14614     // is a direct child, and it's under an intervening TokenFactor.  It is
14615     // possible to dig deeper under nested TokenFactors.
14616     if (ChainVal == LdVal)
14617       Ld = cast<LoadSDNode>(St->getChain());
14618     else if (St->getValue().hasOneUse() &&
14619              ChainVal->getOpcode() == ISD::TokenFactor) {
14620       for (unsigned i = 0, e = ChainVal->getNumOperands(); i != e; ++i) {
14621         if (ChainVal->getOperand(i).getNode() == LdVal) {
14622           TokenFactorIndex = i;
14623           Ld = cast<LoadSDNode>(St->getValue());
14624         } else
14625           Ops.push_back(ChainVal->getOperand(i));
14626       }
14627     }
14628
14629     if (!Ld || !ISD::isNormalLoad(Ld))
14630       return SDValue();
14631
14632     // If this is not the MMX case, i.e. we are just turning i64 load/store
14633     // into f64 load/store, avoid the transformation if there are multiple
14634     // uses of the loaded value.
14635     if (!VT.isVector() && !Ld->hasNUsesOfValue(1, 0))
14636       return SDValue();
14637
14638     DebugLoc LdDL = Ld->getDebugLoc();
14639     DebugLoc StDL = N->getDebugLoc();
14640     // If we are a 64-bit capable x86, lower to a single movq load/store pair.
14641     // Otherwise, if it's legal to use f64 SSE instructions, use f64 load/store
14642     // pair instead.
14643     if (Subtarget->is64Bit() || F64IsLegal) {
14644       EVT LdVT = Subtarget->is64Bit() ? MVT::i64 : MVT::f64;
14645       SDValue NewLd = DAG.getLoad(LdVT, LdDL, Ld->getChain(), Ld->getBasePtr(),
14646                                   Ld->getPointerInfo(), Ld->isVolatile(),
14647                                   Ld->isNonTemporal(), Ld->isInvariant(),
14648                                   Ld->getAlignment());
14649       SDValue NewChain = NewLd.getValue(1);
14650       if (TokenFactorIndex != -1) {
14651         Ops.push_back(NewChain);
14652         NewChain = DAG.getNode(ISD::TokenFactor, LdDL, MVT::Other, &Ops[0],
14653                                Ops.size());
14654       }
14655       return DAG.getStore(NewChain, StDL, NewLd, St->getBasePtr(),
14656                           St->getPointerInfo(),
14657                           St->isVolatile(), St->isNonTemporal(),
14658                           St->getAlignment());
14659     }
14660
14661     // Otherwise, lower to two pairs of 32-bit loads / stores.
14662     SDValue LoAddr = Ld->getBasePtr();
14663     SDValue HiAddr = DAG.getNode(ISD::ADD, LdDL, MVT::i32, LoAddr,
14664                                  DAG.getConstant(4, MVT::i32));
14665
14666     SDValue LoLd = DAG.getLoad(MVT::i32, LdDL, Ld->getChain(), LoAddr,
14667                                Ld->getPointerInfo(),
14668                                Ld->isVolatile(), Ld->isNonTemporal(),
14669                                Ld->isInvariant(), Ld->getAlignment());
14670     SDValue HiLd = DAG.getLoad(MVT::i32, LdDL, Ld->getChain(), HiAddr,
14671                                Ld->getPointerInfo().getWithOffset(4),
14672                                Ld->isVolatile(), Ld->isNonTemporal(),
14673                                Ld->isInvariant(),
14674                                MinAlign(Ld->getAlignment(), 4));
14675
14676     SDValue NewChain = LoLd.getValue(1);
14677     if (TokenFactorIndex != -1) {
14678       Ops.push_back(LoLd);
14679       Ops.push_back(HiLd);
14680       NewChain = DAG.getNode(ISD::TokenFactor, LdDL, MVT::Other, &Ops[0],
14681                              Ops.size());
14682     }
14683
14684     LoAddr = St->getBasePtr();
14685     HiAddr = DAG.getNode(ISD::ADD, StDL, MVT::i32, LoAddr,
14686                          DAG.getConstant(4, MVT::i32));
14687
14688     SDValue LoSt = DAG.getStore(NewChain, StDL, LoLd, LoAddr,
14689                                 St->getPointerInfo(),
14690                                 St->isVolatile(), St->isNonTemporal(),
14691                                 St->getAlignment());
14692     SDValue HiSt = DAG.getStore(NewChain, StDL, HiLd, HiAddr,
14693                                 St->getPointerInfo().getWithOffset(4),
14694                                 St->isVolatile(),
14695                                 St->isNonTemporal(),
14696                                 MinAlign(St->getAlignment(), 4));
14697     return DAG.getNode(ISD::TokenFactor, StDL, MVT::Other, LoSt, HiSt);
14698   }
14699   return SDValue();
14700 }
14701
14702 /// isHorizontalBinOp - Return 'true' if this vector operation is "horizontal"
14703 /// and return the operands for the horizontal operation in LHS and RHS.  A
14704 /// horizontal operation performs the binary operation on successive elements
14705 /// of its first operand, then on successive elements of its second operand,
14706 /// returning the resulting values in a vector.  For example, if
14707 ///   A = < float a0, float a1, float a2, float a3 >
14708 /// and
14709 ///   B = < float b0, float b1, float b2, float b3 >
14710 /// then the result of doing a horizontal operation on A and B is
14711 ///   A horizontal-op B = < a0 op a1, a2 op a3, b0 op b1, b2 op b3 >.
14712 /// In short, LHS and RHS are inspected to see if LHS op RHS is of the form
14713 /// A horizontal-op B, for some already available A and B, and if so then LHS is
14714 /// set to A, RHS to B, and the routine returns 'true'.
14715 /// Note that the binary operation should have the property that if one of the
14716 /// operands is UNDEF then the result is UNDEF.
14717 static bool isHorizontalBinOp(SDValue &LHS, SDValue &RHS, bool IsCommutative) {
14718   // Look for the following pattern: if
14719   //   A = < float a0, float a1, float a2, float a3 >
14720   //   B = < float b0, float b1, float b2, float b3 >
14721   // and
14722   //   LHS = VECTOR_SHUFFLE A, B, <0, 2, 4, 6>
14723   //   RHS = VECTOR_SHUFFLE A, B, <1, 3, 5, 7>
14724   // then LHS op RHS = < a0 op a1, a2 op a3, b0 op b1, b2 op b3 >
14725   // which is A horizontal-op B.
14726
14727   // At least one of the operands should be a vector shuffle.
14728   if (LHS.getOpcode() != ISD::VECTOR_SHUFFLE &&
14729       RHS.getOpcode() != ISD::VECTOR_SHUFFLE)
14730     return false;
14731
14732   EVT VT = LHS.getValueType();
14733
14734   assert((VT.is128BitVector() || VT.is256BitVector()) &&
14735          "Unsupported vector type for horizontal add/sub");
14736
14737   // Handle 128 and 256-bit vector lengths. AVX defines horizontal add/sub to
14738   // operate independently on 128-bit lanes.
14739   unsigned NumElts = VT.getVectorNumElements();
14740   unsigned NumLanes = VT.getSizeInBits()/128;
14741   unsigned NumLaneElts = NumElts / NumLanes;
14742   assert((NumLaneElts % 2 == 0) &&
14743          "Vector type should have an even number of elements in each lane");
14744   unsigned HalfLaneElts = NumLaneElts/2;
14745
14746   // View LHS in the form
14747   //   LHS = VECTOR_SHUFFLE A, B, LMask
14748   // If LHS is not a shuffle then pretend it is the shuffle
14749   //   LHS = VECTOR_SHUFFLE LHS, undef, <0, 1, ..., N-1>
14750   // NOTE: in what follows a default initialized SDValue represents an UNDEF of
14751   // type VT.
14752   SDValue A, B;
14753   SmallVector<int, 16> LMask(NumElts);
14754   if (LHS.getOpcode() == ISD::VECTOR_SHUFFLE) {
14755     if (LHS.getOperand(0).getOpcode() != ISD::UNDEF)
14756       A = LHS.getOperand(0);
14757     if (LHS.getOperand(1).getOpcode() != ISD::UNDEF)
14758       B = LHS.getOperand(1);
14759     ArrayRef<int> Mask = cast<ShuffleVectorSDNode>(LHS.getNode())->getMask();
14760     std::copy(Mask.begin(), Mask.end(), LMask.begin());
14761   } else {
14762     if (LHS.getOpcode() != ISD::UNDEF)
14763       A = LHS;
14764     for (unsigned i = 0; i != NumElts; ++i)
14765       LMask[i] = i;
14766   }
14767
14768   // Likewise, view RHS in the form
14769   //   RHS = VECTOR_SHUFFLE C, D, RMask
14770   SDValue C, D;
14771   SmallVector<int, 16> RMask(NumElts);
14772   if (RHS.getOpcode() == ISD::VECTOR_SHUFFLE) {
14773     if (RHS.getOperand(0).getOpcode() != ISD::UNDEF)
14774       C = RHS.getOperand(0);
14775     if (RHS.getOperand(1).getOpcode() != ISD::UNDEF)
14776       D = RHS.getOperand(1);
14777     ArrayRef<int> Mask = cast<ShuffleVectorSDNode>(RHS.getNode())->getMask();
14778     std::copy(Mask.begin(), Mask.end(), RMask.begin());
14779   } else {
14780     if (RHS.getOpcode() != ISD::UNDEF)
14781       C = RHS;
14782     for (unsigned i = 0; i != NumElts; ++i)
14783       RMask[i] = i;
14784   }
14785
14786   // Check that the shuffles are both shuffling the same vectors.
14787   if (!(A == C && B == D) && !(A == D && B == C))
14788     return false;
14789
14790   // If everything is UNDEF then bail out: it would be better to fold to UNDEF.
14791   if (!A.getNode() && !B.getNode())
14792     return false;
14793
14794   // If A and B occur in reverse order in RHS, then "swap" them (which means
14795   // rewriting the mask).
14796   if (A != C)
14797     CommuteVectorShuffleMask(RMask, NumElts);
14798
14799   // At this point LHS and RHS are equivalent to
14800   //   LHS = VECTOR_SHUFFLE A, B, LMask
14801   //   RHS = VECTOR_SHUFFLE A, B, RMask
14802   // Check that the masks correspond to performing a horizontal operation.
14803   for (unsigned i = 0; i != NumElts; ++i) {
14804     int LIdx = LMask[i], RIdx = RMask[i];
14805
14806     // Ignore any UNDEF components.
14807     if (LIdx < 0 || RIdx < 0 ||
14808         (!A.getNode() && (LIdx < (int)NumElts || RIdx < (int)NumElts)) ||
14809         (!B.getNode() && (LIdx >= (int)NumElts || RIdx >= (int)NumElts)))
14810       continue;
14811
14812     // Check that successive elements are being operated on.  If not, this is
14813     // not a horizontal operation.
14814     unsigned Src = (i/HalfLaneElts) % 2; // each lane is split between srcs
14815     unsigned LaneStart = (i/NumLaneElts) * NumLaneElts;
14816     int Index = 2*(i%HalfLaneElts) + NumElts*Src + LaneStart;
14817     if (!(LIdx == Index && RIdx == Index + 1) &&
14818         !(IsCommutative && LIdx == Index + 1 && RIdx == Index))
14819       return false;
14820   }
14821
14822   LHS = A.getNode() ? A : B; // If A is 'UNDEF', use B for it.
14823   RHS = B.getNode() ? B : A; // If B is 'UNDEF', use A for it.
14824   return true;
14825 }
14826
14827 /// PerformFADDCombine - Do target-specific dag combines on floating point adds.
14828 static SDValue PerformFADDCombine(SDNode *N, SelectionDAG &DAG,
14829                                   const X86Subtarget *Subtarget) {
14830   EVT VT = N->getValueType(0);
14831   SDValue LHS = N->getOperand(0);
14832   SDValue RHS = N->getOperand(1);
14833
14834   // Try to synthesize horizontal adds from adds of shuffles.
14835   if (((Subtarget->hasSSE3() && (VT == MVT::v4f32 || VT == MVT::v2f64)) ||
14836        (Subtarget->hasAVX() && (VT == MVT::v8f32 || VT == MVT::v4f64))) &&
14837       isHorizontalBinOp(LHS, RHS, true))
14838     return DAG.getNode(X86ISD::FHADD, N->getDebugLoc(), VT, LHS, RHS);
14839   return SDValue();
14840 }
14841
14842 /// PerformFSUBCombine - Do target-specific dag combines on floating point subs.
14843 static SDValue PerformFSUBCombine(SDNode *N, SelectionDAG &DAG,
14844                                   const X86Subtarget *Subtarget) {
14845   EVT VT = N->getValueType(0);
14846   SDValue LHS = N->getOperand(0);
14847   SDValue RHS = N->getOperand(1);
14848
14849   // Try to synthesize horizontal subs from subs of shuffles.
14850   if (((Subtarget->hasSSE3() && (VT == MVT::v4f32 || VT == MVT::v2f64)) ||
14851        (Subtarget->hasAVX() && (VT == MVT::v8f32 || VT == MVT::v4f64))) &&
14852       isHorizontalBinOp(LHS, RHS, false))
14853     return DAG.getNode(X86ISD::FHSUB, N->getDebugLoc(), VT, LHS, RHS);
14854   return SDValue();
14855 }
14856
14857 /// PerformFORCombine - Do target-specific dag combines on X86ISD::FOR and
14858 /// X86ISD::FXOR nodes.
14859 static SDValue PerformFORCombine(SDNode *N, SelectionDAG &DAG) {
14860   assert(N->getOpcode() == X86ISD::FOR || N->getOpcode() == X86ISD::FXOR);
14861   // F[X]OR(0.0, x) -> x
14862   // F[X]OR(x, 0.0) -> x
14863   if (ConstantFPSDNode *C = dyn_cast<ConstantFPSDNode>(N->getOperand(0)))
14864     if (C->getValueAPF().isPosZero())
14865       return N->getOperand(1);
14866   if (ConstantFPSDNode *C = dyn_cast<ConstantFPSDNode>(N->getOperand(1)))
14867     if (C->getValueAPF().isPosZero())
14868       return N->getOperand(0);
14869   return SDValue();
14870 }
14871
14872 /// PerformFANDCombine - Do target-specific dag combines on X86ISD::FAND nodes.
14873 static SDValue PerformFANDCombine(SDNode *N, SelectionDAG &DAG) {
14874   // FAND(0.0, x) -> 0.0
14875   // FAND(x, 0.0) -> 0.0
14876   if (ConstantFPSDNode *C = dyn_cast<ConstantFPSDNode>(N->getOperand(0)))
14877     if (C->getValueAPF().isPosZero())
14878       return N->getOperand(0);
14879   if (ConstantFPSDNode *C = dyn_cast<ConstantFPSDNode>(N->getOperand(1)))
14880     if (C->getValueAPF().isPosZero())
14881       return N->getOperand(1);
14882   return SDValue();
14883 }
14884
14885 static SDValue PerformBTCombine(SDNode *N,
14886                                 SelectionDAG &DAG,
14887                                 TargetLowering::DAGCombinerInfo &DCI) {
14888   // BT ignores high bits in the bit index operand.
14889   SDValue Op1 = N->getOperand(1);
14890   if (Op1.hasOneUse()) {
14891     unsigned BitWidth = Op1.getValueSizeInBits();
14892     APInt DemandedMask = APInt::getLowBitsSet(BitWidth, Log2_32(BitWidth));
14893     APInt KnownZero, KnownOne;
14894     TargetLowering::TargetLoweringOpt TLO(DAG, !DCI.isBeforeLegalize(),
14895                                           !DCI.isBeforeLegalizeOps());
14896     const TargetLowering &TLI = DAG.getTargetLoweringInfo();
14897     if (TLO.ShrinkDemandedConstant(Op1, DemandedMask) ||
14898         TLI.SimplifyDemandedBits(Op1, DemandedMask, KnownZero, KnownOne, TLO))
14899       DCI.CommitTargetLoweringOpt(TLO);
14900   }
14901   return SDValue();
14902 }
14903
14904 static SDValue PerformVZEXT_MOVLCombine(SDNode *N, SelectionDAG &DAG) {
14905   SDValue Op = N->getOperand(0);
14906   if (Op.getOpcode() == ISD::BITCAST)
14907     Op = Op.getOperand(0);
14908   EVT VT = N->getValueType(0), OpVT = Op.getValueType();
14909   if (Op.getOpcode() == X86ISD::VZEXT_LOAD &&
14910       VT.getVectorElementType().getSizeInBits() ==
14911       OpVT.getVectorElementType().getSizeInBits()) {
14912     return DAG.getNode(ISD::BITCAST, N->getDebugLoc(), VT, Op);
14913   }
14914   return SDValue();
14915 }
14916
14917 static SDValue PerformSExtCombine(SDNode *N, SelectionDAG &DAG,
14918                                   TargetLowering::DAGCombinerInfo &DCI,
14919                                   const X86Subtarget *Subtarget) {
14920   if (!DCI.isBeforeLegalizeOps())
14921     return SDValue();
14922
14923   if (!Subtarget->hasAVX())
14924     return SDValue();
14925
14926   EVT VT = N->getValueType(0);
14927   SDValue Op = N->getOperand(0);
14928   EVT OpVT = Op.getValueType();
14929   DebugLoc dl = N->getDebugLoc();
14930
14931   if ((VT == MVT::v4i64 && OpVT == MVT::v4i32) ||
14932       (VT == MVT::v8i32 && OpVT == MVT::v8i16)) {
14933
14934     if (Subtarget->hasAVX2())
14935       return DAG.getNode(X86ISD::VSEXT_MOVL, dl, VT, Op);
14936
14937     // Optimize vectors in AVX mode
14938     // Sign extend  v8i16 to v8i32 and
14939     //              v4i32 to v4i64
14940     //
14941     // Divide input vector into two parts
14942     // for v4i32 the shuffle mask will be { 0, 1, -1, -1} {2, 3, -1, -1}
14943     // use vpmovsx instruction to extend v4i32 -> v2i64; v8i16 -> v4i32
14944     // concat the vectors to original VT
14945
14946     unsigned NumElems = OpVT.getVectorNumElements();
14947     SmallVector<int,8> ShufMask1(NumElems, -1);
14948     for (unsigned i = 0; i != NumElems/2; ++i)
14949       ShufMask1[i] = i;
14950
14951     SDValue OpLo = DAG.getVectorShuffle(OpVT, dl, Op, DAG.getUNDEF(OpVT),
14952                                         &ShufMask1[0]);
14953
14954     SmallVector<int,8> ShufMask2(NumElems, -1);
14955     for (unsigned i = 0; i != NumElems/2; ++i)
14956       ShufMask2[i] = i + NumElems/2;
14957
14958     SDValue OpHi = DAG.getVectorShuffle(OpVT, dl, Op, DAG.getUNDEF(OpVT),
14959                                         &ShufMask2[0]);
14960
14961     EVT HalfVT = EVT::getVectorVT(*DAG.getContext(), VT.getScalarType(),
14962                                   VT.getVectorNumElements()/2);
14963
14964     OpLo = DAG.getNode(X86ISD::VSEXT_MOVL, dl, HalfVT, OpLo);
14965     OpHi = DAG.getNode(X86ISD::VSEXT_MOVL, dl, HalfVT, OpHi);
14966
14967     return DAG.getNode(ISD::CONCAT_VECTORS, dl, VT, OpLo, OpHi);
14968   }
14969   return SDValue();
14970 }
14971
14972 static SDValue PerformZExtCombine(SDNode *N, SelectionDAG &DAG,
14973                                   TargetLowering::DAGCombinerInfo &DCI,
14974                                   const X86Subtarget *Subtarget) {
14975   // (i32 zext (and (i8  x86isd::setcc_carry), 1)) ->
14976   //           (and (i32 x86isd::setcc_carry), 1)
14977   // This eliminates the zext. This transformation is necessary because
14978   // ISD::SETCC is always legalized to i8.
14979   DebugLoc dl = N->getDebugLoc();
14980   SDValue N0 = N->getOperand(0);
14981   EVT VT = N->getValueType(0);
14982   EVT OpVT = N0.getValueType();
14983
14984   if (N0.getOpcode() == ISD::AND &&
14985       N0.hasOneUse() &&
14986       N0.getOperand(0).hasOneUse()) {
14987     SDValue N00 = N0.getOperand(0);
14988     if (N00.getOpcode() != X86ISD::SETCC_CARRY)
14989       return SDValue();
14990     ConstantSDNode *C = dyn_cast<ConstantSDNode>(N0.getOperand(1));
14991     if (!C || C->getZExtValue() != 1)
14992       return SDValue();
14993     return DAG.getNode(ISD::AND, dl, VT,
14994                        DAG.getNode(X86ISD::SETCC_CARRY, dl, VT,
14995                                    N00.getOperand(0), N00.getOperand(1)),
14996                        DAG.getConstant(1, VT));
14997   }
14998
14999   // Optimize vectors in AVX mode:
15000   //
15001   //   v8i16 -> v8i32
15002   //   Use vpunpcklwd for 4 lower elements  v8i16 -> v4i32.
15003   //   Use vpunpckhwd for 4 upper elements  v8i16 -> v4i32.
15004   //   Concat upper and lower parts.
15005   //
15006   //   v4i32 -> v4i64
15007   //   Use vpunpckldq for 4 lower elements  v4i32 -> v2i64.
15008   //   Use vpunpckhdq for 4 upper elements  v4i32 -> v2i64.
15009   //   Concat upper and lower parts.
15010   //
15011   if (!DCI.isBeforeLegalizeOps())
15012     return SDValue();
15013
15014   if (!Subtarget->hasAVX())
15015     return SDValue();
15016
15017   if (((VT == MVT::v8i32) && (OpVT == MVT::v8i16)) ||
15018       ((VT == MVT::v4i64) && (OpVT == MVT::v4i32)))  {
15019
15020     if (Subtarget->hasAVX2())
15021       return DAG.getNode(X86ISD::VZEXT_MOVL, dl, VT, N0);
15022
15023     SDValue ZeroVec = getZeroVector(OpVT, Subtarget, DAG, dl);
15024     SDValue OpLo = getUnpackl(DAG, dl, OpVT, N0, ZeroVec);
15025     SDValue OpHi = getUnpackh(DAG, dl, OpVT, N0, ZeroVec);
15026
15027     EVT HVT = EVT::getVectorVT(*DAG.getContext(), VT.getVectorElementType(),
15028                                VT.getVectorNumElements()/2);
15029
15030     OpLo = DAG.getNode(ISD::BITCAST, dl, HVT, OpLo);
15031     OpHi = DAG.getNode(ISD::BITCAST, dl, HVT, OpHi);
15032
15033     return DAG.getNode(ISD::CONCAT_VECTORS, dl, VT, OpLo, OpHi);
15034   }
15035
15036   return SDValue();
15037 }
15038
15039 // Optimize x == -y --> x+y == 0
15040 //          x != -y --> x+y != 0
15041 static SDValue PerformISDSETCCCombine(SDNode *N, SelectionDAG &DAG) {
15042   ISD::CondCode CC = cast<CondCodeSDNode>(N->getOperand(2))->get();
15043   SDValue LHS = N->getOperand(0);
15044   SDValue RHS = N->getOperand(1); 
15045
15046   if ((CC == ISD::SETNE || CC == ISD::SETEQ) && LHS.getOpcode() == ISD::SUB)
15047     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(LHS.getOperand(0)))
15048       if (C->getAPIntValue() == 0 && LHS.hasOneUse()) {
15049         SDValue addV = DAG.getNode(ISD::ADD, N->getDebugLoc(),
15050                                    LHS.getValueType(), RHS, LHS.getOperand(1));
15051         return DAG.getSetCC(N->getDebugLoc(), N->getValueType(0),
15052                             addV, DAG.getConstant(0, addV.getValueType()), CC);
15053       }
15054   if ((CC == ISD::SETNE || CC == ISD::SETEQ) && RHS.getOpcode() == ISD::SUB)
15055     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(RHS.getOperand(0)))
15056       if (C->getAPIntValue() == 0 && RHS.hasOneUse()) {
15057         SDValue addV = DAG.getNode(ISD::ADD, N->getDebugLoc(),
15058                                    RHS.getValueType(), LHS, RHS.getOperand(1));
15059         return DAG.getSetCC(N->getDebugLoc(), N->getValueType(0),
15060                             addV, DAG.getConstant(0, addV.getValueType()), CC);
15061       }
15062   return SDValue();
15063 }
15064
15065 // Optimize  RES = X86ISD::SETCC CONDCODE, EFLAG_INPUT
15066 static SDValue PerformSETCCCombine(SDNode *N, SelectionDAG &DAG) {
15067   unsigned X86CC = N->getConstantOperandVal(0);
15068   SDValue EFLAG = N->getOperand(1);
15069   DebugLoc DL = N->getDebugLoc();
15070
15071   // Materialize "setb reg" as "sbb reg,reg", since it can be extended without
15072   // a zext and produces an all-ones bit which is more useful than 0/1 in some
15073   // cases.
15074   if (X86CC == X86::COND_B)
15075     return DAG.getNode(ISD::AND, DL, MVT::i8,
15076                        DAG.getNode(X86ISD::SETCC_CARRY, DL, MVT::i8,
15077                                    DAG.getConstant(X86CC, MVT::i8), EFLAG),
15078                        DAG.getConstant(1, MVT::i8));
15079
15080   return SDValue();
15081 }
15082
15083 static SDValue PerformUINT_TO_FPCombine(SDNode *N, SelectionDAG &DAG) {
15084   SDValue Op0 = N->getOperand(0);
15085   EVT InVT = Op0->getValueType(0);
15086
15087   // UINT_TO_FP(v4i8) -> SINT_TO_FP(ZEXT(v4i8 to v4i32))
15088   if (InVT == MVT::v8i8 || InVT == MVT::v4i8) {
15089     DebugLoc dl = N->getDebugLoc();
15090     MVT DstVT = InVT == MVT::v4i8 ? MVT::v4i32 : MVT::v8i32;
15091     SDValue P = DAG.getNode(ISD::ZERO_EXTEND, dl, DstVT, Op0);
15092     // Notice that we use SINT_TO_FP because we know that the high bits
15093     // are zero and SINT_TO_FP is better supported by the hardware.
15094     return DAG.getNode(ISD::SINT_TO_FP, dl, N->getValueType(0), P);
15095   }
15096
15097   return SDValue();
15098 }
15099
15100 static SDValue PerformSINT_TO_FPCombine(SDNode *N, SelectionDAG &DAG,
15101                                         const X86TargetLowering *XTLI) {
15102   SDValue Op0 = N->getOperand(0);
15103   EVT InVT = Op0->getValueType(0);
15104
15105   // SINT_TO_FP(v4i8) -> SINT_TO_FP(SEXT(v4i8 to v4i32))
15106   if (InVT == MVT::v8i8 || InVT == MVT::v4i8) {
15107     DebugLoc dl = N->getDebugLoc();
15108     MVT DstVT = InVT == MVT::v4i8 ? MVT::v4i32 : MVT::v8i32;
15109     SDValue P = DAG.getNode(ISD::SIGN_EXTEND, dl, DstVT, Op0);
15110     return DAG.getNode(ISD::SINT_TO_FP, dl, N->getValueType(0), P);
15111   }
15112
15113   // Transform (SINT_TO_FP (i64 ...)) into an x87 operation if we have
15114   // a 32-bit target where SSE doesn't support i64->FP operations.
15115   if (Op0.getOpcode() == ISD::LOAD) {
15116     LoadSDNode *Ld = cast<LoadSDNode>(Op0.getNode());
15117     EVT VT = Ld->getValueType(0);
15118     if (!Ld->isVolatile() && !N->getValueType(0).isVector() &&
15119         ISD::isNON_EXTLoad(Op0.getNode()) && Op0.hasOneUse() &&
15120         !XTLI->getSubtarget()->is64Bit() &&
15121         !DAG.getTargetLoweringInfo().isTypeLegal(VT)) {
15122       SDValue FILDChain = XTLI->BuildFILD(SDValue(N, 0), Ld->getValueType(0),
15123                                           Ld->getChain(), Op0, DAG);
15124       DAG.ReplaceAllUsesOfValueWith(Op0.getValue(1), FILDChain.getValue(1));
15125       return FILDChain;
15126     }
15127   }
15128   return SDValue();
15129 }
15130
15131 static SDValue PerformFP_TO_SINTCombine(SDNode *N, SelectionDAG &DAG) {
15132   EVT VT = N->getValueType(0);
15133
15134   // v4i8 = FP_TO_SINT() -> v4i8 = TRUNCATE (V4i32 = FP_TO_SINT()
15135   if (VT == MVT::v8i8 || VT == MVT::v4i8) {
15136     DebugLoc dl = N->getDebugLoc();
15137     MVT DstVT = VT == MVT::v4i8 ? MVT::v4i32 : MVT::v8i32;
15138     SDValue I = DAG.getNode(ISD::FP_TO_SINT, dl, DstVT, N->getOperand(0));
15139     return DAG.getNode(ISD::TRUNCATE, dl, VT, I);
15140   }
15141
15142   return SDValue();
15143 }
15144
15145 // Optimize RES, EFLAGS = X86ISD::ADC LHS, RHS, EFLAGS
15146 static SDValue PerformADCCombine(SDNode *N, SelectionDAG &DAG,
15147                                  X86TargetLowering::DAGCombinerInfo &DCI) {
15148   // If the LHS and RHS of the ADC node are zero, then it can't overflow and
15149   // the result is either zero or one (depending on the input carry bit).
15150   // Strength reduce this down to a "set on carry" aka SETCC_CARRY&1.
15151   if (X86::isZeroNode(N->getOperand(0)) &&
15152       X86::isZeroNode(N->getOperand(1)) &&
15153       // We don't have a good way to replace an EFLAGS use, so only do this when
15154       // dead right now.
15155       SDValue(N, 1).use_empty()) {
15156     DebugLoc DL = N->getDebugLoc();
15157     EVT VT = N->getValueType(0);
15158     SDValue CarryOut = DAG.getConstant(0, N->getValueType(1));
15159     SDValue Res1 = DAG.getNode(ISD::AND, DL, VT,
15160                                DAG.getNode(X86ISD::SETCC_CARRY, DL, VT,
15161                                            DAG.getConstant(X86::COND_B,MVT::i8),
15162                                            N->getOperand(2)),
15163                                DAG.getConstant(1, VT));
15164     return DCI.CombineTo(N, Res1, CarryOut);
15165   }
15166
15167   return SDValue();
15168 }
15169
15170 // fold (add Y, (sete  X, 0)) -> adc  0, Y
15171 //      (add Y, (setne X, 0)) -> sbb -1, Y
15172 //      (sub (sete  X, 0), Y) -> sbb  0, Y
15173 //      (sub (setne X, 0), Y) -> adc -1, Y
15174 static SDValue OptimizeConditionalInDecrement(SDNode *N, SelectionDAG &DAG) {
15175   DebugLoc DL = N->getDebugLoc();
15176
15177   // Look through ZExts.
15178   SDValue Ext = N->getOperand(N->getOpcode() == ISD::SUB ? 1 : 0);
15179   if (Ext.getOpcode() != ISD::ZERO_EXTEND || !Ext.hasOneUse())
15180     return SDValue();
15181
15182   SDValue SetCC = Ext.getOperand(0);
15183   if (SetCC.getOpcode() != X86ISD::SETCC || !SetCC.hasOneUse())
15184     return SDValue();
15185
15186   X86::CondCode CC = (X86::CondCode)SetCC.getConstantOperandVal(0);
15187   if (CC != X86::COND_E && CC != X86::COND_NE)
15188     return SDValue();
15189
15190   SDValue Cmp = SetCC.getOperand(1);
15191   if (Cmp.getOpcode() != X86ISD::CMP || !Cmp.hasOneUse() ||
15192       !X86::isZeroNode(Cmp.getOperand(1)) ||
15193       !Cmp.getOperand(0).getValueType().isInteger())
15194     return SDValue();
15195
15196   SDValue CmpOp0 = Cmp.getOperand(0);
15197   SDValue NewCmp = DAG.getNode(X86ISD::CMP, DL, MVT::i32, CmpOp0,
15198                                DAG.getConstant(1, CmpOp0.getValueType()));
15199
15200   SDValue OtherVal = N->getOperand(N->getOpcode() == ISD::SUB ? 0 : 1);
15201   if (CC == X86::COND_NE)
15202     return DAG.getNode(N->getOpcode() == ISD::SUB ? X86ISD::ADC : X86ISD::SBB,
15203                        DL, OtherVal.getValueType(), OtherVal,
15204                        DAG.getConstant(-1ULL, OtherVal.getValueType()), NewCmp);
15205   return DAG.getNode(N->getOpcode() == ISD::SUB ? X86ISD::SBB : X86ISD::ADC,
15206                      DL, OtherVal.getValueType(), OtherVal,
15207                      DAG.getConstant(0, OtherVal.getValueType()), NewCmp);
15208 }
15209
15210 /// PerformADDCombine - Do target-specific dag combines on integer adds.
15211 static SDValue PerformAddCombine(SDNode *N, SelectionDAG &DAG,
15212                                  const X86Subtarget *Subtarget) {
15213   EVT VT = N->getValueType(0);
15214   SDValue Op0 = N->getOperand(0);
15215   SDValue Op1 = N->getOperand(1);
15216
15217   // Try to synthesize horizontal adds from adds of shuffles.
15218   if (((Subtarget->hasSSSE3() && (VT == MVT::v8i16 || VT == MVT::v4i32)) ||
15219        (Subtarget->hasAVX2() && (VT == MVT::v16i16 || VT == MVT::v8i32))) &&
15220       isHorizontalBinOp(Op0, Op1, true))
15221     return DAG.getNode(X86ISD::HADD, N->getDebugLoc(), VT, Op0, Op1);
15222
15223   return OptimizeConditionalInDecrement(N, DAG);
15224 }
15225
15226 static SDValue PerformSubCombine(SDNode *N, SelectionDAG &DAG,
15227                                  const X86Subtarget *Subtarget) {
15228   SDValue Op0 = N->getOperand(0);
15229   SDValue Op1 = N->getOperand(1);
15230
15231   // X86 can't encode an immediate LHS of a sub. See if we can push the
15232   // negation into a preceding instruction.
15233   if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op0)) {
15234     // If the RHS of the sub is a XOR with one use and a constant, invert the
15235     // immediate. Then add one to the LHS of the sub so we can turn
15236     // X-Y -> X+~Y+1, saving one register.
15237     if (Op1->hasOneUse() && Op1.getOpcode() == ISD::XOR &&
15238         isa<ConstantSDNode>(Op1.getOperand(1))) {
15239       APInt XorC = cast<ConstantSDNode>(Op1.getOperand(1))->getAPIntValue();
15240       EVT VT = Op0.getValueType();
15241       SDValue NewXor = DAG.getNode(ISD::XOR, Op1.getDebugLoc(), VT,
15242                                    Op1.getOperand(0),
15243                                    DAG.getConstant(~XorC, VT));
15244       return DAG.getNode(ISD::ADD, N->getDebugLoc(), VT, NewXor,
15245                          DAG.getConstant(C->getAPIntValue()+1, VT));
15246     }
15247   }
15248
15249   // Try to synthesize horizontal adds from adds of shuffles.
15250   EVT VT = N->getValueType(0);
15251   if (((Subtarget->hasSSSE3() && (VT == MVT::v8i16 || VT == MVT::v4i32)) ||
15252        (Subtarget->hasAVX2() && (VT == MVT::v16i16 || VT == MVT::v8i32))) &&
15253       isHorizontalBinOp(Op0, Op1, true))
15254     return DAG.getNode(X86ISD::HSUB, N->getDebugLoc(), VT, Op0, Op1);
15255
15256   return OptimizeConditionalInDecrement(N, DAG);
15257 }
15258
15259 SDValue X86TargetLowering::PerformDAGCombine(SDNode *N,
15260                                              DAGCombinerInfo &DCI) const {
15261   SelectionDAG &DAG = DCI.DAG;
15262   switch (N->getOpcode()) {
15263   default: break;
15264   case ISD::EXTRACT_VECTOR_ELT:
15265     return PerformEXTRACT_VECTOR_ELTCombine(N, DAG, DCI);
15266   case ISD::VSELECT:
15267   case ISD::SELECT:         return PerformSELECTCombine(N, DAG, DCI, Subtarget);
15268   case X86ISD::CMOV:        return PerformCMOVCombine(N, DAG, DCI);
15269   case ISD::ADD:            return PerformAddCombine(N, DAG, Subtarget);
15270   case ISD::SUB:            return PerformSubCombine(N, DAG, Subtarget);
15271   case X86ISD::ADC:         return PerformADCCombine(N, DAG, DCI);
15272   case ISD::MUL:            return PerformMulCombine(N, DAG, DCI);
15273   case ISD::SHL:
15274   case ISD::SRA:
15275   case ISD::SRL:            return PerformShiftCombine(N, DAG, DCI, Subtarget);
15276   case ISD::AND:            return PerformAndCombine(N, DAG, DCI, Subtarget);
15277   case ISD::OR:             return PerformOrCombine(N, DAG, DCI, Subtarget);
15278   case ISD::XOR:            return PerformXorCombine(N, DAG, DCI, Subtarget);
15279   case ISD::LOAD:           return PerformLOADCombine(N, DAG, Subtarget);
15280   case ISD::STORE:          return PerformSTORECombine(N, DAG, Subtarget);
15281   case ISD::UINT_TO_FP:     return PerformUINT_TO_FPCombine(N, DAG);
15282   case ISD::SINT_TO_FP:     return PerformSINT_TO_FPCombine(N, DAG, this);
15283   case ISD::FP_TO_SINT:     return PerformFP_TO_SINTCombine(N, DAG);
15284   case ISD::FADD:           return PerformFADDCombine(N, DAG, Subtarget);
15285   case ISD::FSUB:           return PerformFSUBCombine(N, DAG, Subtarget);
15286   case X86ISD::FXOR:
15287   case X86ISD::FOR:         return PerformFORCombine(N, DAG);
15288   case X86ISD::FAND:        return PerformFANDCombine(N, DAG);
15289   case X86ISD::BT:          return PerformBTCombine(N, DAG, DCI);
15290   case X86ISD::VZEXT_MOVL:  return PerformVZEXT_MOVLCombine(N, DAG);
15291   case ISD::ANY_EXTEND:
15292   case ISD::ZERO_EXTEND:    return PerformZExtCombine(N, DAG, DCI, Subtarget);
15293   case ISD::SIGN_EXTEND:    return PerformSExtCombine(N, DAG, DCI, Subtarget);
15294   case ISD::TRUNCATE:       return PerformTruncateCombine(N, DAG, DCI);
15295   case ISD::SETCC:          return PerformISDSETCCCombine(N, DAG);
15296   case X86ISD::SETCC:       return PerformSETCCCombine(N, DAG);
15297   case X86ISD::SHUFP:       // Handle all target specific shuffles
15298   case X86ISD::PALIGN:
15299   case X86ISD::UNPCKH:
15300   case X86ISD::UNPCKL:
15301   case X86ISD::MOVHLPS:
15302   case X86ISD::MOVLHPS:
15303   case X86ISD::PSHUFD:
15304   case X86ISD::PSHUFHW:
15305   case X86ISD::PSHUFLW:
15306   case X86ISD::MOVSS:
15307   case X86ISD::MOVSD:
15308   case X86ISD::VPERMILP:
15309   case X86ISD::VPERM2X128:
15310   case ISD::VECTOR_SHUFFLE: return PerformShuffleCombine(N, DAG, DCI,Subtarget);
15311   }
15312
15313   return SDValue();
15314 }
15315
15316 /// isTypeDesirableForOp - Return true if the target has native support for
15317 /// the specified value type and it is 'desirable' to use the type for the
15318 /// given node type. e.g. On x86 i16 is legal, but undesirable since i16
15319 /// instruction encodings are longer and some i16 instructions are slow.
15320 bool X86TargetLowering::isTypeDesirableForOp(unsigned Opc, EVT VT) const {
15321   if (!isTypeLegal(VT))
15322     return false;
15323   if (VT != MVT::i16)
15324     return true;
15325
15326   switch (Opc) {
15327   default:
15328     return true;
15329   case ISD::LOAD:
15330   case ISD::SIGN_EXTEND:
15331   case ISD::ZERO_EXTEND:
15332   case ISD::ANY_EXTEND:
15333   case ISD::SHL:
15334   case ISD::SRL:
15335   case ISD::SUB:
15336   case ISD::ADD:
15337   case ISD::MUL:
15338   case ISD::AND:
15339   case ISD::OR:
15340   case ISD::XOR:
15341     return false;
15342   }
15343 }
15344
15345 /// IsDesirableToPromoteOp - This method query the target whether it is
15346 /// beneficial for dag combiner to promote the specified node. If true, it
15347 /// should return the desired promotion type by reference.
15348 bool X86TargetLowering::IsDesirableToPromoteOp(SDValue Op, EVT &PVT) const {
15349   EVT VT = Op.getValueType();
15350   if (VT != MVT::i16)
15351     return false;
15352
15353   bool Promote = false;
15354   bool Commute = false;
15355   switch (Op.getOpcode()) {
15356   default: break;
15357   case ISD::LOAD: {
15358     LoadSDNode *LD = cast<LoadSDNode>(Op);
15359     // If the non-extending load has a single use and it's not live out, then it
15360     // might be folded.
15361     if (LD->getExtensionType() == ISD::NON_EXTLOAD /*&&
15362                                                      Op.hasOneUse()*/) {
15363       for (SDNode::use_iterator UI = Op.getNode()->use_begin(),
15364              UE = Op.getNode()->use_end(); UI != UE; ++UI) {
15365         // The only case where we'd want to promote LOAD (rather then it being
15366         // promoted as an operand is when it's only use is liveout.
15367         if (UI->getOpcode() != ISD::CopyToReg)
15368           return false;
15369       }
15370     }
15371     Promote = true;
15372     break;
15373   }
15374   case ISD::SIGN_EXTEND:
15375   case ISD::ZERO_EXTEND:
15376   case ISD::ANY_EXTEND:
15377     Promote = true;
15378     break;
15379   case ISD::SHL:
15380   case ISD::SRL: {
15381     SDValue N0 = Op.getOperand(0);
15382     // Look out for (store (shl (load), x)).
15383     if (MayFoldLoad(N0) && MayFoldIntoStore(Op))
15384       return false;
15385     Promote = true;
15386     break;
15387   }
15388   case ISD::ADD:
15389   case ISD::MUL:
15390   case ISD::AND:
15391   case ISD::OR:
15392   case ISD::XOR:
15393     Commute = true;
15394     // fallthrough
15395   case ISD::SUB: {
15396     SDValue N0 = Op.getOperand(0);
15397     SDValue N1 = Op.getOperand(1);
15398     if (!Commute && MayFoldLoad(N1))
15399       return false;
15400     // Avoid disabling potential load folding opportunities.
15401     if (MayFoldLoad(N0) && (!isa<ConstantSDNode>(N1) || MayFoldIntoStore(Op)))
15402       return false;
15403     if (MayFoldLoad(N1) && (!isa<ConstantSDNode>(N0) || MayFoldIntoStore(Op)))
15404       return false;
15405     Promote = true;
15406   }
15407   }
15408
15409   PVT = MVT::i32;
15410   return Promote;
15411 }
15412
15413 //===----------------------------------------------------------------------===//
15414 //                           X86 Inline Assembly Support
15415 //===----------------------------------------------------------------------===//
15416
15417 namespace {
15418   // Helper to match a string separated by whitespace.
15419   bool matchAsmImpl(StringRef s, ArrayRef<const StringRef *> args) {
15420     s = s.substr(s.find_first_not_of(" \t")); // Skip leading whitespace.
15421
15422     for (unsigned i = 0, e = args.size(); i != e; ++i) {
15423       StringRef piece(*args[i]);
15424       if (!s.startswith(piece)) // Check if the piece matches.
15425         return false;
15426
15427       s = s.substr(piece.size());
15428       StringRef::size_type pos = s.find_first_not_of(" \t");
15429       if (pos == 0) // We matched a prefix.
15430         return false;
15431
15432       s = s.substr(pos);
15433     }
15434
15435     return s.empty();
15436   }
15437   const VariadicFunction1<bool, StringRef, StringRef, matchAsmImpl> matchAsm={};
15438 }
15439
15440 bool X86TargetLowering::ExpandInlineAsm(CallInst *CI) const {
15441   InlineAsm *IA = cast<InlineAsm>(CI->getCalledValue());
15442
15443   std::string AsmStr = IA->getAsmString();
15444
15445   IntegerType *Ty = dyn_cast<IntegerType>(CI->getType());
15446   if (!Ty || Ty->getBitWidth() % 16 != 0)
15447     return false;
15448
15449   // TODO: should remove alternatives from the asmstring: "foo {a|b}" -> "foo a"
15450   SmallVector<StringRef, 4> AsmPieces;
15451   SplitString(AsmStr, AsmPieces, ";\n");
15452
15453   switch (AsmPieces.size()) {
15454   default: return false;
15455   case 1:
15456     // FIXME: this should verify that we are targeting a 486 or better.  If not,
15457     // we will turn this bswap into something that will be lowered to logical
15458     // ops instead of emitting the bswap asm.  For now, we don't support 486 or
15459     // lower so don't worry about this.
15460     // bswap $0
15461     if (matchAsm(AsmPieces[0], "bswap", "$0") ||
15462         matchAsm(AsmPieces[0], "bswapl", "$0") ||
15463         matchAsm(AsmPieces[0], "bswapq", "$0") ||
15464         matchAsm(AsmPieces[0], "bswap", "${0:q}") ||
15465         matchAsm(AsmPieces[0], "bswapl", "${0:q}") ||
15466         matchAsm(AsmPieces[0], "bswapq", "${0:q}")) {
15467       // No need to check constraints, nothing other than the equivalent of
15468       // "=r,0" would be valid here.
15469       return IntrinsicLowering::LowerToByteSwap(CI);
15470     }
15471
15472     // rorw $$8, ${0:w}  -->  llvm.bswap.i16
15473     if (CI->getType()->isIntegerTy(16) &&
15474         IA->getConstraintString().compare(0, 5, "=r,0,") == 0 &&
15475         (matchAsm(AsmPieces[0], "rorw", "$$8,", "${0:w}") ||
15476          matchAsm(AsmPieces[0], "rolw", "$$8,", "${0:w}"))) {
15477       AsmPieces.clear();
15478       const std::string &ConstraintsStr = IA->getConstraintString();
15479       SplitString(StringRef(ConstraintsStr).substr(5), AsmPieces, ",");
15480       std::sort(AsmPieces.begin(), AsmPieces.end());
15481       if (AsmPieces.size() == 4 &&
15482           AsmPieces[0] == "~{cc}" &&
15483           AsmPieces[1] == "~{dirflag}" &&
15484           AsmPieces[2] == "~{flags}" &&
15485           AsmPieces[3] == "~{fpsr}")
15486       return IntrinsicLowering::LowerToByteSwap(CI);
15487     }
15488     break;
15489   case 3:
15490     if (CI->getType()->isIntegerTy(32) &&
15491         IA->getConstraintString().compare(0, 5, "=r,0,") == 0 &&
15492         matchAsm(AsmPieces[0], "rorw", "$$8,", "${0:w}") &&
15493         matchAsm(AsmPieces[1], "rorl", "$$16,", "$0") &&
15494         matchAsm(AsmPieces[2], "rorw", "$$8,", "${0:w}")) {
15495       AsmPieces.clear();
15496       const std::string &ConstraintsStr = IA->getConstraintString();
15497       SplitString(StringRef(ConstraintsStr).substr(5), AsmPieces, ",");
15498       std::sort(AsmPieces.begin(), AsmPieces.end());
15499       if (AsmPieces.size() == 4 &&
15500           AsmPieces[0] == "~{cc}" &&
15501           AsmPieces[1] == "~{dirflag}" &&
15502           AsmPieces[2] == "~{flags}" &&
15503           AsmPieces[3] == "~{fpsr}")
15504         return IntrinsicLowering::LowerToByteSwap(CI);
15505     }
15506
15507     if (CI->getType()->isIntegerTy(64)) {
15508       InlineAsm::ConstraintInfoVector Constraints = IA->ParseConstraints();
15509       if (Constraints.size() >= 2 &&
15510           Constraints[0].Codes.size() == 1 && Constraints[0].Codes[0] == "A" &&
15511           Constraints[1].Codes.size() == 1 && Constraints[1].Codes[0] == "0") {
15512         // bswap %eax / bswap %edx / xchgl %eax, %edx  -> llvm.bswap.i64
15513         if (matchAsm(AsmPieces[0], "bswap", "%eax") &&
15514             matchAsm(AsmPieces[1], "bswap", "%edx") &&
15515             matchAsm(AsmPieces[2], "xchgl", "%eax,", "%edx"))
15516           return IntrinsicLowering::LowerToByteSwap(CI);
15517       }
15518     }
15519     break;
15520   }
15521   return false;
15522 }
15523
15524
15525
15526 /// getConstraintType - Given a constraint letter, return the type of
15527 /// constraint it is for this target.
15528 X86TargetLowering::ConstraintType
15529 X86TargetLowering::getConstraintType(const std::string &Constraint) const {
15530   if (Constraint.size() == 1) {
15531     switch (Constraint[0]) {
15532     case 'R':
15533     case 'q':
15534     case 'Q':
15535     case 'f':
15536     case 't':
15537     case 'u':
15538     case 'y':
15539     case 'x':
15540     case 'Y':
15541     case 'l':
15542       return C_RegisterClass;
15543     case 'a':
15544     case 'b':
15545     case 'c':
15546     case 'd':
15547     case 'S':
15548     case 'D':
15549     case 'A':
15550       return C_Register;
15551     case 'I':
15552     case 'J':
15553     case 'K':
15554     case 'L':
15555     case 'M':
15556     case 'N':
15557     case 'G':
15558     case 'C':
15559     case 'e':
15560     case 'Z':
15561       return C_Other;
15562     default:
15563       break;
15564     }
15565   }
15566   return TargetLowering::getConstraintType(Constraint);
15567 }
15568
15569 /// Examine constraint type and operand type and determine a weight value.
15570 /// This object must already have been set up with the operand type
15571 /// and the current alternative constraint selected.
15572 TargetLowering::ConstraintWeight
15573   X86TargetLowering::getSingleConstraintMatchWeight(
15574     AsmOperandInfo &info, const char *constraint) const {
15575   ConstraintWeight weight = CW_Invalid;
15576   Value *CallOperandVal = info.CallOperandVal;
15577     // If we don't have a value, we can't do a match,
15578     // but allow it at the lowest weight.
15579   if (CallOperandVal == NULL)
15580     return CW_Default;
15581   Type *type = CallOperandVal->getType();
15582   // Look at the constraint type.
15583   switch (*constraint) {
15584   default:
15585     weight = TargetLowering::getSingleConstraintMatchWeight(info, constraint);
15586   case 'R':
15587   case 'q':
15588   case 'Q':
15589   case 'a':
15590   case 'b':
15591   case 'c':
15592   case 'd':
15593   case 'S':
15594   case 'D':
15595   case 'A':
15596     if (CallOperandVal->getType()->isIntegerTy())
15597       weight = CW_SpecificReg;
15598     break;
15599   case 'f':
15600   case 't':
15601   case 'u':
15602       if (type->isFloatingPointTy())
15603         weight = CW_SpecificReg;
15604       break;
15605   case 'y':
15606       if (type->isX86_MMXTy() && Subtarget->hasMMX())
15607         weight = CW_SpecificReg;
15608       break;
15609   case 'x':
15610   case 'Y':
15611     if (((type->getPrimitiveSizeInBits() == 128) && Subtarget->hasSSE1()) ||
15612         ((type->getPrimitiveSizeInBits() == 256) && Subtarget->hasAVX()))
15613       weight = CW_Register;
15614     break;
15615   case 'I':
15616     if (ConstantInt *C = dyn_cast<ConstantInt>(info.CallOperandVal)) {
15617       if (C->getZExtValue() <= 31)
15618         weight = CW_Constant;
15619     }
15620     break;
15621   case 'J':
15622     if (ConstantInt *C = dyn_cast<ConstantInt>(CallOperandVal)) {
15623       if (C->getZExtValue() <= 63)
15624         weight = CW_Constant;
15625     }
15626     break;
15627   case 'K':
15628     if (ConstantInt *C = dyn_cast<ConstantInt>(CallOperandVal)) {
15629       if ((C->getSExtValue() >= -0x80) && (C->getSExtValue() <= 0x7f))
15630         weight = CW_Constant;
15631     }
15632     break;
15633   case 'L':
15634     if (ConstantInt *C = dyn_cast<ConstantInt>(CallOperandVal)) {
15635       if ((C->getZExtValue() == 0xff) || (C->getZExtValue() == 0xffff))
15636         weight = CW_Constant;
15637     }
15638     break;
15639   case 'M':
15640     if (ConstantInt *C = dyn_cast<ConstantInt>(CallOperandVal)) {
15641       if (C->getZExtValue() <= 3)
15642         weight = CW_Constant;
15643     }
15644     break;
15645   case 'N':
15646     if (ConstantInt *C = dyn_cast<ConstantInt>(CallOperandVal)) {
15647       if (C->getZExtValue() <= 0xff)
15648         weight = CW_Constant;
15649     }
15650     break;
15651   case 'G':
15652   case 'C':
15653     if (dyn_cast<ConstantFP>(CallOperandVal)) {
15654       weight = CW_Constant;
15655     }
15656     break;
15657   case 'e':
15658     if (ConstantInt *C = dyn_cast<ConstantInt>(CallOperandVal)) {
15659       if ((C->getSExtValue() >= -0x80000000LL) &&
15660           (C->getSExtValue() <= 0x7fffffffLL))
15661         weight = CW_Constant;
15662     }
15663     break;
15664   case 'Z':
15665     if (ConstantInt *C = dyn_cast<ConstantInt>(CallOperandVal)) {
15666       if (C->getZExtValue() <= 0xffffffff)
15667         weight = CW_Constant;
15668     }
15669     break;
15670   }
15671   return weight;
15672 }
15673
15674 /// LowerXConstraint - try to replace an X constraint, which matches anything,
15675 /// with another that has more specific requirements based on the type of the
15676 /// corresponding operand.
15677 const char *X86TargetLowering::
15678 LowerXConstraint(EVT ConstraintVT) const {
15679   // FP X constraints get lowered to SSE1/2 registers if available, otherwise
15680   // 'f' like normal targets.
15681   if (ConstraintVT.isFloatingPoint()) {
15682     if (Subtarget->hasSSE2())
15683       return "Y";
15684     if (Subtarget->hasSSE1())
15685       return "x";
15686   }
15687
15688   return TargetLowering::LowerXConstraint(ConstraintVT);
15689 }
15690
15691 /// LowerAsmOperandForConstraint - Lower the specified operand into the Ops
15692 /// vector.  If it is invalid, don't add anything to Ops.
15693 void X86TargetLowering::LowerAsmOperandForConstraint(SDValue Op,
15694                                                      std::string &Constraint,
15695                                                      std::vector<SDValue>&Ops,
15696                                                      SelectionDAG &DAG) const {
15697   SDValue Result(0, 0);
15698
15699   // Only support length 1 constraints for now.
15700   if (Constraint.length() > 1) return;
15701
15702   char ConstraintLetter = Constraint[0];
15703   switch (ConstraintLetter) {
15704   default: break;
15705   case 'I':
15706     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op)) {
15707       if (C->getZExtValue() <= 31) {
15708         Result = DAG.getTargetConstant(C->getZExtValue(), Op.getValueType());
15709         break;
15710       }
15711     }
15712     return;
15713   case 'J':
15714     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op)) {
15715       if (C->getZExtValue() <= 63) {
15716         Result = DAG.getTargetConstant(C->getZExtValue(), Op.getValueType());
15717         break;
15718       }
15719     }
15720     return;
15721   case 'K':
15722     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op)) {
15723       if ((int8_t)C->getSExtValue() == C->getSExtValue()) {
15724         Result = DAG.getTargetConstant(C->getZExtValue(), Op.getValueType());
15725         break;
15726       }
15727     }
15728     return;
15729   case 'N':
15730     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op)) {
15731       if (C->getZExtValue() <= 255) {
15732         Result = DAG.getTargetConstant(C->getZExtValue(), Op.getValueType());
15733         break;
15734       }
15735     }
15736     return;
15737   case 'e': {
15738     // 32-bit signed value
15739     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op)) {
15740       if (ConstantInt::isValueValidForType(Type::getInt32Ty(*DAG.getContext()),
15741                                            C->getSExtValue())) {
15742         // Widen to 64 bits here to get it sign extended.
15743         Result = DAG.getTargetConstant(C->getSExtValue(), MVT::i64);
15744         break;
15745       }
15746     // FIXME gcc accepts some relocatable values here too, but only in certain
15747     // memory models; it's complicated.
15748     }
15749     return;
15750   }
15751   case 'Z': {
15752     // 32-bit unsigned value
15753     if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op)) {
15754       if (ConstantInt::isValueValidForType(Type::getInt32Ty(*DAG.getContext()),
15755                                            C->getZExtValue())) {
15756         Result = DAG.getTargetConstant(C->getZExtValue(), Op.getValueType());
15757         break;
15758       }
15759     }
15760     // FIXME gcc accepts some relocatable values here too, but only in certain
15761     // memory models; it's complicated.
15762     return;
15763   }
15764   case 'i': {
15765     // Literal immediates are always ok.
15766     if (ConstantSDNode *CST = dyn_cast<ConstantSDNode>(Op)) {
15767       // Widen to 64 bits here to get it sign extended.
15768       Result = DAG.getTargetConstant(CST->getSExtValue(), MVT::i64);
15769       break;
15770     }
15771
15772     // In any sort of PIC mode addresses need to be computed at runtime by
15773     // adding in a register or some sort of table lookup.  These can't
15774     // be used as immediates.
15775     if (Subtarget->isPICStyleGOT() || Subtarget->isPICStyleStubPIC())
15776       return;
15777
15778     // If we are in non-pic codegen mode, we allow the address of a global (with
15779     // an optional displacement) to be used with 'i'.
15780     GlobalAddressSDNode *GA = 0;
15781     int64_t Offset = 0;
15782
15783     // Match either (GA), (GA+C), (GA+C1+C2), etc.
15784     while (1) {
15785       if ((GA = dyn_cast<GlobalAddressSDNode>(Op))) {
15786         Offset += GA->getOffset();
15787         break;
15788       } else if (Op.getOpcode() == ISD::ADD) {
15789         if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op.getOperand(1))) {
15790           Offset += C->getZExtValue();
15791           Op = Op.getOperand(0);
15792           continue;
15793         }
15794       } else if (Op.getOpcode() == ISD::SUB) {
15795         if (ConstantSDNode *C = dyn_cast<ConstantSDNode>(Op.getOperand(1))) {
15796           Offset += -C->getZExtValue();
15797           Op = Op.getOperand(0);
15798           continue;
15799         }
15800       }
15801
15802       // Otherwise, this isn't something we can handle, reject it.
15803       return;
15804     }
15805
15806     const GlobalValue *GV = GA->getGlobal();
15807     // If we require an extra load to get this address, as in PIC mode, we
15808     // can't accept it.
15809     if (isGlobalStubReference(Subtarget->ClassifyGlobalReference(GV,
15810                                                         getTargetMachine())))
15811       return;
15812
15813     Result = DAG.getTargetGlobalAddress(GV, Op.getDebugLoc(),
15814                                         GA->getValueType(0), Offset);
15815     break;
15816   }
15817   }
15818
15819   if (Result.getNode()) {
15820     Ops.push_back(Result);
15821     return;
15822   }
15823   return TargetLowering::LowerAsmOperandForConstraint(Op, Constraint, Ops, DAG);
15824 }
15825
15826 std::pair<unsigned, const TargetRegisterClass*>
15827 X86TargetLowering::getRegForInlineAsmConstraint(const std::string &Constraint,
15828                                                 EVT VT) const {
15829   // First, see if this is a constraint that directly corresponds to an LLVM
15830   // register class.
15831   if (Constraint.size() == 1) {
15832     // GCC Constraint Letters
15833     switch (Constraint[0]) {
15834     default: break;
15835       // TODO: Slight differences here in allocation order and leaving
15836       // RIP in the class. Do they matter any more here than they do
15837       // in the normal allocation?
15838     case 'q':   // GENERAL_REGS in 64-bit mode, Q_REGS in 32-bit mode.
15839       if (Subtarget->is64Bit()) {
15840         if (VT == MVT::i32 || VT == MVT::f32)
15841           return std::make_pair(0U, &X86::GR32RegClass);
15842         if (VT == MVT::i16)
15843           return std::make_pair(0U, &X86::GR16RegClass);
15844         if (VT == MVT::i8 || VT == MVT::i1)
15845           return std::make_pair(0U, &X86::GR8RegClass);
15846         if (VT == MVT::i64 || VT == MVT::f64)
15847           return std::make_pair(0U, &X86::GR64RegClass);
15848         break;
15849       }
15850       // 32-bit fallthrough
15851     case 'Q':   // Q_REGS
15852       if (VT == MVT::i32 || VT == MVT::f32)
15853         return std::make_pair(0U, &X86::GR32_ABCDRegClass);
15854       if (VT == MVT::i16)
15855         return std::make_pair(0U, &X86::GR16_ABCDRegClass);
15856       if (VT == MVT::i8 || VT == MVT::i1)
15857         return std::make_pair(0U, &X86::GR8_ABCD_LRegClass);
15858       if (VT == MVT::i64)
15859         return std::make_pair(0U, &X86::GR64_ABCDRegClass);
15860       break;
15861     case 'r':   // GENERAL_REGS
15862     case 'l':   // INDEX_REGS
15863       if (VT == MVT::i8 || VT == MVT::i1)
15864         return std::make_pair(0U, &X86::GR8RegClass);
15865       if (VT == MVT::i16)
15866         return std::make_pair(0U, &X86::GR16RegClass);
15867       if (VT == MVT::i32 || VT == MVT::f32 || !Subtarget->is64Bit())
15868         return std::make_pair(0U, &X86::GR32RegClass);
15869       return std::make_pair(0U, &X86::GR64RegClass);
15870     case 'R':   // LEGACY_REGS
15871       if (VT == MVT::i8 || VT == MVT::i1)
15872         return std::make_pair(0U, &X86::GR8_NOREXRegClass);
15873       if (VT == MVT::i16)
15874         return std::make_pair(0U, &X86::GR16_NOREXRegClass);
15875       if (VT == MVT::i32 || !Subtarget->is64Bit())
15876         return std::make_pair(0U, &X86::GR32_NOREXRegClass);
15877       return std::make_pair(0U, &X86::GR64_NOREXRegClass);
15878     case 'f':  // FP Stack registers.
15879       // If SSE is enabled for this VT, use f80 to ensure the isel moves the
15880       // value to the correct fpstack register class.
15881       if (VT == MVT::f32 && !isScalarFPTypeInSSEReg(VT))
15882         return std::make_pair(0U, &X86::RFP32RegClass);
15883       if (VT == MVT::f64 && !isScalarFPTypeInSSEReg(VT))
15884         return std::make_pair(0U, &X86::RFP64RegClass);
15885       return std::make_pair(0U, &X86::RFP80RegClass);
15886     case 'y':   // MMX_REGS if MMX allowed.
15887       if (!Subtarget->hasMMX()) break;
15888       return std::make_pair(0U, &X86::VR64RegClass);
15889     case 'Y':   // SSE_REGS if SSE2 allowed
15890       if (!Subtarget->hasSSE2()) break;
15891       // FALL THROUGH.
15892     case 'x':   // SSE_REGS if SSE1 allowed or AVX_REGS if AVX allowed
15893       if (!Subtarget->hasSSE1()) break;
15894
15895       switch (VT.getSimpleVT().SimpleTy) {
15896       default: break;
15897       // Scalar SSE types.
15898       case MVT::f32:
15899       case MVT::i32:
15900         return std::make_pair(0U, &X86::FR32RegClass);
15901       case MVT::f64:
15902       case MVT::i64:
15903         return std::make_pair(0U, &X86::FR64RegClass);
15904       // Vector types.
15905       case MVT::v16i8:
15906       case MVT::v8i16:
15907       case MVT::v4i32:
15908       case MVT::v2i64:
15909       case MVT::v4f32:
15910       case MVT::v2f64:
15911         return std::make_pair(0U, &X86::VR128RegClass);
15912       // AVX types.
15913       case MVT::v32i8:
15914       case MVT::v16i16:
15915       case MVT::v8i32:
15916       case MVT::v4i64:
15917       case MVT::v8f32:
15918       case MVT::v4f64:
15919         return std::make_pair(0U, &X86::VR256RegClass);
15920       }
15921       break;
15922     }
15923   }
15924
15925   // Use the default implementation in TargetLowering to convert the register
15926   // constraint into a member of a register class.
15927   std::pair<unsigned, const TargetRegisterClass*> Res;
15928   Res = TargetLowering::getRegForInlineAsmConstraint(Constraint, VT);
15929
15930   // Not found as a standard register?
15931   if (Res.second == 0) {
15932     // Map st(0) -> st(7) -> ST0
15933     if (Constraint.size() == 7 && Constraint[0] == '{' &&
15934         tolower(Constraint[1]) == 's' &&
15935         tolower(Constraint[2]) == 't' &&
15936         Constraint[3] == '(' &&
15937         (Constraint[4] >= '0' && Constraint[4] <= '7') &&
15938         Constraint[5] == ')' &&
15939         Constraint[6] == '}') {
15940
15941       Res.first = X86::ST0+Constraint[4]-'0';
15942       Res.second = &X86::RFP80RegClass;
15943       return Res;
15944     }
15945
15946     // GCC allows "st(0)" to be called just plain "st".
15947     if (StringRef("{st}").equals_lower(Constraint)) {
15948       Res.first = X86::ST0;
15949       Res.second = &X86::RFP80RegClass;
15950       return Res;
15951     }
15952
15953     // flags -> EFLAGS
15954     if (StringRef("{flags}").equals_lower(Constraint)) {
15955       Res.first = X86::EFLAGS;
15956       Res.second = &X86::CCRRegClass;
15957       return Res;
15958     }
15959
15960     // 'A' means EAX + EDX.
15961     if (Constraint == "A") {
15962       Res.first = X86::EAX;
15963       Res.second = &X86::GR32_ADRegClass;
15964       return Res;
15965     }
15966     return Res;
15967   }
15968
15969   // Otherwise, check to see if this is a register class of the wrong value
15970   // type.  For example, we want to map "{ax},i32" -> {eax}, we don't want it to
15971   // turn into {ax},{dx}.
15972   if (Res.second->hasType(VT))
15973     return Res;   // Correct type already, nothing to do.
15974
15975   // All of the single-register GCC register classes map their values onto
15976   // 16-bit register pieces "ax","dx","cx","bx","si","di","bp","sp".  If we
15977   // really want an 8-bit or 32-bit register, map to the appropriate register
15978   // class and return the appropriate register.
15979   if (Res.second == &X86::GR16RegClass) {
15980     if (VT == MVT::i8) {
15981       unsigned DestReg = 0;
15982       switch (Res.first) {
15983       default: break;
15984       case X86::AX: DestReg = X86::AL; break;
15985       case X86::DX: DestReg = X86::DL; break;
15986       case X86::CX: DestReg = X86::CL; break;
15987       case X86::BX: DestReg = X86::BL; break;
15988       }
15989       if (DestReg) {
15990         Res.first = DestReg;
15991         Res.second = &X86::GR8RegClass;
15992       }
15993     } else if (VT == MVT::i32) {
15994       unsigned DestReg = 0;
15995       switch (Res.first) {
15996       default: break;
15997       case X86::AX: DestReg = X86::EAX; break;
15998       case X86::DX: DestReg = X86::EDX; break;
15999       case X86::CX: DestReg = X86::ECX; break;
16000       case X86::BX: DestReg = X86::EBX; break;
16001       case X86::SI: DestReg = X86::ESI; break;
16002       case X86::DI: DestReg = X86::EDI; break;
16003       case X86::BP: DestReg = X86::EBP; break;
16004       case X86::SP: DestReg = X86::ESP; break;
16005       }
16006       if (DestReg) {
16007         Res.first = DestReg;
16008         Res.second = &X86::GR32RegClass;
16009       }
16010     } else if (VT == MVT::i64) {
16011       unsigned DestReg = 0;
16012       switch (Res.first) {
16013       default: break;
16014       case X86::AX: DestReg = X86::RAX; break;
16015       case X86::DX: DestReg = X86::RDX; break;
16016       case X86::CX: DestReg = X86::RCX; break;
16017       case X86::BX: DestReg = X86::RBX; break;
16018       case X86::SI: DestReg = X86::RSI; break;
16019       case X86::DI: DestReg = X86::RDI; break;
16020       case X86::BP: DestReg = X86::RBP; break;
16021       case X86::SP: DestReg = X86::RSP; break;
16022       }
16023       if (DestReg) {
16024         Res.first = DestReg;
16025         Res.second = &X86::GR64RegClass;
16026       }
16027     }
16028   } else if (Res.second == &X86::FR32RegClass ||
16029              Res.second == &X86::FR64RegClass ||
16030              Res.second == &X86::VR128RegClass) {
16031     // Handle references to XMM physical registers that got mapped into the
16032     // wrong class.  This can happen with constraints like {xmm0} where the
16033     // target independent register mapper will just pick the first match it can
16034     // find, ignoring the required type.
16035     if (VT == MVT::f32)
16036       Res.second = &X86::FR32RegClass;
16037     else if (VT == MVT::f64)
16038       Res.second = &X86::FR64RegClass;
16039     else if (X86::VR128RegClass.hasType(VT))
16040       Res.second = &X86::VR128RegClass;
16041   }
16042
16043   return Res;
16044 }